From b5444df499501ab2721ec4ffe275f91c66087c43 Mon Sep 17 00:00:00 2001 From: Alex Woods Date: Wed, 15 Apr 2026 09:09:06 -0700 Subject: [PATCH 1/7] Add expectContinueThresholdInBytes config to S3 --- .../feature-AmazonS3-08f1e6b.json | 6 + .../awssdk/services/s3/S3Configuration.java | 68 ++++++++++ .../handlers/StreamingRequestInterceptor.java | 17 ++- .../services/s3/S3ConfigurationTest.java | 52 +++++++ .../StreamingRequestInterceptorTest.java | 127 +++++++++++++++++- 5 files changed, 258 insertions(+), 12 deletions(-) create mode 100644 .changes/next-release/feature-AmazonS3-08f1e6b.json diff --git a/.changes/next-release/feature-AmazonS3-08f1e6b.json b/.changes/next-release/feature-AmazonS3-08f1e6b.json new file mode 100644 index 000000000000..b3f438426576 --- /dev/null +++ b/.changes/next-release/feature-AmazonS3-08f1e6b.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Amazon S3", + "contributor": "", + "description": "Add configurable `expectContinueThresholdInBytes` to S3Configuration (default 1 MB). The Expect: 100-continue header is now only added to PutObject and UploadPart requests when the content-length meets or exceeds the threshold, reducing latency overhead for small uploads." +} diff --git a/services/s3/src/main/java/software/amazon/awssdk/services/s3/S3Configuration.java b/services/s3/src/main/java/software/amazon/awssdk/services/s3/S3Configuration.java index c5d9a863e216..4757b7deebab 100644 --- a/services/s3/src/main/java/software/amazon/awssdk/services/s3/S3Configuration.java +++ b/services/s3/src/main/java/software/amazon/awssdk/services/s3/S3Configuration.java @@ -77,12 +77,19 @@ public final class S3Configuration implements ServiceConfiguration, ToCopyableBu */ private static final boolean DEFAULT_EXPECT_CONTINUE_ENABLED = true; + /** + * The default minimum content-length in bytes at which the {@code Expect: 100-continue} header is added. + * Requests with a content-length below this threshold will not include the header. + */ + private static final long DEFAULT_EXPECT_CONTINUE_THRESHOLD_IN_BYTES = 1_048_576L; + private final FieldWithDefault pathStyleAccessEnabled; private final FieldWithDefault accelerateModeEnabled; private final FieldWithDefault dualstackEnabled; private final FieldWithDefault checksumValidationEnabled; private final FieldWithDefault chunkedEncodingEnabled; private final FieldWithDefault expectContinueEnabled; + private final FieldWithDefault expectContinueThresholdInBytes; private final Boolean useArnRegionEnabled; private final Boolean multiRegionEnabled; private final FieldWithDefault> profileFile; @@ -97,6 +104,13 @@ private S3Configuration(DefaultS3ServiceConfigurationBuilder builder) { this.chunkedEncodingEnabled = FieldWithDefault.create(builder.chunkedEncodingEnabled, DEFAULT_CHUNKED_ENCODING_ENABLED); this.expectContinueEnabled = FieldWithDefault.create(builder.expectContinueEnabled, DEFAULT_EXPECT_CONTINUE_ENABLED); + this.expectContinueThresholdInBytes = FieldWithDefault.create(builder.expectContinueThresholdInBytes, + DEFAULT_EXPECT_CONTINUE_THRESHOLD_IN_BYTES); + if (this.expectContinueThresholdInBytes.value() < 0) { + throw new IllegalArgumentException( + "expectContinueThresholdInBytes must not be negative, but was: " + + this.expectContinueThresholdInBytes.value()); + } this.profileFile = FieldWithDefault.create(builder.profileFile, ProfileFile::defaultProfileFile); this.profileName = FieldWithDefault.create(builder.profileName, ProfileFileSystemSetting.AWS_PROFILE.getStringValueOrThrow()); @@ -247,6 +261,20 @@ public boolean expectContinueEnabled() { return expectContinueEnabled.value(); } + /** + * Returns the minimum content-length in bytes at which the {@code Expect: 100-continue} header is added to + * {@link PutObjectRequest} and {@link UploadPartRequest}. Requests with a content-length below this threshold + * will not include the header. + *

+ * The default value is 1048576 bytes (1 MB). + * + * @return The threshold in bytes. + * @see S3Configuration.Builder#expectContinueThresholdInBytes(Long) + */ + public long expectContinueThresholdInBytes() { + return expectContinueThresholdInBytes.value(); + } + /** * Returns whether the client is allowed to make cross-region calls when an S3 Access Point ARN has a different * region to the one configured on the client. @@ -278,6 +306,7 @@ public Builder toBuilder() { .checksumValidationEnabled(checksumValidationEnabled.valueOrNullIfDefault()) .chunkedEncodingEnabled(chunkedEncodingEnabled.valueOrNullIfDefault()) .expectContinueEnabled(expectContinueEnabled.valueOrNullIfDefault()) + .expectContinueThresholdInBytes(expectContinueThresholdInBytes.valueOrNullIfDefault()) .useArnRegionEnabled(useArnRegionEnabled) .profileFile(profileFile.valueOrNullIfDefault()) .profileName(profileName.valueOrNullIfDefault()); @@ -407,6 +436,29 @@ public interface Builder extends CopyableBuilder { */ Builder expectContinueEnabled(Boolean expectContinueEnabled); + Long expectContinueThresholdInBytes(); + + /** + * Option to configure the minimum content-length in bytes at which the {@code Expect: 100-continue} header + * is added to {@link PutObjectRequest} and {@link UploadPartRequest}. Requests with a content-length below + * this threshold will not include the header, reducing latency for small uploads where the round-trip cost + * of the 100-continue handshake outweighs the benefit. + *

+ * The default value is 1048576 bytes (1 MB). Setting this to 0 restores the pre-threshold behavior where + * the header is added for all non-zero content-length requests. + *

+ * This setting only takes effect when {@link #expectContinueEnabled(Boolean)} is {@code true} (the default). + *

+ * Note: When using the {@code ApacheHttpClient} (Apache 4), the Apache 4 client also independently adds the + * {@code Expect: 100-continue} header by default via its own {@code expectContinueEnabled} setting. This threshold + * only controls the SDK's own header addition; it does not affect the Apache client's behavior. + * + * @param expectContinueThresholdInBytes The threshold in bytes, or {@code null} to use the default (1048576). + * @return This builder for method chaining. + * @see S3Configuration#expectContinueThresholdInBytes() + */ + Builder expectContinueThresholdInBytes(Long expectContinueThresholdInBytes); + Boolean useArnRegionEnabled(); /** @@ -476,6 +528,7 @@ static final class DefaultS3ServiceConfigurationBuilder implements Builder { private Boolean checksumValidationEnabled; private Boolean chunkedEncodingEnabled; private Boolean expectContinueEnabled; + private Long expectContinueThresholdInBytes; private Boolean useArnRegionEnabled; private Boolean multiRegionEnabled; private Supplier profileFile; @@ -571,6 +624,21 @@ public void setExpectContinueEnabled(Boolean expectContinueEnabled) { expectContinueEnabled(expectContinueEnabled); } + @Override + public Long expectContinueThresholdInBytes() { + return expectContinueThresholdInBytes; + } + + @Override + public Builder expectContinueThresholdInBytes(Long expectContinueThresholdInBytes) { + this.expectContinueThresholdInBytes = expectContinueThresholdInBytes; + return this; + } + + public void setExpectContinueThresholdInBytes(Long expectContinueThresholdInBytes) { + expectContinueThresholdInBytes(expectContinueThresholdInBytes); + } + @Override public Boolean useArnRegionEnabled() { return useArnRegionEnabled; diff --git a/services/s3/src/main/java/software/amazon/awssdk/services/s3/internal/handlers/StreamingRequestInterceptor.java b/services/s3/src/main/java/software/amazon/awssdk/services/s3/internal/handlers/StreamingRequestInterceptor.java index b0a40aac4492..92886b07ff02 100644 --- a/services/s3/src/main/java/software/amazon/awssdk/services/s3/internal/handlers/StreamingRequestInterceptor.java +++ b/services/s3/src/main/java/software/amazon/awssdk/services/s3/internal/handlers/StreamingRequestInterceptor.java @@ -37,6 +37,7 @@ public final class StreamingRequestInterceptor implements ExecutionInterceptor { private static final String DECODED_CONTENT_LENGTH_HEADER = "x-amz-decoded-content-length"; private static final String CONTENT_LENGTH_HEADER = "Content-Length"; + private static final long DEFAULT_EXPECT_CONTINUE_THRESHOLD_IN_BYTES = 1_048_576L; @Override public SdkHttpRequest modifyHttpRequest(Context.ModifyHttpRequest context, @@ -55,22 +56,24 @@ private boolean shouldAddExpectContinueHeader(Context.ModifyHttpRequest context, return false; } - if (isExpect100ContinueDisabled(executionAttributes)) { + S3Configuration s3Config = getS3Configuration(executionAttributes); + + if (s3Config != null && !s3Config.expectContinueEnabled()) { return false; } + long threshold = s3Config != null ? s3Config.expectContinueThresholdInBytes() + : DEFAULT_EXPECT_CONTINUE_THRESHOLD_IN_BYTES; + return getContentLengthHeader(context.httpRequest()) .map(Long::parseLong) - .map(length -> length != 0L) + .map(length -> length >= threshold && length != 0L) .orElse(true); } - private boolean isExpect100ContinueDisabled(ExecutionAttributes executionAttributes) { + private S3Configuration getS3Configuration(ExecutionAttributes executionAttributes) { ServiceConfiguration serviceConfig = executionAttributes.getAttribute(SdkExecutionAttribute.SERVICE_CONFIG); - if (serviceConfig instanceof S3Configuration) { - return !((S3Configuration) serviceConfig).expectContinueEnabled(); - } - return false; + return serviceConfig instanceof S3Configuration ? (S3Configuration) serviceConfig : null; } /** diff --git a/services/s3/src/test/java/software/amazon/awssdk/services/s3/S3ConfigurationTest.java b/services/s3/src/test/java/software/amazon/awssdk/services/s3/S3ConfigurationTest.java index 96053027cc27..ff88677e0072 100644 --- a/services/s3/src/test/java/software/amazon/awssdk/services/s3/S3ConfigurationTest.java +++ b/services/s3/src/test/java/software/amazon/awssdk/services/s3/S3ConfigurationTest.java @@ -16,6 +16,7 @@ package software.amazon.awssdk.services.s3; import static org.assertj.core.api.Assertions.assertThat; +import static org.assertj.core.api.Assertions.assertThatThrownBy; import static software.amazon.awssdk.profiles.ProfileFileSystemSetting.AWS_CONFIG_FILE; import static software.amazon.awssdk.services.s3.S3SystemSetting.AWS_S3_DISABLE_MULTIREGION_ACCESS_POINTS; import static software.amazon.awssdk.services.s3.S3SystemSetting.AWS_S3_USE_ARN_REGION; @@ -47,6 +48,7 @@ public void createConfiguration_minimal() { assertThat(config.pathStyleAccessEnabled()).isFalse(); assertThat(config.useArnRegionEnabled()).isFalse(); assertThat(config.expectContinueEnabled()).isTrue(); + assertThat(config.expectContinueThresholdInBytes()).isEqualTo(1048576L); } @Test @@ -116,5 +118,55 @@ public void useArnRegionEnabled_enabledInCProfile_shouldResolveToConfigCorrectly assertThat(config.useArnRegionEnabled()).isEqualTo(false); } + // ----------------------------------------------------------------------- + // expectContinueThresholdInBytes + // ----------------------------------------------------------------------- + + @Test + public void expectContinueThresholdInBytes_defaultValue_is1MB() { + S3Configuration config = S3Configuration.builder().build(); + assertThat(config.expectContinueThresholdInBytes()).isEqualTo(1048576L); + } + + @Test + public void expectContinueThresholdInBytes_customValue_isPreserved() { + S3Configuration config = S3Configuration.builder() + .expectContinueThresholdInBytes(2_097_152L) + .build(); + assertThat(config.expectContinueThresholdInBytes()).isEqualTo(2_097_152L); + } + + @Test + public void expectContinueThresholdInBytes_toBuilder_preservesUserSetValue() { + S3Configuration config = S3Configuration.builder() + .expectContinueThresholdInBytes(512L) + .build(); + S3Configuration rebuilt = config.toBuilder().build(); + assertThat(rebuilt.expectContinueThresholdInBytes()).isEqualTo(512L); + } + + @Test + public void expectContinueThresholdInBytes_toBuilder_returnsNullForDefault() { + S3Configuration config = S3Configuration.builder().build(); + S3Configuration.Builder builder = config.toBuilder(); + assertThat(builder.expectContinueThresholdInBytes()).isNull(); + } + + @Test + public void expectContinueThresholdInBytes_negativeValue_throwsException() { + assertThatThrownBy(() -> S3Configuration.builder() + .expectContinueThresholdInBytes(-1L) + .build()) + .isInstanceOf(IllegalArgumentException.class) + .hasMessageContaining("expectContinueThresholdInBytes must not be negative"); + } + + @Test + public void expectContinueThresholdInBytes_zeroValue_isAccepted() { + S3Configuration config = S3Configuration.builder() + .expectContinueThresholdInBytes(0L) + .build(); + assertThat(config.expectContinueThresholdInBytes()).isEqualTo(0L); + } } diff --git a/services/s3/src/test/java/software/amazon/awssdk/services/s3/internal/handlers/StreamingRequestInterceptorTest.java b/services/s3/src/test/java/software/amazon/awssdk/services/s3/internal/handlers/StreamingRequestInterceptorTest.java index 8cd9776afbe1..457750c925cf 100644 --- a/services/s3/src/test/java/software/amazon/awssdk/services/s3/internal/handlers/StreamingRequestInterceptorTest.java +++ b/services/s3/src/test/java/software/amazon/awssdk/services/s3/internal/handlers/StreamingRequestInterceptorTest.java @@ -148,7 +148,7 @@ private static Stream expectContinueConfigProvider() { ExecutionAttributes defaultConfigAttrs = new ExecutionAttributes(); defaultConfigAttrs.putAttribute(SdkExecutionAttribute.SERVICE_CONFIG, S3Configuration.builder().build()); ExecutionAttributes noConfigAttrs = new ExecutionAttributes(); - SdkHttpRequest nonZeroContentLength = buildHttpRequest("Content-Length", "1024"); + SdkHttpRequest nonZeroContentLength = buildHttpRequest("Content-Length", "2097152"); SdkHttpRequest zeroContentLength = buildHttpRequest("Content-Length", "0"); return Stream.of( @@ -186,13 +186,13 @@ private static Stream zeroContentLengthProvider() { private static Stream nonZeroContentLengthProvider() { return Stream.of( - Arguments.of("PutObject", "Content-Length", "1024", + Arguments.of("PutObject", "Content-Length", "2097152", PutObjectRequest.builder().build()), - Arguments.of("PutObject", "x-amz-decoded-content-length", "1024", + Arguments.of("PutObject", "x-amz-decoded-content-length", "2097152", PutObjectRequest.builder().build()), - Arguments.of("UploadPart", "Content-Length", "1024", + Arguments.of("UploadPart", "Content-Length", "2097152", UploadPartRequest.builder().build()), - Arguments.of("UploadPart", "x-amz-decoded-content-length", "1024", + Arguments.of("UploadPart", "x-amz-decoded-content-length", "2097152", UploadPartRequest.builder().build()) ); } @@ -217,4 +217,121 @@ private static SdkHttpRequest buildHttpRequest(String headerName, String headerV .putHeader(headerName, headerValue) .build(); } + + // ----------------------------------------------------------------------- + // Threshold behavior + // ----------------------------------------------------------------------- + + @Test + void modifyHttpRequest_putObject_contentLengthAboveThreshold_shouldAddExpectHeader() { + SdkHttpRequest httpRequest = buildHttpRequest("Content-Length", "2097152"); + ExecutionAttributes attrs = withExpectContinue(true); + + SdkHttpRequest modifiedRequest = interceptor.modifyHttpRequest( + modifyHttpRequestContextWithHttpRequest(PutObjectRequest.builder().build(), httpRequest), attrs); + + assertThat(modifiedRequest.firstMatchingHeader("Expect")).hasValue("100-continue"); + } + + @Test + void modifyHttpRequest_putObject_contentLengthBelowThreshold_shouldNotAddExpectHeader() { + SdkHttpRequest httpRequest = buildHttpRequest("Content-Length", "1024"); + ExecutionAttributes attrs = withExpectContinue(true); + + SdkHttpRequest modifiedRequest = interceptor.modifyHttpRequest( + modifyHttpRequestContextWithHttpRequest(PutObjectRequest.builder().build(), httpRequest), attrs); + + assertThat(modifiedRequest.firstMatchingHeader("Expect")).isNotPresent(); + } + + @Test + void modifyHttpRequest_contentLengthExactlyAtThreshold_shouldAddExpectHeader() { + SdkHttpRequest httpRequest = buildHttpRequest("Content-Length", "1048576"); + ExecutionAttributes attrs = withExpectContinue(true); + + SdkHttpRequest modifiedRequest = interceptor.modifyHttpRequest( + modifyHttpRequestContextWithHttpRequest(PutObjectRequest.builder().build(), httpRequest), attrs); + + assertThat(modifiedRequest.firstMatchingHeader("Expect")).hasValue("100-continue"); + } + + @Test + void modifyHttpRequest_expectContinueDisabled_contentLengthAboveThreshold_shouldNotAddExpectHeader() { + SdkHttpRequest httpRequest = buildHttpRequest("Content-Length", "2097152"); + ExecutionAttributes attrs = withExpectContinue(false); + + SdkHttpRequest modifiedRequest = interceptor.modifyHttpRequest( + modifyHttpRequestContextWithHttpRequest(PutObjectRequest.builder().build(), httpRequest), attrs); + + assertThat(modifiedRequest.firstMatchingHeader("Expect")).isNotPresent(); + } + + @Test + void modifyHttpRequest_noContentLengthHeader_shouldAddExpectHeaderRegardlessOfThreshold() { + ExecutionAttributes attrs = withThreshold(999_999_999L); + + SdkHttpRequest modifiedRequest = interceptor.modifyHttpRequest( + modifyHttpRequestContext(PutObjectRequest.builder().build()), attrs); + + assertThat(modifiedRequest.firstMatchingHeader("Expect")).hasValue("100-continue"); + } + + @Test + void modifyHttpRequest_zeroContentLength_shouldNotAddHeaderRegardlessOfThreshold() { + SdkHttpRequest httpRequest = buildHttpRequest("Content-Length", "0"); + ExecutionAttributes attrs = withThreshold(0L); + + SdkHttpRequest modifiedRequest = interceptor.modifyHttpRequest( + modifyHttpRequestContextWithHttpRequest(PutObjectRequest.builder().build(), httpRequest), attrs); + + assertThat(modifiedRequest.firstMatchingHeader("Expect")).isNotPresent(); + } + + @Test + void modifyHttpRequest_customThreshold_shouldBeRespected() { + SdkHttpRequest httpRequest = buildHttpRequest("Content-Length", "500"); + ExecutionAttributes attrs = withThreshold(100L); + + SdkHttpRequest modifiedRequest = interceptor.modifyHttpRequest( + modifyHttpRequestContextWithHttpRequest(PutObjectRequest.builder().build(), httpRequest), attrs); + + assertThat(modifiedRequest.firstMatchingHeader("Expect")).hasValue("100-continue"); + } + + @Test + void modifyHttpRequest_customThreshold_belowThreshold_shouldNotAddHeader() { + SdkHttpRequest httpRequest = buildHttpRequest("Content-Length", "50"); + ExecutionAttributes attrs = withThreshold(100L); + + SdkHttpRequest modifiedRequest = interceptor.modifyHttpRequest( + modifyHttpRequestContextWithHttpRequest(PutObjectRequest.builder().build(), httpRequest), attrs); + + assertThat(modifiedRequest.firstMatchingHeader("Expect")).isNotPresent(); + } + + @Test + void modifyHttpRequest_noS3Configuration_shouldUseDefaultThreshold() { + // Content-length above default threshold (1 MB) → header added + SdkHttpRequest aboveThreshold = buildHttpRequest("Content-Length", "2097152"); + SdkHttpRequest modifiedAbove = interceptor.modifyHttpRequest( + modifyHttpRequestContextWithHttpRequest(PutObjectRequest.builder().build(), aboveThreshold), + new ExecutionAttributes()); + assertThat(modifiedAbove.firstMatchingHeader("Expect")).hasValue("100-continue"); + + // Content-length below default threshold (1 MB) → header not added + SdkHttpRequest belowThreshold = buildHttpRequest("Content-Length", "1024"); + SdkHttpRequest modifiedBelow = interceptor.modifyHttpRequest( + modifyHttpRequestContextWithHttpRequest(PutObjectRequest.builder().build(), belowThreshold), + new ExecutionAttributes()); + assertThat(modifiedBelow.firstMatchingHeader("Expect")).isNotPresent(); + } + + private static ExecutionAttributes withThreshold(long threshold) { + ExecutionAttributes attrs = new ExecutionAttributes(); + attrs.putAttribute(SdkExecutionAttribute.SERVICE_CONFIG, + S3Configuration.builder() + .expectContinueThresholdInBytes(threshold) + .build()); + return attrs; + } } From b15b9841f5eea5866568a83a72d69b9de3b57368 Mon Sep 17 00:00:00 2001 From: Alex Woods Date: Wed, 15 Apr 2026 09:31:46 -0700 Subject: [PATCH 2/7] Add more docs --- .../software/amazon/awssdk/services/s3/S3Configuration.java | 6 ++++++ 1 file changed, 6 insertions(+) diff --git a/services/s3/src/main/java/software/amazon/awssdk/services/s3/S3Configuration.java b/services/s3/src/main/java/software/amazon/awssdk/services/s3/S3Configuration.java index 4757b7deebab..ca3f256bb832 100644 --- a/services/s3/src/main/java/software/amazon/awssdk/services/s3/S3Configuration.java +++ b/services/s3/src/main/java/software/amazon/awssdk/services/s3/S3Configuration.java @@ -267,6 +267,12 @@ public boolean expectContinueEnabled() { * will not include the header. *

* The default value is 1048576 bytes (1 MB). + *

+ * Note: When using the {@code ApacheHttpClient} (Apache 4), the Apache 4 client also independently adds the + * {@code Expect: 100-continue} header by default without any threshold via its own {@code expectContinueEnabled} + * setting. To benefit from the `expectContinueThresholdInBytes` you must disable {@code expectContinueEnabled} + * on the Apache4 HTTP client builder using {@code ApacheHttpClient.builder().expectContinueEnabled(false)}. + * This does NOT apply to the {@code Apache5HttpClient} which defaults {@code expectContinueEnabled} to false. * * @return The threshold in bytes. * @see S3Configuration.Builder#expectContinueThresholdInBytes(Long) From 2663f24f34e329ac7aee4a1d37e3f165645a442e Mon Sep 17 00:00:00 2001 From: Alex Woods Date: Thu, 16 Apr 2026 10:59:29 -0700 Subject: [PATCH 3/7] Improve docs --- .../software/amazon/awssdk/services/s3/S3Configuration.java | 3 +++ 1 file changed, 3 insertions(+) diff --git a/services/s3/src/main/java/software/amazon/awssdk/services/s3/S3Configuration.java b/services/s3/src/main/java/software/amazon/awssdk/services/s3/S3Configuration.java index ca3f256bb832..50e5f27c9a82 100644 --- a/services/s3/src/main/java/software/amazon/awssdk/services/s3/S3Configuration.java +++ b/services/s3/src/main/java/software/amazon/awssdk/services/s3/S3Configuration.java @@ -455,6 +455,9 @@ public interface Builder extends CopyableBuilder { *

* This setting only takes effect when {@link #expectContinueEnabled(Boolean)} is {@code true} (the default). *

+ * When content length is not known, the {@code Expect: 100-continue} header will always be added + * when {@link #expectContinueEnabled(Boolean)} is {@code true}. + *

* Note: When using the {@code ApacheHttpClient} (Apache 4), the Apache 4 client also independently adds the * {@code Expect: 100-continue} header by default via its own {@code expectContinueEnabled} setting. This threshold * only controls the SDK's own header addition; it does not affect the Apache client's behavior. From 5b9d2aec093fde00fcabd4ee5473a0c78375be8e Mon Sep 17 00:00:00 2001 From: Alex Woods Date: Thu, 16 Apr 2026 13:06:24 -0700 Subject: [PATCH 4/7] PR feedback --- .../handlers/StreamingRequestInterceptor.java | 3 +- .../StreamingRequestInterceptorTest.java | 155 +++++++----------- 2 files changed, 59 insertions(+), 99 deletions(-) diff --git a/services/s3/src/main/java/software/amazon/awssdk/services/s3/internal/handlers/StreamingRequestInterceptor.java b/services/s3/src/main/java/software/amazon/awssdk/services/s3/internal/handlers/StreamingRequestInterceptor.java index 92886b07ff02..45c7cfe15788 100644 --- a/services/s3/src/main/java/software/amazon/awssdk/services/s3/internal/handlers/StreamingRequestInterceptor.java +++ b/services/s3/src/main/java/software/amazon/awssdk/services/s3/internal/handlers/StreamingRequestInterceptor.java @@ -37,7 +37,6 @@ public final class StreamingRequestInterceptor implements ExecutionInterceptor { private static final String DECODED_CONTENT_LENGTH_HEADER = "x-amz-decoded-content-length"; private static final String CONTENT_LENGTH_HEADER = "Content-Length"; - private static final long DEFAULT_EXPECT_CONTINUE_THRESHOLD_IN_BYTES = 1_048_576L; @Override public SdkHttpRequest modifyHttpRequest(Context.ModifyHttpRequest context, @@ -63,7 +62,7 @@ private boolean shouldAddExpectContinueHeader(Context.ModifyHttpRequest context, } long threshold = s3Config != null ? s3Config.expectContinueThresholdInBytes() - : DEFAULT_EXPECT_CONTINUE_THRESHOLD_IN_BYTES; + : 0L; return getContentLengthHeader(context.httpRequest()) .map(Long::parseLong) diff --git a/services/s3/src/test/java/software/amazon/awssdk/services/s3/internal/handlers/StreamingRequestInterceptorTest.java b/services/s3/src/test/java/software/amazon/awssdk/services/s3/internal/handlers/StreamingRequestInterceptorTest.java index 457750c925cf..a5fb2b9fbc99 100644 --- a/services/s3/src/test/java/software/amazon/awssdk/services/s3/internal/handlers/StreamingRequestInterceptorTest.java +++ b/services/s3/src/test/java/software/amazon/awssdk/services/s3/internal/handlers/StreamingRequestInterceptorTest.java @@ -222,108 +222,69 @@ private static SdkHttpRequest buildHttpRequest(String headerName, String headerV // Threshold behavior // ----------------------------------------------------------------------- - @Test - void modifyHttpRequest_putObject_contentLengthAboveThreshold_shouldAddExpectHeader() { - SdkHttpRequest httpRequest = buildHttpRequest("Content-Length", "2097152"); - ExecutionAttributes attrs = withExpectContinue(true); - - SdkHttpRequest modifiedRequest = interceptor.modifyHttpRequest( - modifyHttpRequestContextWithHttpRequest(PutObjectRequest.builder().build(), httpRequest), attrs); - - assertThat(modifiedRequest.firstMatchingHeader("Expect")).hasValue("100-continue"); - } - - @Test - void modifyHttpRequest_putObject_contentLengthBelowThreshold_shouldNotAddExpectHeader() { - SdkHttpRequest httpRequest = buildHttpRequest("Content-Length", "1024"); - ExecutionAttributes attrs = withExpectContinue(true); - - SdkHttpRequest modifiedRequest = interceptor.modifyHttpRequest( - modifyHttpRequestContextWithHttpRequest(PutObjectRequest.builder().build(), httpRequest), attrs); - - assertThat(modifiedRequest.firstMatchingHeader("Expect")).isNotPresent(); - } - - @Test - void modifyHttpRequest_contentLengthExactlyAtThreshold_shouldAddExpectHeader() { - SdkHttpRequest httpRequest = buildHttpRequest("Content-Length", "1048576"); - ExecutionAttributes attrs = withExpectContinue(true); - - SdkHttpRequest modifiedRequest = interceptor.modifyHttpRequest( - modifyHttpRequestContextWithHttpRequest(PutObjectRequest.builder().build(), httpRequest), attrs); - - assertThat(modifiedRequest.firstMatchingHeader("Expect")).hasValue("100-continue"); - } - - @Test - void modifyHttpRequest_expectContinueDisabled_contentLengthAboveThreshold_shouldNotAddExpectHeader() { - SdkHttpRequest httpRequest = buildHttpRequest("Content-Length", "2097152"); - ExecutionAttributes attrs = withExpectContinue(false); - - SdkHttpRequest modifiedRequest = interceptor.modifyHttpRequest( - modifyHttpRequestContextWithHttpRequest(PutObjectRequest.builder().build(), httpRequest), attrs); - - assertThat(modifiedRequest.firstMatchingHeader("Expect")).isNotPresent(); - } - - @Test - void modifyHttpRequest_noContentLengthHeader_shouldAddExpectHeaderRegardlessOfThreshold() { - ExecutionAttributes attrs = withThreshold(999_999_999L); - - SdkHttpRequest modifiedRequest = interceptor.modifyHttpRequest( - modifyHttpRequestContext(PutObjectRequest.builder().build()), attrs); - - assertThat(modifiedRequest.firstMatchingHeader("Expect")).hasValue("100-continue"); - } - - @Test - void modifyHttpRequest_zeroContentLength_shouldNotAddHeaderRegardlessOfThreshold() { - SdkHttpRequest httpRequest = buildHttpRequest("Content-Length", "0"); - ExecutionAttributes attrs = withThreshold(0L); - - SdkHttpRequest modifiedRequest = interceptor.modifyHttpRequest( - modifyHttpRequestContextWithHttpRequest(PutObjectRequest.builder().build(), httpRequest), attrs); - - assertThat(modifiedRequest.firstMatchingHeader("Expect")).isNotPresent(); - } - - @Test - void modifyHttpRequest_customThreshold_shouldBeRespected() { - SdkHttpRequest httpRequest = buildHttpRequest("Content-Length", "500"); - ExecutionAttributes attrs = withThreshold(100L); - - SdkHttpRequest modifiedRequest = interceptor.modifyHttpRequest( - modifyHttpRequestContextWithHttpRequest(PutObjectRequest.builder().build(), httpRequest), attrs); - - assertThat(modifiedRequest.firstMatchingHeader("Expect")).hasValue("100-continue"); - } - - @Test - void modifyHttpRequest_customThreshold_belowThreshold_shouldNotAddHeader() { - SdkHttpRequest httpRequest = buildHttpRequest("Content-Length", "50"); - ExecutionAttributes attrs = withThreshold(100L); + @ParameterizedTest(name = "{0}") + @MethodSource("thresholdBehaviorProvider") + void modifyHttpRequest_thresholdBehavior(String testName, SdkRequest sdkRequest, + SdkHttpRequest httpRequest, ExecutionAttributes attrs, + boolean expectPresent) { + Context.ModifyHttpRequest context = httpRequest != null + ? modifyHttpRequestContextWithHttpRequest(sdkRequest, httpRequest) + : modifyHttpRequestContext(sdkRequest); - SdkHttpRequest modifiedRequest = interceptor.modifyHttpRequest( - modifyHttpRequestContextWithHttpRequest(PutObjectRequest.builder().build(), httpRequest), attrs); + SdkHttpRequest modifiedRequest = interceptor.modifyHttpRequest(context, attrs); - assertThat(modifiedRequest.firstMatchingHeader("Expect")).isNotPresent(); + if (expectPresent) { + assertThat(modifiedRequest.firstMatchingHeader("Expect")).hasValue("100-continue"); + } else { + assertThat(modifiedRequest.firstMatchingHeader("Expect")).isNotPresent(); + } } - @Test - void modifyHttpRequest_noS3Configuration_shouldUseDefaultThreshold() { - // Content-length above default threshold (1 MB) → header added - SdkHttpRequest aboveThreshold = buildHttpRequest("Content-Length", "2097152"); - SdkHttpRequest modifiedAbove = interceptor.modifyHttpRequest( - modifyHttpRequestContextWithHttpRequest(PutObjectRequest.builder().build(), aboveThreshold), - new ExecutionAttributes()); - assertThat(modifiedAbove.firstMatchingHeader("Expect")).hasValue("100-continue"); + private static Stream thresholdBehaviorProvider() { + SdkRequest putObject = PutObjectRequest.builder().build(); - // Content-length below default threshold (1 MB) → header not added - SdkHttpRequest belowThreshold = buildHttpRequest("Content-Length", "1024"); - SdkHttpRequest modifiedBelow = interceptor.modifyHttpRequest( - modifyHttpRequestContextWithHttpRequest(PutObjectRequest.builder().build(), belowThreshold), - new ExecutionAttributes()); - assertThat(modifiedBelow.firstMatchingHeader("Expect")).isNotPresent(); + return Stream.of( + // Default threshold (1 MB) behavior + Arguments.of("above default threshold (2 MB) → header added", + putObject, buildHttpRequest("Content-Length", "2097152"), + withExpectContinue(true), true), + Arguments.of("below default threshold (1 KB) → header not added", + putObject, buildHttpRequest("Content-Length", "1024"), + withExpectContinue(true), false), + Arguments.of("exactly at default threshold (1 MB) → header added", + putObject, buildHttpRequest("Content-Length", "1048576"), + withExpectContinue(true), true), + + // expectContinueEnabled=false overrides threshold + Arguments.of("disabled + above threshold → header not added", + putObject, buildHttpRequest("Content-Length", "2097152"), + withExpectContinue(false), false), + + // No content-length (chunked/unknown) always adds header + Arguments.of("no content-length header + high threshold → header added", + putObject, null, withThreshold(999_999_999L), true), + + // Zero content-length never adds header + Arguments.of("zero content-length + zero threshold → header not added", + putObject, buildHttpRequest("Content-Length", "0"), + withThreshold(0L), false), + + // Custom threshold + Arguments.of("custom threshold 100, content-length 500 → header added", + putObject, buildHttpRequest("Content-Length", "500"), + withThreshold(100L), true), + Arguments.of("custom threshold 100, content-length 50 → header not added", + putObject, buildHttpRequest("Content-Length", "50"), + withThreshold(100L), false), + + // No S3Configuration → enabled with threshold=0 + Arguments.of("no S3Configuration + large content-length → header added", + putObject, buildHttpRequest("Content-Length", "2097152"), + new ExecutionAttributes(), true), + Arguments.of("no S3Configuration + small content-length → header added", + putObject, buildHttpRequest("Content-Length", "1024"), + new ExecutionAttributes(), true) + ); } private static ExecutionAttributes withThreshold(long threshold) { From 037d3fd2c681c8b151fc14a16e69a7fde625a9eb Mon Sep 17 00:00:00 2001 From: Alex Woods Date: Thu, 16 Apr 2026 13:56:30 -0700 Subject: [PATCH 5/7] Bump minor version --- .changes/{ => 2.42.x}/2.42.0.json | 0 .changes/{ => 2.42.x}/2.42.1.json | 0 .changes/{ => 2.42.x}/2.42.10.json | 0 .changes/{ => 2.42.x}/2.42.11.json | 0 .changes/{ => 2.42.x}/2.42.12.json | 0 .changes/{ => 2.42.x}/2.42.13.json | 0 .changes/{ => 2.42.x}/2.42.14.json | 0 .changes/{ => 2.42.x}/2.42.15.json | 0 .changes/{ => 2.42.x}/2.42.16.json | 0 .changes/{ => 2.42.x}/2.42.17.json | 0 .changes/{ => 2.42.x}/2.42.18.json | 0 .changes/{ => 2.42.x}/2.42.19.json | 0 .changes/{ => 2.42.x}/2.42.2.json | 0 .changes/{ => 2.42.x}/2.42.20.json | 0 .changes/{ => 2.42.x}/2.42.21.json | 0 .changes/{ => 2.42.x}/2.42.22.json | 0 .changes/{ => 2.42.x}/2.42.23.json | 0 .changes/{ => 2.42.x}/2.42.24.json | 0 .changes/{ => 2.42.x}/2.42.25.json | 0 .changes/{ => 2.42.x}/2.42.26.json | 0 .changes/{ => 2.42.x}/2.42.27.json | 0 .changes/{ => 2.42.x}/2.42.28.json | 0 .changes/{ => 2.42.x}/2.42.29.json | 0 .changes/{ => 2.42.x}/2.42.3.json | 0 .changes/{ => 2.42.x}/2.42.30.json | 0 .changes/{ => 2.42.x}/2.42.31.json | 0 .changes/{ => 2.42.x}/2.42.32.json | 0 .changes/{ => 2.42.x}/2.42.33.json | 0 .changes/{ => 2.42.x}/2.42.34.json | 0 .changes/{ => 2.42.x}/2.42.35.json | 0 .changes/{ => 2.42.x}/2.42.4.json | 0 .changes/{ => 2.42.x}/2.42.5.json | 0 .changes/{ => 2.42.x}/2.42.6.json | 0 .changes/{ => 2.42.x}/2.42.7.json | 0 .changes/{ => 2.42.x}/2.42.8.json | 0 .changes/{ => 2.42.x}/2.42.9.json | 0 CHANGELOG.md | 1344 ---------------- archetypes/archetype-app-quickstart/pom.xml | 2 +- archetypes/archetype-lambda/pom.xml | 2 +- archetypes/archetype-tools/pom.xml | 2 +- archetypes/pom.xml | 2 +- aws-sdk-java/pom.xml | 2 +- bom-internal/pom.xml | 2 +- bom/pom.xml | 2 +- bundle-logging-bridge/pom.xml | 2 +- bundle-sdk/pom.xml | 2 +- bundle/pom.xml | 2 +- changelogs/2.42.x-CHANGELOG.md | 1345 +++++++++++++++++ codegen-lite-maven-plugin/pom.xml | 2 +- codegen-lite/pom.xml | 2 +- codegen-maven-plugin/pom.xml | 2 +- codegen/pom.xml | 2 +- core/annotations/pom.xml | 2 +- core/arns/pom.xml | 2 +- core/auth-crt/pom.xml | 2 +- core/auth/pom.xml | 2 +- core/aws-core/pom.xml | 2 +- core/checksums-spi/pom.xml | 2 +- core/checksums/pom.xml | 2 +- core/crt-core/pom.xml | 2 +- core/endpoints-spi/pom.xml | 2 +- core/http-auth-aws-crt/pom.xml | 2 +- core/http-auth-aws-eventstream/pom.xml | 2 +- core/http-auth-aws/pom.xml | 2 +- core/http-auth-spi/pom.xml | 2 +- core/http-auth/pom.xml | 2 +- core/identity-spi/pom.xml | 2 +- core/imds/pom.xml | 2 +- core/json-utils/pom.xml | 2 +- core/metrics-spi/pom.xml | 2 +- core/pom.xml | 2 +- core/profiles/pom.xml | 2 +- core/protocols/aws-cbor-protocol/pom.xml | 2 +- core/protocols/aws-json-protocol/pom.xml | 2 +- core/protocols/aws-query-protocol/pom.xml | 2 +- core/protocols/aws-xml-protocol/pom.xml | 2 +- core/protocols/pom.xml | 2 +- core/protocols/protocol-core/pom.xml | 2 +- core/protocols/smithy-rpcv2-protocol/pom.xml | 2 +- core/regions/pom.xml | 2 +- core/retries-spi/pom.xml | 2 +- core/retries/pom.xml | 2 +- core/sdk-core/pom.xml | 2 +- http-client-spi/pom.xml | 2 +- http-clients/apache-client/pom.xml | 2 +- http-clients/apache5-client/pom.xml | 2 +- http-clients/aws-crt-client/pom.xml | 2 +- http-clients/netty-nio-client/pom.xml | 2 +- http-clients/pom.xml | 2 +- http-clients/url-connection-client/pom.xml | 2 +- .../cloudwatch-metric-publisher/pom.xml | 2 +- .../emf-metric-logging-publisher/pom.xml | 2 +- metric-publishers/pom.xml | 2 +- pom.xml | 2 +- release-scripts/pom.xml | 2 +- services-custom/dynamodb-enhanced/pom.xml | 2 +- services-custom/iam-policy-builder/pom.xml | 2 +- services-custom/pom.xml | 2 +- .../s3-event-notifications/pom.xml | 2 +- services-custom/s3-transfer-manager/pom.xml | 2 +- services-custom/sns-message-manager/pom.xml | 2 +- services/accessanalyzer/pom.xml | 2 +- services/account/pom.xml | 2 +- services/acm/pom.xml | 2 +- services/acmpca/pom.xml | 2 +- services/aiops/pom.xml | 2 +- services/amp/pom.xml | 2 +- services/amplify/pom.xml | 2 +- services/amplifybackend/pom.xml | 2 +- services/amplifyuibuilder/pom.xml | 2 +- services/apigateway/pom.xml | 2 +- services/apigatewaymanagementapi/pom.xml | 2 +- services/apigatewayv2/pom.xml | 2 +- services/appconfig/pom.xml | 2 +- services/appconfigdata/pom.xml | 2 +- services/appfabric/pom.xml | 2 +- services/appflow/pom.xml | 2 +- services/appintegrations/pom.xml | 2 +- services/applicationautoscaling/pom.xml | 2 +- services/applicationcostprofiler/pom.xml | 2 +- services/applicationdiscovery/pom.xml | 2 +- services/applicationinsights/pom.xml | 2 +- services/applicationsignals/pom.xml | 2 +- services/appmesh/pom.xml | 2 +- services/apprunner/pom.xml | 2 +- services/appstream/pom.xml | 2 +- services/appsync/pom.xml | 2 +- services/arcregionswitch/pom.xml | 2 +- services/arczonalshift/pom.xml | 2 +- services/artifact/pom.xml | 2 +- services/athena/pom.xml | 2 +- services/auditmanager/pom.xml | 2 +- services/autoscaling/pom.xml | 2 +- services/autoscalingplans/pom.xml | 2 +- services/b2bi/pom.xml | 2 +- services/backup/pom.xml | 2 +- services/backupgateway/pom.xml | 2 +- services/backupsearch/pom.xml | 2 +- services/batch/pom.xml | 2 +- services/bcmdashboards/pom.xml | 2 +- services/bcmdataexports/pom.xml | 2 +- services/bcmpricingcalculator/pom.xml | 2 +- services/bcmrecommendedactions/pom.xml | 2 +- services/bedrock/pom.xml | 2 +- services/bedrockagent/pom.xml | 2 +- services/bedrockagentcore/pom.xml | 2 +- services/bedrockagentcorecontrol/pom.xml | 2 +- services/bedrockagentruntime/pom.xml | 2 +- services/bedrockdataautomation/pom.xml | 2 +- services/bedrockdataautomationruntime/pom.xml | 2 +- services/bedrockruntime/pom.xml | 2 +- services/billing/pom.xml | 2 +- services/billingconductor/pom.xml | 2 +- services/braket/pom.xml | 2 +- services/budgets/pom.xml | 2 +- services/chatbot/pom.xml | 2 +- services/chime/pom.xml | 2 +- services/chimesdkidentity/pom.xml | 2 +- services/chimesdkmediapipelines/pom.xml | 2 +- services/chimesdkmeetings/pom.xml | 2 +- services/chimesdkmessaging/pom.xml | 2 +- services/chimesdkvoice/pom.xml | 2 +- services/cleanrooms/pom.xml | 2 +- services/cleanroomsml/pom.xml | 2 +- services/cloud9/pom.xml | 2 +- services/cloudcontrol/pom.xml | 2 +- services/clouddirectory/pom.xml | 2 +- services/cloudformation/pom.xml | 2 +- services/cloudfront/pom.xml | 2 +- services/cloudfrontkeyvaluestore/pom.xml | 2 +- services/cloudhsm/pom.xml | 2 +- services/cloudhsmv2/pom.xml | 2 +- services/cloudsearch/pom.xml | 2 +- services/cloudsearchdomain/pom.xml | 2 +- services/cloudtrail/pom.xml | 2 +- services/cloudtraildata/pom.xml | 2 +- services/cloudwatch/pom.xml | 2 +- services/cloudwatchevents/pom.xml | 2 +- services/cloudwatchlogs/pom.xml | 2 +- services/codeartifact/pom.xml | 2 +- services/codebuild/pom.xml | 2 +- services/codecatalyst/pom.xml | 2 +- services/codecommit/pom.xml | 2 +- services/codeconnections/pom.xml | 2 +- services/codedeploy/pom.xml | 2 +- services/codeguruprofiler/pom.xml | 2 +- services/codegurureviewer/pom.xml | 2 +- services/codegurusecurity/pom.xml | 2 +- services/codepipeline/pom.xml | 2 +- services/codestarconnections/pom.xml | 2 +- services/codestarnotifications/pom.xml | 2 +- services/cognitoidentity/pom.xml | 2 +- services/cognitoidentityprovider/pom.xml | 2 +- services/cognitosync/pom.xml | 2 +- services/comprehend/pom.xml | 2 +- services/comprehendmedical/pom.xml | 2 +- services/computeoptimizer/pom.xml | 2 +- services/computeoptimizerautomation/pom.xml | 2 +- services/config/pom.xml | 2 +- services/connect/pom.xml | 2 +- services/connectcampaigns/pom.xml | 2 +- services/connectcampaignsv2/pom.xml | 2 +- services/connectcases/pom.xml | 2 +- services/connectcontactlens/pom.xml | 2 +- services/connecthealth/pom.xml | 2 +- services/connectparticipant/pom.xml | 2 +- services/controlcatalog/pom.xml | 2 +- services/controltower/pom.xml | 2 +- services/costandusagereport/pom.xml | 2 +- services/costexplorer/pom.xml | 2 +- services/costoptimizationhub/pom.xml | 2 +- services/customerprofiles/pom.xml | 2 +- services/databasemigration/pom.xml | 2 +- services/databrew/pom.xml | 2 +- services/dataexchange/pom.xml | 2 +- services/datapipeline/pom.xml | 2 +- services/datasync/pom.xml | 2 +- services/datazone/pom.xml | 2 +- services/dax/pom.xml | 2 +- services/deadline/pom.xml | 2 +- services/detective/pom.xml | 2 +- services/devicefarm/pom.xml | 2 +- services/devopsagent/pom.xml | 2 +- services/devopsguru/pom.xml | 2 +- services/directconnect/pom.xml | 2 +- services/directory/pom.xml | 2 +- services/directoryservicedata/pom.xml | 2 +- services/dlm/pom.xml | 2 +- services/docdb/pom.xml | 2 +- services/docdbelastic/pom.xml | 2 +- services/drs/pom.xml | 2 +- services/dsql/pom.xml | 2 +- services/dynamodb/pom.xml | 2 +- services/ebs/pom.xml | 2 +- services/ec2/pom.xml | 2 +- services/ec2instanceconnect/pom.xml | 2 +- services/ecr/pom.xml | 2 +- services/ecrpublic/pom.xml | 2 +- services/ecs/pom.xml | 2 +- services/efs/pom.xml | 2 +- services/eks/pom.xml | 2 +- services/eksauth/pom.xml | 2 +- services/elasticache/pom.xml | 2 +- services/elasticbeanstalk/pom.xml | 2 +- services/elasticloadbalancing/pom.xml | 2 +- services/elasticloadbalancingv2/pom.xml | 2 +- services/elasticsearch/pom.xml | 2 +- services/elementalinference/pom.xml | 2 +- services/emr/pom.xml | 2 +- services/emrcontainers/pom.xml | 2 +- services/emrserverless/pom.xml | 2 +- services/entityresolution/pom.xml | 2 +- services/eventbridge/pom.xml | 2 +- services/evs/pom.xml | 2 +- services/finspace/pom.xml | 2 +- services/finspacedata/pom.xml | 2 +- services/firehose/pom.xml | 2 +- services/fis/pom.xml | 2 +- services/fms/pom.xml | 2 +- services/forecast/pom.xml | 2 +- services/forecastquery/pom.xml | 2 +- services/frauddetector/pom.xml | 2 +- services/freetier/pom.xml | 2 +- services/fsx/pom.xml | 2 +- services/gamelift/pom.xml | 2 +- services/gameliftstreams/pom.xml | 2 +- services/geomaps/pom.xml | 2 +- services/geoplaces/pom.xml | 2 +- services/georoutes/pom.xml | 2 +- services/glacier/pom.xml | 2 +- services/globalaccelerator/pom.xml | 2 +- services/glue/pom.xml | 2 +- services/grafana/pom.xml | 2 +- services/greengrass/pom.xml | 2 +- services/greengrassv2/pom.xml | 2 +- services/groundstation/pom.xml | 2 +- services/guardduty/pom.xml | 2 +- services/health/pom.xml | 2 +- services/healthlake/pom.xml | 2 +- services/iam/pom.xml | 2 +- services/identitystore/pom.xml | 2 +- services/imagebuilder/pom.xml | 2 +- services/inspector/pom.xml | 2 +- services/inspector2/pom.xml | 2 +- services/inspectorscan/pom.xml | 2 +- services/interconnect/pom.xml | 2 +- services/internetmonitor/pom.xml | 2 +- services/invoicing/pom.xml | 2 +- services/iot/pom.xml | 2 +- services/iotdataplane/pom.xml | 2 +- services/iotdeviceadvisor/pom.xml | 2 +- services/iotevents/pom.xml | 2 +- services/ioteventsdata/pom.xml | 2 +- services/iotfleetwise/pom.xml | 2 +- services/iotjobsdataplane/pom.xml | 2 +- services/iotmanagedintegrations/pom.xml | 2 +- services/iotsecuretunneling/pom.xml | 2 +- services/iotsitewise/pom.xml | 2 +- services/iotthingsgraph/pom.xml | 2 +- services/iottwinmaker/pom.xml | 2 +- services/iotwireless/pom.xml | 2 +- services/ivs/pom.xml | 2 +- services/ivschat/pom.xml | 2 +- services/ivsrealtime/pom.xml | 2 +- services/kafka/pom.xml | 2 +- services/kafkaconnect/pom.xml | 2 +- services/kendra/pom.xml | 2 +- services/kendraranking/pom.xml | 2 +- services/keyspaces/pom.xml | 2 +- services/keyspacesstreams/pom.xml | 2 +- services/kinesis/pom.xml | 2 +- services/kinesisanalytics/pom.xml | 2 +- services/kinesisanalyticsv2/pom.xml | 2 +- services/kinesisvideo/pom.xml | 2 +- services/kinesisvideoarchivedmedia/pom.xml | 2 +- services/kinesisvideomedia/pom.xml | 2 +- services/kinesisvideosignaling/pom.xml | 2 +- services/kinesisvideowebrtcstorage/pom.xml | 2 +- services/kms/pom.xml | 2 +- services/lakeformation/pom.xml | 2 +- services/lambda/pom.xml | 2 +- services/launchwizard/pom.xml | 2 +- services/lexmodelbuilding/pom.xml | 2 +- services/lexmodelsv2/pom.xml | 2 +- services/lexruntime/pom.xml | 2 +- services/lexruntimev2/pom.xml | 2 +- services/licensemanager/pom.xml | 2 +- .../licensemanagerlinuxsubscriptions/pom.xml | 2 +- .../licensemanagerusersubscriptions/pom.xml | 2 +- services/lightsail/pom.xml | 2 +- services/location/pom.xml | 2 +- services/lookoutequipment/pom.xml | 2 +- services/m2/pom.xml | 2 +- services/machinelearning/pom.xml | 2 +- services/macie2/pom.xml | 2 +- services/mailmanager/pom.xml | 2 +- services/managedblockchain/pom.xml | 2 +- services/managedblockchainquery/pom.xml | 2 +- services/marketplaceagreement/pom.xml | 2 +- services/marketplacecatalog/pom.xml | 2 +- services/marketplacecommerceanalytics/pom.xml | 2 +- services/marketplacedeployment/pom.xml | 2 +- services/marketplacediscovery/pom.xml | 2 +- services/marketplaceentitlement/pom.xml | 2 +- services/marketplacemetering/pom.xml | 2 +- services/marketplacereporting/pom.xml | 2 +- services/mediaconnect/pom.xml | 2 +- services/mediaconvert/pom.xml | 2 +- services/medialive/pom.xml | 2 +- services/mediapackage/pom.xml | 2 +- services/mediapackagev2/pom.xml | 2 +- services/mediapackagevod/pom.xml | 2 +- services/mediastore/pom.xml | 2 +- services/mediastoredata/pom.xml | 2 +- services/mediatailor/pom.xml | 2 +- services/medicalimaging/pom.xml | 2 +- services/memorydb/pom.xml | 2 +- services/mgn/pom.xml | 2 +- services/migrationhub/pom.xml | 2 +- services/migrationhubconfig/pom.xml | 2 +- services/migrationhuborchestrator/pom.xml | 2 +- services/migrationhubrefactorspaces/pom.xml | 2 +- services/migrationhubstrategy/pom.xml | 2 +- services/mpa/pom.xml | 2 +- services/mq/pom.xml | 2 +- services/mturk/pom.xml | 2 +- services/mwaa/pom.xml | 2 +- services/mwaaserverless/pom.xml | 2 +- services/neptune/pom.xml | 2 +- services/neptunedata/pom.xml | 2 +- services/neptunegraph/pom.xml | 2 +- services/networkfirewall/pom.xml | 2 +- services/networkflowmonitor/pom.xml | 2 +- services/networkmanager/pom.xml | 2 +- services/networkmonitor/pom.xml | 2 +- services/notifications/pom.xml | 2 +- services/notificationscontacts/pom.xml | 2 +- services/novaact/pom.xml | 2 +- services/oam/pom.xml | 2 +- services/observabilityadmin/pom.xml | 2 +- services/odb/pom.xml | 2 +- services/omics/pom.xml | 2 +- services/opensearch/pom.xml | 2 +- services/opensearchserverless/pom.xml | 2 +- services/organizations/pom.xml | 2 +- services/osis/pom.xml | 2 +- services/outposts/pom.xml | 2 +- services/panorama/pom.xml | 2 +- services/partnercentralaccount/pom.xml | 2 +- services/partnercentralbenefits/pom.xml | 2 +- services/partnercentralchannel/pom.xml | 2 +- services/partnercentralselling/pom.xml | 2 +- services/paymentcryptography/pom.xml | 2 +- services/paymentcryptographydata/pom.xml | 2 +- services/pcaconnectorad/pom.xml | 2 +- services/pcaconnectorscep/pom.xml | 2 +- services/pcs/pom.xml | 2 +- services/personalize/pom.xml | 2 +- services/personalizeevents/pom.xml | 2 +- services/personalizeruntime/pom.xml | 2 +- services/pi/pom.xml | 2 +- services/pinpoint/pom.xml | 2 +- services/pinpointemail/pom.xml | 2 +- services/pinpointsmsvoice/pom.xml | 2 +- services/pinpointsmsvoicev2/pom.xml | 2 +- services/pipes/pom.xml | 2 +- services/polly/pom.xml | 2 +- services/pom.xml | 2 +- services/pricing/pom.xml | 2 +- services/proton/pom.xml | 2 +- services/qapps/pom.xml | 2 +- services/qbusiness/pom.xml | 2 +- services/qconnect/pom.xml | 2 +- services/quicksight/pom.xml | 2 +- services/ram/pom.xml | 2 +- services/rbin/pom.xml | 2 +- services/rds/pom.xml | 2 +- services/rdsdata/pom.xml | 2 +- services/redshift/pom.xml | 2 +- services/redshiftdata/pom.xml | 2 +- services/redshiftserverless/pom.xml | 2 +- services/rekognition/pom.xml | 2 +- services/repostspace/pom.xml | 2 +- services/resiliencehub/pom.xml | 2 +- services/resourceexplorer2/pom.xml | 2 +- services/resourcegroups/pom.xml | 2 +- services/resourcegroupstaggingapi/pom.xml | 2 +- services/rolesanywhere/pom.xml | 2 +- services/route53/pom.xml | 2 +- services/route53domains/pom.xml | 2 +- services/route53globalresolver/pom.xml | 2 +- services/route53profiles/pom.xml | 2 +- services/route53recoverycluster/pom.xml | 2 +- services/route53recoverycontrolconfig/pom.xml | 2 +- services/route53recoveryreadiness/pom.xml | 2 +- services/route53resolver/pom.xml | 2 +- services/rtbfabric/pom.xml | 2 +- services/rum/pom.xml | 2 +- services/s3/pom.xml | 2 +- services/s3control/pom.xml | 2 +- services/s3files/pom.xml | 2 +- services/s3outposts/pom.xml | 2 +- services/s3tables/pom.xml | 2 +- services/s3vectors/pom.xml | 2 +- services/sagemaker/pom.xml | 2 +- services/sagemakera2iruntime/pom.xml | 2 +- services/sagemakeredge/pom.xml | 2 +- services/sagemakerfeaturestoreruntime/pom.xml | 2 +- services/sagemakergeospatial/pom.xml | 2 +- services/sagemakermetrics/pom.xml | 2 +- services/sagemakerruntime/pom.xml | 2 +- services/sagemakerruntimehttp2/pom.xml | 2 +- services/savingsplans/pom.xml | 2 +- services/scheduler/pom.xml | 2 +- services/schemas/pom.xml | 2 +- services/secretsmanager/pom.xml | 2 +- services/securityagent/pom.xml | 2 +- services/securityhub/pom.xml | 2 +- services/securityir/pom.xml | 2 +- services/securitylake/pom.xml | 2 +- .../serverlessapplicationrepository/pom.xml | 2 +- services/servicecatalog/pom.xml | 2 +- services/servicecatalogappregistry/pom.xml | 2 +- services/servicediscovery/pom.xml | 2 +- services/servicequotas/pom.xml | 2 +- services/ses/pom.xml | 2 +- services/sesv2/pom.xml | 2 +- services/sfn/pom.xml | 2 +- services/shield/pom.xml | 2 +- services/signer/pom.xml | 2 +- services/signerdata/pom.xml | 2 +- services/signin/pom.xml | 2 +- services/simpledbv2/pom.xml | 2 +- services/simspaceweaver/pom.xml | 2 +- services/snowball/pom.xml | 2 +- services/snowdevicemanagement/pom.xml | 2 +- services/sns/pom.xml | 2 +- services/socialmessaging/pom.xml | 2 +- services/sqs/pom.xml | 2 +- services/ssm/pom.xml | 2 +- services/ssmcontacts/pom.xml | 2 +- services/ssmguiconnect/pom.xml | 2 +- services/ssmincidents/pom.xml | 2 +- services/ssmquicksetup/pom.xml | 2 +- services/ssmsap/pom.xml | 2 +- services/sso/pom.xml | 2 +- services/ssoadmin/pom.xml | 2 +- services/ssooidc/pom.xml | 2 +- services/storagegateway/pom.xml | 2 +- services/sts/pom.xml | 2 +- services/supplychain/pom.xml | 2 +- services/support/pom.xml | 2 +- services/supportapp/pom.xml | 2 +- services/sustainability/pom.xml | 2 +- services/swf/pom.xml | 2 +- services/synthetics/pom.xml | 2 +- services/taxsettings/pom.xml | 2 +- services/textract/pom.xml | 2 +- services/timestreaminfluxdb/pom.xml | 2 +- services/timestreamquery/pom.xml | 2 +- services/timestreamwrite/pom.xml | 2 +- services/tnb/pom.xml | 2 +- services/transcribe/pom.xml | 2 +- services/transcribestreaming/pom.xml | 2 +- services/transfer/pom.xml | 2 +- services/translate/pom.xml | 2 +- services/trustedadvisor/pom.xml | 2 +- services/uxc/pom.xml | 2 +- services/verifiedpermissions/pom.xml | 2 +- services/voiceid/pom.xml | 2 +- services/vpclattice/pom.xml | 2 +- services/waf/pom.xml | 2 +- services/wafv2/pom.xml | 2 +- services/wellarchitected/pom.xml | 2 +- services/wickr/pom.xml | 2 +- services/wisdom/pom.xml | 2 +- services/workdocs/pom.xml | 2 +- services/workmail/pom.xml | 2 +- services/workmailmessageflow/pom.xml | 2 +- services/workspaces/pom.xml | 2 +- services/workspacesinstances/pom.xml | 2 +- services/workspacesthinclient/pom.xml | 2 +- services/workspacesweb/pom.xml | 2 +- services/xray/pom.xml | 2 +- test/architecture-tests/pom.xml | 2 +- test/auth-tests/pom.xml | 2 +- .../pom.xml | 2 +- test/bundle-shading-tests/pom.xml | 2 +- test/codegen-generated-classes-test/pom.xml | 2 +- test/crt-unavailable-tests/pom.xml | 2 +- test/http-client-benchmarks/pom.xml | 2 +- test/http-client-tests/pom.xml | 2 +- test/module-path-tests/pom.xml | 2 +- .../pom.xml | 2 +- test/protocol-tests-core/pom.xml | 2 +- test/protocol-tests/pom.xml | 2 +- test/region-testing/pom.xml | 2 +- test/ruleset-testing-core/pom.xml | 2 +- test/s3-benchmarks/pom.xml | 2 +- test/s3-tests/pom.xml | 2 +- test/sdk-benchmarks/pom.xml | 2 +- test/sdk-native-image-test/pom.xml | 2 +- test/service-test-utils/pom.xml | 2 +- test/stability-tests/pom.xml | 2 +- test/test-utils/pom.xml | 2 +- test/tests-coverage-reporting/pom.xml | 2 +- test/v2-migration-tests/pom.xml | 2 +- third-party/pom.xml | 2 +- third-party/third-party-jackson-core/pom.xml | 2 +- .../pom.xml | 2 +- third-party/third-party-slf4j-api/pom.xml | 2 +- utils-lite/pom.xml | 2 +- utils/pom.xml | 2 +- v2-migration/pom.xml | 2 +- 554 files changed, 1861 insertions(+), 1860 deletions(-) rename .changes/{ => 2.42.x}/2.42.0.json (100%) rename .changes/{ => 2.42.x}/2.42.1.json (100%) rename .changes/{ => 2.42.x}/2.42.10.json (100%) rename .changes/{ => 2.42.x}/2.42.11.json (100%) rename .changes/{ => 2.42.x}/2.42.12.json (100%) rename .changes/{ => 2.42.x}/2.42.13.json (100%) rename .changes/{ => 2.42.x}/2.42.14.json (100%) rename .changes/{ => 2.42.x}/2.42.15.json (100%) rename .changes/{ => 2.42.x}/2.42.16.json (100%) rename .changes/{ => 2.42.x}/2.42.17.json (100%) rename .changes/{ => 2.42.x}/2.42.18.json (100%) rename .changes/{ => 2.42.x}/2.42.19.json (100%) rename .changes/{ => 2.42.x}/2.42.2.json (100%) rename .changes/{ => 2.42.x}/2.42.20.json (100%) rename .changes/{ => 2.42.x}/2.42.21.json (100%) rename .changes/{ => 2.42.x}/2.42.22.json (100%) rename .changes/{ => 2.42.x}/2.42.23.json (100%) rename .changes/{ => 2.42.x}/2.42.24.json (100%) rename .changes/{ => 2.42.x}/2.42.25.json (100%) rename .changes/{ => 2.42.x}/2.42.26.json (100%) rename .changes/{ => 2.42.x}/2.42.27.json (100%) rename .changes/{ => 2.42.x}/2.42.28.json (100%) rename .changes/{ => 2.42.x}/2.42.29.json (100%) rename .changes/{ => 2.42.x}/2.42.3.json (100%) rename .changes/{ => 2.42.x}/2.42.30.json (100%) rename .changes/{ => 2.42.x}/2.42.31.json (100%) rename .changes/{ => 2.42.x}/2.42.32.json (100%) rename .changes/{ => 2.42.x}/2.42.33.json (100%) rename .changes/{ => 2.42.x}/2.42.34.json (100%) rename .changes/{ => 2.42.x}/2.42.35.json (100%) rename .changes/{ => 2.42.x}/2.42.4.json (100%) rename .changes/{ => 2.42.x}/2.42.5.json (100%) rename .changes/{ => 2.42.x}/2.42.6.json (100%) rename .changes/{ => 2.42.x}/2.42.7.json (100%) rename .changes/{ => 2.42.x}/2.42.8.json (100%) rename .changes/{ => 2.42.x}/2.42.9.json (100%) create mode 100644 changelogs/2.42.x-CHANGELOG.md diff --git a/.changes/2.42.0.json b/.changes/2.42.x/2.42.0.json similarity index 100% rename from .changes/2.42.0.json rename to .changes/2.42.x/2.42.0.json diff --git a/.changes/2.42.1.json b/.changes/2.42.x/2.42.1.json similarity index 100% rename from .changes/2.42.1.json rename to .changes/2.42.x/2.42.1.json diff --git a/.changes/2.42.10.json b/.changes/2.42.x/2.42.10.json similarity index 100% rename from .changes/2.42.10.json rename to .changes/2.42.x/2.42.10.json diff --git a/.changes/2.42.11.json b/.changes/2.42.x/2.42.11.json similarity index 100% rename from .changes/2.42.11.json rename to .changes/2.42.x/2.42.11.json diff --git a/.changes/2.42.12.json b/.changes/2.42.x/2.42.12.json similarity index 100% rename from .changes/2.42.12.json rename to .changes/2.42.x/2.42.12.json diff --git a/.changes/2.42.13.json b/.changes/2.42.x/2.42.13.json similarity index 100% rename from .changes/2.42.13.json rename to .changes/2.42.x/2.42.13.json diff --git a/.changes/2.42.14.json b/.changes/2.42.x/2.42.14.json similarity index 100% rename from .changes/2.42.14.json rename to .changes/2.42.x/2.42.14.json diff --git a/.changes/2.42.15.json b/.changes/2.42.x/2.42.15.json similarity index 100% rename from .changes/2.42.15.json rename to .changes/2.42.x/2.42.15.json diff --git a/.changes/2.42.16.json b/.changes/2.42.x/2.42.16.json similarity index 100% rename from .changes/2.42.16.json rename to .changes/2.42.x/2.42.16.json diff --git a/.changes/2.42.17.json b/.changes/2.42.x/2.42.17.json similarity index 100% rename from .changes/2.42.17.json rename to .changes/2.42.x/2.42.17.json diff --git a/.changes/2.42.18.json b/.changes/2.42.x/2.42.18.json similarity index 100% rename from .changes/2.42.18.json rename to .changes/2.42.x/2.42.18.json diff --git a/.changes/2.42.19.json b/.changes/2.42.x/2.42.19.json similarity index 100% rename from .changes/2.42.19.json rename to .changes/2.42.x/2.42.19.json diff --git a/.changes/2.42.2.json b/.changes/2.42.x/2.42.2.json similarity index 100% rename from .changes/2.42.2.json rename to .changes/2.42.x/2.42.2.json diff --git a/.changes/2.42.20.json b/.changes/2.42.x/2.42.20.json similarity index 100% rename from .changes/2.42.20.json rename to .changes/2.42.x/2.42.20.json diff --git a/.changes/2.42.21.json b/.changes/2.42.x/2.42.21.json similarity index 100% rename from .changes/2.42.21.json rename to .changes/2.42.x/2.42.21.json diff --git a/.changes/2.42.22.json b/.changes/2.42.x/2.42.22.json similarity index 100% rename from .changes/2.42.22.json rename to .changes/2.42.x/2.42.22.json diff --git a/.changes/2.42.23.json b/.changes/2.42.x/2.42.23.json similarity index 100% rename from .changes/2.42.23.json rename to .changes/2.42.x/2.42.23.json diff --git a/.changes/2.42.24.json b/.changes/2.42.x/2.42.24.json similarity index 100% rename from .changes/2.42.24.json rename to .changes/2.42.x/2.42.24.json diff --git a/.changes/2.42.25.json b/.changes/2.42.x/2.42.25.json similarity index 100% rename from .changes/2.42.25.json rename to .changes/2.42.x/2.42.25.json diff --git a/.changes/2.42.26.json b/.changes/2.42.x/2.42.26.json similarity index 100% rename from .changes/2.42.26.json rename to .changes/2.42.x/2.42.26.json diff --git a/.changes/2.42.27.json b/.changes/2.42.x/2.42.27.json similarity index 100% rename from .changes/2.42.27.json rename to .changes/2.42.x/2.42.27.json diff --git a/.changes/2.42.28.json b/.changes/2.42.x/2.42.28.json similarity index 100% rename from .changes/2.42.28.json rename to .changes/2.42.x/2.42.28.json diff --git a/.changes/2.42.29.json b/.changes/2.42.x/2.42.29.json similarity index 100% rename from .changes/2.42.29.json rename to .changes/2.42.x/2.42.29.json diff --git a/.changes/2.42.3.json b/.changes/2.42.x/2.42.3.json similarity index 100% rename from .changes/2.42.3.json rename to .changes/2.42.x/2.42.3.json diff --git a/.changes/2.42.30.json b/.changes/2.42.x/2.42.30.json similarity index 100% rename from .changes/2.42.30.json rename to .changes/2.42.x/2.42.30.json diff --git a/.changes/2.42.31.json b/.changes/2.42.x/2.42.31.json similarity index 100% rename from .changes/2.42.31.json rename to .changes/2.42.x/2.42.31.json diff --git a/.changes/2.42.32.json b/.changes/2.42.x/2.42.32.json similarity index 100% rename from .changes/2.42.32.json rename to .changes/2.42.x/2.42.32.json diff --git a/.changes/2.42.33.json b/.changes/2.42.x/2.42.33.json similarity index 100% rename from .changes/2.42.33.json rename to .changes/2.42.x/2.42.33.json diff --git a/.changes/2.42.34.json b/.changes/2.42.x/2.42.34.json similarity index 100% rename from .changes/2.42.34.json rename to .changes/2.42.x/2.42.34.json diff --git a/.changes/2.42.35.json b/.changes/2.42.x/2.42.35.json similarity index 100% rename from .changes/2.42.35.json rename to .changes/2.42.x/2.42.35.json diff --git a/.changes/2.42.4.json b/.changes/2.42.x/2.42.4.json similarity index 100% rename from .changes/2.42.4.json rename to .changes/2.42.x/2.42.4.json diff --git a/.changes/2.42.5.json b/.changes/2.42.x/2.42.5.json similarity index 100% rename from .changes/2.42.5.json rename to .changes/2.42.x/2.42.5.json diff --git a/.changes/2.42.6.json b/.changes/2.42.x/2.42.6.json similarity index 100% rename from .changes/2.42.6.json rename to .changes/2.42.x/2.42.6.json diff --git a/.changes/2.42.7.json b/.changes/2.42.x/2.42.7.json similarity index 100% rename from .changes/2.42.7.json rename to .changes/2.42.x/2.42.7.json diff --git a/.changes/2.42.8.json b/.changes/2.42.x/2.42.8.json similarity index 100% rename from .changes/2.42.8.json rename to .changes/2.42.x/2.42.8.json diff --git a/.changes/2.42.9.json b/.changes/2.42.x/2.42.9.json similarity index 100% rename from .changes/2.42.9.json rename to .changes/2.42.x/2.42.9.json diff --git a/CHANGELOG.md b/CHANGELOG.md index afe9c0d8df90..a9233d91ad29 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,1345 +1 @@ #### 👋 _Looking for changelogs for older versions? You can find them in the [changelogs](./changelogs) directory._ -# __2.42.35__ __2026-04-16__ -## __AWS DevOps Agent Service__ - - ### Features - - Deprecate the userId from the Chat operations. This update also removes support of AllowVendedLogDeliveryForResource API from AWS SDKs. - -## __AWS Elemental MediaConvert__ - - ### Features - - Adds support for Elemental Inference powered smart crop feature, enabling video verticalization - -## __AWS SDK for Java v2__ - - ### Features - - Add HTTP client configuration type metadata to the User-Agent header, tracking whether the HTTP client was auto-detected from the classpath, an explicit client instance or client builder configured by the customer. - - Updated endpoint and partition metadata. - - - ### Bugfixes - - Fixed an issue where using a getObject ResponsePublisher as a putObject request body with the CRT HTTP client could cause the SDK to hang on retry when the server returns a retryable error. - -## __Amazon AppStream__ - - ### Features - - Add content redirection to Update Stack - -## __Amazon Bedrock AgentCore__ - - ### Features - - Introducing NamespacePath in AgentCore Memory to support hierarchical prefix based memory record retrieval. - -## __Amazon CloudWatch__ - - ### Features - - Update documentation of alarm mute rules start and end date fields - -## __Amazon CloudWatch Logs__ - - ### Features - - Endpoint update for CloudWatch Logs Streaming APIs. - -## __Amazon Cognito Identity Provider__ - - ### Features - - Adds support for passkey-based multi-factor authentication in Cognito User Pools. Users can authenticate securely using FIDO2-compliant passkeys with user verification, enabling passwordless MFA flows while maintaining backward compatibility with password-based authentication - -## __Amazon Connect Cases__ - - ### Features - - Added error handling for service quota limits - -## __Amazon Connect Customer Profiles__ - - ### Features - - Amazon Connect Customer Profiles adds RecommenderSchema CRUD APIs for custom ML training columns. CreateRecommender and CreateRecommenderFilter now accept optional RecommenderSchemaName. - -## __Amazon Connect Service__ - - ### Features - - This release updates the Amazon Connect Rules CRUD APIs to support a new EventSourceName - OnEmailAnalysisAvailable. Use this event source to trigger rules when conversational analytics results are available for email contacts. - -## __Amazon DataZone__ - - ### Features - - Launching SMUS IAM domain SDK support - -## __Amazon Relational Database Service__ - - ### Features - - Adds a new DescribeServerlessV2PlatformVersions API to describe platform version properties for Aurora Serverless v2. Also introduces a new valid maintenance action value for serverless platform version updates. - -## __Amazon SNS Message Manager__ - - ### Features - - This change introduces the SNS Message Manager for 2.x, a library used to parse and validate messages received from SNS. This aims to provide the same functionality as [SnsMessageManager](https://docs.aws.amazon.com/AWSJavaSDK/latest/javadoc/com/amazonaws/services/sns/message/SnsMessageManager.html) from 1.x. - -## __Apache 5 HTTP Client__ - - ### Features - - Update `httpcore5` to `5.4.2`. - -## __Auto Scaling__ - - ### Features - - This release adds support for specifying Availability Zone IDs as an alternative to Availability Zone names when creating or updating Auto Scaling groups. - -## __Elastic Disaster Recovery Service__ - - ### Features - - Updating regex for identification of AWS Regions. - -# __2.42.34__ __2026-04-13__ -## __AWS Glue__ - - ### Features - - AWS Glue now defaults to Glue version 5.1 for newly created jobs if the Glue version is not specified in the request, and UpdateJob now preserves the existing Glue version of a job when the Glue version is not specified in the update request. - -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - -## __AWS SecurityHub__ - - ### Features - - Provide organizational unit scoping capability for GetFindingsV2, GetFindingStatisticsV2, GetResourcesV2, GetResourcesStatisticsV2 APIs. - -## __AWSDeadlineCloud__ - - ### Features - - Adds GetMonitorSettings and UpdateMonitorSettings APIs to Deadline Cloud. Enables reading and writing monitor settings as key-value pairs (up to 64 keys per monitor). UpdateMonitorSettings supports upsert and delete (via empty value) semantics and is idempotent. - -## __Amazon Connect Customer Profiles__ - - ### Features - - This release introduces changes to SegmentDefinition APIs to support sorting by attributes. - -## __Amazon DynamoDB Enhanced Client__ - - ### Bugfixes - - Fix AutoGeneratedTimestampRecordExtension failing on @DynamoDbConvertedBy list attributes - -## __Amazon Macie 2__ - - ### Features - - This release adds an optional expectedBucketOwner field to the Macie S3 export configuration, allowing customers to verify bucket ownership before Macie writes results to the destination bucket. - -## __Interconnect__ - - ### Features - - Initial release of AWS Interconnect -- a managed private connectivity service that enables you to create high-speed network connections between your AWS Virtual Private Clouds (VPCs) and your VPCs on other public clouds or your on-premise networks. - -# __2.42.33__ __2026-04-10__ -## __AWS DevOps Agent Service__ - - ### Features - - Devops Agent now supports associate Splunk, Datadog and custom MCP server to an Agent Space. - -## __AWS Elemental MediaConvert__ - - ### Features - - Adds support for MV-HEVC video output and clear lead for AV1 DRM output. - -## __Amazon Connect Service__ - - ### Features - - Conversational Analytics for Email - -## __Amazon EC2 Container Service__ - - ### Features - - Minor updates to exceptions for completeness - -## __Amazon SageMaker Service__ - - ### Features - - Support new SageMaker StartClusterHealthCheck API for on-demand DHC on Hyperpod EKS cluster. Support updated CreateCluster, UpdateCluster, DescribeCluster, BatchAddClusterNodes APIs for flexible instance group on HyperPod cluster - -## __CloudWatch Observability Admin Service__ - - ### Features - - CloudWatch Observability Admin adds support for multi-region telemetry evaluation and telemetry enablement rules. - -## __EC2 Image Builder__ - - ### Features - - Image pipelines can now automatically apply tags to images they create. Set the imageTags property when creating or updating your pipelines to get started. - -## __Netty NIO HTTP Client__ - - ### Bugfixes - - Added idle body write detection to proactively close connections when no request body data is written within the write timeout period. - -## __RTBFabric__ - - ### Features - - Adds optional health check configuration for Responder Gateways with ASG Managed Endpoints. When provided, RTB Fabric continuously probes customers' instance IPs and routes traffic only to healthy ones, reducing errors during deployments, scaling events, and instance failures. - -# __2.42.32__ __2026-04-09__ -## __AWS Billing and Cost Management Dashboards__ - - ### Features - - Scheduled email reports of Billing and Cost Management Dashboards - -## __AWS MediaConnect__ - - ### Features - - Adds support for MediaLive Channel-type Router Inputs. - -## __Amazon Bedrock AgentCore__ - - ### Features - - Introducing support for SearchRegistryRecords API on AgentCoreRegistry - -## __Amazon Bedrock AgentCore Control__ - - ### Features - - Initial release for CRUDL in AgentCore Registry Service - -## __Amazon SageMaker Service__ - - ### Features - - Release support for g7e instance types for SageMaker HyperPod - -## __Redshift Data API Service__ - - ### Features - - The BatchExecuteStatement API now supports named SQL parameters, enabling secure batch queries with parameterized values. This enhancement helps prevent SQL injection vulnerabilities and improves query reusability. - -# __2.42.31__ __2026-04-08__ -## __AWS Backup__ - - ### Features - - Adding EKS specific backup vault notification types for AWS Backup. - -## __AWS Elemental MediaLive__ - - ### Features - - MediaLive is adding support for MediaConnect Router by supporting a new output type called MEDIACONNECT ROUTER. This new output type will provide seamless encrypted transport between your MediaLive channel and MediaConnect Router. - -## __AWS Marketplace Discovery__ - - ### Features - - AWS Marketplace Discovery API provides an interface that enables programmatic access to the AWS Marketplace catalog, including searching and browsing listings, retrieving product details and fulfillment options, and accessing public and private offer pricing and terms. - -## __AWS Outposts__ - - ### Features - - Add AWS Outposts APIs to view renewal pricing options and submit renewal requests for Outpost contracts - -## __Amazon DynamoDB Enhanced Client__ - - ### Features - - Added support for @DynamoDbAutoGeneratedTimestampAttribute on attributes within nested objects. - -## __Amazon Elastic Container Registry__ - - ### Features - - Add UnableToListUpstreamImageReferrersException in ListImageReferrers - -## __Amazon Interactive Video Service RealTime__ - - ### Features - - Adds support for Amazon IVS real-time streaming redundant ingest. - -## __Elastic Disaster Recovery Service__ - - ### Features - - This changes adds support for modifying the replication configuration to support data replication using IPv6. - -# __2.42.30__ __2026-04-07__ -## __AWS DataSync__ - - ### Features - - Allow IAM role ARNs with IAM Paths for "SecretAccessRoleArn" field in "CustomSecretConfig" - -## __AWS Lambda__ - - ### Features - - Launching Lambda integration with S3 Files as a new file system configuration. - -## __AWS Outposts__ - - ### Features - - This change allows listAssets to surface pending and non-compute asset information. Adds the INSTALLING asset state enum and the STORAGE, POWERSHELF, SWITCH, and NETWORKING AssetTypes. - -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - -## __Access Analyzer__ - - ### Features - - Revert previous additions of API changes. - -## __Amazon Bedrock AgentCore__ - - ### Features - - This release includes support for 1) InvokeBrowser API, enabling OS-level control of AgentCore Browser Tool sessions through mouse actions, keyboard input, and screenshots. 2) Added documentation noting that empty sessions are automatically deleted after one day in the ListSessions API. - -## __Amazon Connect Service__ - - ### Features - - The voice enhancement mode used by the agent can now be viewed on the contact record via the DescribeContact api. - -## __Amazon DataZone__ - - ### Features - - Update Configurations and registerS3AccessGrantLocation as public attributes for cfn - -## __Amazon EC2 Container Service__ - - ### Features - - This release provides the functionality of mounting Amazon S3 Files to Amazon ECS tasks by adding support for the new S3FilesVolumeConfiguration parameter in ECS RegisterTaskDefinition API. - -## __Amazon Elastic Compute Cloud__ - - ### Features - - EC2 Capacity Manager adds new dimensions for grouping and filtering capacity metrics, including tag-based dimensions and Account Name. - -## __Amazon Elastic Kubernetes Service__ - - ### Features - - EKS MNG WarmPool feature to support ASG WarmPool feature. - -## __Amazon S3 Files__ - - ### Features - - Support for S3 Files, a new shared file system that connects any AWS compute directly with your data in Amazon S3. It provides fast, direct access to all of your S3 data as files with full file system semantics and low-latency performance, without your data ever leaving S3. - -## __Amazon Simple Storage Service__ - - ### Features - - Updated list of the valid AWS Region values for the LocationConstraint parameter for general purpose buckets. - -## __Braket__ - - ### Features - - Added support for t3, g6, and g6e instance types for Hybrid Jobs. - -## __RTBFabric__ - - ### Features - - AWS RTB Fabric External Responder gateways now support HTTP in addition to HTTPS for inbound external links. Gateways can accept bid requests on port 80 or serve both protocols simultaneously via listener configuration, giving customers flexible transport options for their bidding infrastructure - -# __2.42.29__ __2026-04-06__ -## __AWS MediaTailor__ - - ### Features - - This change adds support for Tagging the resource types Programs and Prefetch Schedules - -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - - - ### Bugfixes - - Add business metrics tracking for precomputed checksum headers in requests. - -## __AWS Transfer Family__ - - ### Features - - AWS Transfer Family Connectors now support IPv6 connectivity, enabling outbound connections to remote SFTP or AS2 servers using IPv4-only or dual-stack (IPv4 and IPv6) configurations based on network requirements. - -## __AWSDeadlineCloud__ - - ### Features - - Added 8 batch APIs (BatchGetJob, BatchGetStep, BatchGetTask, BatchGetSession, BatchGetSessionAction, BatchGetWorker, BatchUpdateJob, BatchUpdateTask) for bulk operations. Monitors can now use an Identity Center instance in a different region via the identityCenterRegion parameter. - -## __Access Analyzer__ - - ### Features - - Brookie helps customers preview the impact of SCPs before deployment using historical access activity. It evaluates attached policies and proposed policy updates using collected access activity through CloudTrail authorization events and reports where currently allowed access will be denied. - -## __Amazon Data Lifecycle Manager__ - - ### Features - - This release adds support for Fast Snapshot Restore AvailabilityZone Ids in Amazon Data Lifecycle Manager EBS snapshot lifecycle policies. - -## __Amazon GuardDuty__ - - ### Features - - Migrated to Smithy. No functional changes - -## __Amazon Lightsail__ - - ### Features - - This release adds support for the Asia Pacific (Malaysia) (ap-southeast-5) Region. - -## __Amazon Location Service Maps V2__ - - ### Features - - This release updates API reference documentation for Amazon Location Service Maps APIs to reflect regional restrictions for Grab Maps users - -## __Amazon Q Connect__ - - ### Features - - Added optional originRequestId parameter to SendMessageRequest and ListSpans response in Amazon Q in Connect to support request tracing across service boundaries. - -## __Apache 5 HTTP Client__ - - ### Bugfixes - - Fixed a connection leak that could occur when the thread waiting to acquire a connection from the pool is interrupted. Fixes [#6786](https://github.com/aws/aws-sdk-java-v2/issues/6786). - -## __Netty NIO HTTP Client__ - - ### Bugfixes - - Include channel diagnostics in Read/Write timeout error messages to aid debugging. - -# __2.42.28__ __2026-04-03__ -## __AWS Elemental MediaLive__ - - ### Features - - AWS Elemental MediaLive released a new features that allows customers to use HLG 2020 as a color space for AV1 video codec. - -## __AWS Organizations__ - - ### Features - - Updates close Account quota for member accounts in an Organization. - -## __Agents for Amazon Bedrock__ - - ### Features - - Added strict parameter to ToolSpecification to allow users to enforce strict JSON schema adherence for tool input schemas. - -## __Amazon Bedrock__ - - ### Features - - Amazon Bedrock Guardrails enforcement configuration APIs now support selective guarding controls for system prompts as well as user and assistant messages, along with SDK support for Amazon Bedrock resource policy APIs. - -## __Amazon Bedrock AgentCore Control__ - - ### Features - - Documentation Update for Adds support for three-legged (Authorization Code grant type) OAuth along with predefined MCP tool schema configuration for Amazon Bedrock AgentCore gateway MCP server targets. - -## __Amazon CloudWatch Logs__ - - ### Features - - Added queryDuration, bytesScanned, and userIdentity fields to the QueryInfo response object returned by DescribeQueries. Customers can now view detailed query cost information including who ran the query, how long it took, and the volume of data scanned. - -## __Amazon Lightsail__ - - ### Features - - Add support for tagging of Alarm resource type - -## __EC2 Image Builder__ - - ### Features - - Updated pagination token validation for ListContainerRecipes API to support maximum size of 65K characters - -## __Payment Cryptography Control Plane__ - - ### Features - - Adds optional support to retrieve previously generated import and export tokens to simplify import and export functions - -# __2.42.27__ __2026-04-02__ -## __AWS CRT Async HTTP Client__ - - ### Features - - Add HTTP/2 support in the AWS CRT Async HTTP Client. - -## __AWS Price List Service__ - - ### Features - - This release increases the MaxResults parameter of the GetAttributeValues API from 100 to 10000. - -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - -## __AWSDeadlineCloud__ - - ### Features - - AWS Deadline Cloud now supports configurable scheduling on each queue. The scheduling configuration controls how workers are distributed across jobs. - -## __Amazon AppStream__ - - ### Features - - Amazon WorkSpaces Applications now supports drain mode for instances in multi-session fleets. This capability allows administrators to instruct individual fleet instances to stop accepting new user sessions while allowing existing sessions to continue uninterrupted. - -## __Amazon Bedrock AgentCore Control__ - - ### Features - - Adds support for three-legged (Authorization Code grant type) OAuth along with predefined MCP tool schema configuration for Amazon Bedrock AgentCore gateway MCP server targets. - -## __Amazon Bedrock Runtime__ - - ### Features - - Relax ToolUseId pattern to allow dots and colons - -## __Amazon CloudWatch__ - - ### Features - - CloudWatch now supports OTel enrichment to make vended metrics for supported AWS resources queryable via PromQL with resource ARN and tag labels, and PromQL alarms for metrics ingested via the OTLP endpoint with multi-contributor evaluation. - -## __Amazon CloudWatch Logs__ - - ### Features - - We are pleased to announce that our logs transformation csv processor now has a destination field, allowing you to specify under which parent node parsed columns be placed under. - -## __Amazon Connect Service__ - - ### Features - - Include CUSTOMER to evaluation target and participant role. Support Korean, Japanese and Simplified Chinese in evaluation forms. - -## __Amazon GameLift__ - - ### Features - - Amazon GameLift Servers now includes a ComputeName field in game session API responses, making it easier to identify which compute is hosting a game session without cross-referencing IP addresses. - -## __Amazon Location Service Places V2__ - - ### Features - - This release updates API reference documentation for Amazon Location Service Places APIs to reflect regional restrictions for Grab Maps users in ReverseGeocode, Suggest, SearchText, and GetPlace operations - -## __Data Automation for Amazon Bedrock__ - - ### Features - - Data Automation Library is a BDA capability that lets you create reusable entity resources to improve extraction accuracy. Libraries support Custom Vocabulary entities that enhance speech recognition for audio and video content with domain-specific terminology shared across projects - -# __2.42.26__ __2026-04-01__ -## __AWS Health Imaging__ - - ### Features - - Added new boolean flag to persist metadata updates to all primary image sets in the same study as the requested image set. - -## __Amazon Bedrock__ - - ### Features - - Adds support for Bedrock Batch Inference Job Progress Monitoring - -## __Amazon Bedrock AgentCore__ - - ### Features - - Added the ability to filter out empty sessions when listing sessions. Customers can now retrieve only sessions that still contain events, eliminating the need to check each session individually. No changes required for existing integrations. - -## __Amazon Bedrock AgentCore Control__ - - ### Features - - Adds support for VPC egress private endpoints for Amazon Bedrock AgentCore gateway targets, enabling private connectivity through managed VPC Lattice resources. Also adds IAM credential provider for gateway targets, enabling IAM-based authentication to target endpoints - -## __Amazon EC2 Container Service__ - - ### Features - - Amazon ECS now supports Managed Daemons with dedicated APIs for registering daemon task definitions, creating daemons, and managing daemon deployments. - -## __Amazon ElastiCache__ - - ### Features - - Updated SnapshotRetentionLimit documentation for ServerlessCache to correctly describe the parameter as number of days (max 35) instead of number of snapshots. - -## __Amazon Elasticsearch Service__ - - ### Features - - Adding Policy-Min-TLS-1-2-RFC9151-FIPS-2024-08 as TLS Policy in Supported Regions - -## __Amazon Location Service Routes V2__ - - ### Features - - This release makes RoutingBoundary optional in CalculateRouteMatrix, set StopDuration with a maximum value of 49999 for CalculateRoutes, set TrailerCount with a maximum value of 4, and introduces region restrictions for Grab Maps users. - -## __Amazon OpenSearch Service__ - - ### Features - - Adding Policy-Min-TLS-1-2-RFC9151-FIPS-2024-08 as TLS Policy in Supported Regions - -## __Apache 5 HTTP Client__ - - ### Features - - Disable Expect 100-Continue by default in the Apache5 HTTP Client. - -# __2.42.25__ __2026-03-31__ -## __AWS CRT HTTP Client__ - - ### Bugfixes - - Enabled default connection health monitoring for the AWS CRT HTTP client. Connections that remain stalled below 1 byte per second for the duration the read/write timeout (default 30 seconds) are now automatically terminated. This behavior can be overridden via ConnectionHealthConfiguration. - -## __AWS Certificate Manager__ - - ### Features - - Adds support for searching for ACM certificates using the new SearchCertificates API. - -## __AWS Data Exchange__ - - ### Features - - Support Tags for AWS Data Exchange resource Assets - -## __AWS Database Migration Service__ - - ### Features - - To successfully connect to the IBM DB2 LUW database server, you may need to specify additional security parameters that are passed to the JDBC driver. These parameters are EncryptionAlgorithm and SecurityMechanism. Both parameters accept integer values. - -## __AWS DevOps Agent Service__ - - ### Features - - AWS DevOps Agent service General Availability release. - -## __AWS Marketplace Agreement Service__ - - ### Features - - This release adds 8 new APIs for AWS Marketplace sellers. 4 APIs for Cancellations (Send, List, Get, Cancel action on AgreementCancellationRequest), 3 APIs for Billing Adjustments (BatchCreate, List, Get action on BillingAdjustmentRequest), and 1 API to List Invoices (ListAgreementInvoiceLineItems) - -## __AWS Organizations__ - - ### Features - - Added Path field to Account and OrganizationalUnit objects in AWS Organizations API responses. - -## __AWS S3 Control__ - - ### Features - - Adding an optional auditContext parameter to S3 Access Grants credential vending API GetDataAccess to enable job-level audit correlation in S3 CloudTrail logs - -## __AWS SDK for Java v2__ - - ### Features - - Update Netty to 4.1.132 - - Contributed by: [@mrdziuban](https://github.com/mrdziuban) - -## __AWS SDK for Java v2 Migration Tool__ - - ### Bugfixes - - Fix bug for v1 getUserMetaDataOf transform - -## __AWS Security Agent__ - - ### Features - - AWS Security Agent is a service that proactively secures applications throughout the development lifecycle with automated security reviews and on-demand penetration testing. - -## __AWS Sustainability__ - - ### Features - - This is the first release of the AWS Sustainability SDK, which enables customers to access their sustainability impact data via API. - -## __Amazon CloudFront__ - - ### Features - - This release adds bring your own IP (BYOIP) IPv6 support to CloudFront's CreateAnycastIpList and UpdateAnycastIpList API through the IpamCidrConfigs field. - -## __Amazon DataZone__ - - ### Features - - Adds environmentConfigurationName field to CreateEnvironmentInput and UpdateEnvironmentInput, so that Domain Owners can now recover orphaned environments by recreating deleted configurations with the same name, and will auto-recover orphaned environments - -## __Amazon DynamoDB Enhanced Client__ - - ### Bugfixes - - Returning correct operation name for DeleteTableOperation - -## __Amazon Elastic Compute Cloud__ - - ### Features - - This release updates the examples in the documentation for DescribeRegions and DescribeAvailabilityZones. - -## __Amazon Kinesis Analytics__ - - ### Features - - Support for Flink 2.2 in Managed Service for Apache Flink - -## __Amazon Location Service Maps V2__ - - ### Features - - This release expands map customization options with adjustable contour line density, dark mode support for Hybrid and Satellite views, enhanced traffic information across multiple map styles, and transit and truck travel modes for Monochrome and Hybrid map styles. - -## __Amazon OpenSearch Service__ - - ### Features - - Support RegisterCapability, GetCapability, DeregisterCapability API for AI Assistant feature management for OpenSearch UI Applications - -## __Amazon Pinpoint SMS Voice V2__ - - ### Features - - This release adds RCS for Business messaging and Notify support. RCS lets you create and manage agents, send and receive messages in the US and Canada via SendTextMessage API, and configure SMS fallback. Notify lets you send templated OTP messages globally in minutes with no phone number required. - -## __Amazon QuickSight__ - - ### Features - - Adds StartAutomationJob and DescribeAutomationJob APIs for automation jobs. Adds three custom permission capabilities that allow admins to control whether users can manage Spaces and chat agents. Adds an OAuthClientCredentials structure to provide OAuth 2.0 client credentials inline to data sources. - -## __Amazon S3 Tables__ - - ### Features - - S3 Tables now supports nested types when creating tables. Users can define complex column schemas using struct, list, and map types. These types can be composed together to model complex, hierarchical data structures within table schemas. - -## __Amazon Simple Storage Service__ - - ### Features - - Add Bucket Metrics configuration support to directory buckets - -## __CloudWatch Observability Admin Service__ - - ### Features - - This release adds the Bedrock and Security Hub resource types for Omnia Enablement launch for March 31. - -## __MailManager__ - - ### Features - - Amazon SES Mail Manager now supports optional TLS policy for accepting unencrypted connections and mTLS authentication for ingress endpoints with configurable trust stores. Two new rule actions are available, Bounce for sending non-delivery reports and Lambda invocation for custom email processing. - -## __Partner Central Selling API__ - - ### Features - - Adding EURO Currency for MRR Amount - -## __odb__ - - ### Features - - Adds support for EC2 Placement Group integration with ODB Network. The GetOdbNetwork and ListOdbNetworks API responses now include the ec2PlacementGroupIds field. - -## __Contributors__ -Special thanks to the following contributors to this release: - -[@mrdziuban](https://github.com/mrdziuban) -# __2.42.24__ __2026-03-30__ -## __AWS DevOps Agent Service__ - - ### Features - - AWS DevOps Agent General Availability. - -## __AWS Lake Formation__ - - ### Features - - Add setSourceIdentity to DataLakeSettings Parameters - -## __AWS SDK for Java v2__ - - ### Bugfixes - - Optimized JSON serialization by skipping null field marshalling for payload fields - -## __AWSDeadlineCloud__ - - ### Features - - AWS Deadline Cloud now supports three new fleet auto scaling settings. With scale out rate, you can configure how quickly workers launch. With worker idle duration, you can set how long workers wait before shutting down. With standby worker count, you can keep idle workers ready for fast job start. - -## __Amazon AppStream__ - - ### Features - - Add support for URL Redirection - -## __Amazon Bedrock AgentCore__ - - ### Features - - Adds Ground Truth support for AgentCore Evaluations (Evaluate) - -## __Amazon CloudWatch Logs__ - - ### Features - - Adds Lookup Tables to CloudWatch Logs for log enrichment using CSV key-value data with KMS encryption support. - -## __Amazon DynamoDB Enhanced Client__ - - ### Bugfixes - - Improved performance by caching partition and sort key name lookups in StaticTableMetadata. - -## __Amazon EC2 Container Service__ - - ### Features - - Adding Local Storage support for ECS Managed Instances by introducing a new field "localStorageConfiguration" for CreateCapacityProvider and UpdateCapacityProvider APIs. - -## __Amazon GameLift__ - - ### Features - - Update CreateScript API documentation. - -## __Amazon OpenSearch Service__ - - ### Features - - Added Cluster Insights API's In OpenSearch Service SDK. - -## __Amazon SageMaker Service__ - - ### Features - - Added support for placement strategy and consolidation for SageMaker inference component endpoints. Customers can now configure how inference component copies are distributed across instances and availability zones (AZs), and enable automatic consolidation to optimizes resource utilization. - -## __Auto Scaling__ - - ### Features - - Adds support for new instance lifecycle states introduced by the instance lifecycle policy and replace root volume features. - -## __Partner Central Account API__ - - ### Features - - KYB Supplemental Form enables partners who fail business verification to submit additional details and supporting documentation through a self-service form, triggering an automated re-verification without requiring manual intervention from support teams. - -# __2.42.23__ __2026-03-27__ -## __Amazon Bedrock AgentCore__ - - ### Features - - Adding AgentCore Code Interpreter Node.js Runtime Support with an optional runtime field - -## __Amazon Bedrock AgentCore Control__ - - ### Features - - Adds support for custom code-based evaluators using customer-managed Lambda functions. - -## __Amazon NeptuneData__ - - ### Features - - Minor formatting changes to remove unnecessary symbols. - -## __Amazon Omics__ - - ### Features - - AWS HealthOmics now supports VPC networking, allowing users to connect runs to external resources with NAT gateway, AWS VPC resources, and more. New Configuration APIs support configuring VPC settings. StartRun API now accepts networkingMode and configurationName parameters to enable VPC networking. - -## __Apache 5 HTTP Client__ - - ### Bugfixes - - Fixed an issue in the Apache 5 HTTP client where requests could fail with `"Endpoint not acquired / already released"`. These failures are now converted to retryable I/O errors. - -# __2.42.22__ __2026-03-26__ -## __AWS Billing and Cost Management Data Exports__ - - ### Features - - With this release we are providing an option to accounts to have their export delivered to an S3 bucket that is not owned by the account. - -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - -## __Amazon CloudWatch EMF Metric Publisher__ - - ### Features - - Add `PropertiesFactory` and `propertiesFactory` to `EmfMetricLoggingPublisher.Builder`, enabling users to enrich EMF records with custom key-value properties derived from the metric collection or ambient context, searchable in CloudWatch Logs Insights. See [#6595](https://github.com/aws/aws-sdk-java-v2/issues/6595). - - Contributed by: [@humanzz](https://github.com/humanzz) - -## __Amazon CloudWatch Logs__ - - ### Features - - This release adds parameter support to saved queries in CloudWatch Logs Insights. Define reusable query templates with named placeholders, invoke them using start query. Available in Console, CLI and SDK - -## __Amazon EMR__ - - ### Features - - Add StepExecutionRoleArn to RunJobFlow API - -## __Amazon SageMaker Service__ - - ### Features - - Release support for ml.r5d.16xlarge instance types for SageMaker HyperPod - -## __Timestream InfluxDB__ - - ### Features - - Timestream for InfluxDB adds support for customer defined maintenance windows. This allows customers to define maintenance schedule during resource creation and updates - -## __Contributors__ -Special thanks to the following contributors to this release: - -[@humanzz](https://github.com/humanzz) -# __2.42.21__ __2026-03-25__ -## __AWS Batch__ - - ### Features - - Documentation-only update for AWS Batch. - -## __AWS Marketplace Agreement Service__ - - ### Features - - The Variable Payments APIs enable AWS Marketplace Sellers to perform manage their payment requests (send, get, list, cancel). - -## __AWS SDK for Java v2__ - - ### Bugfixes - - Fix bug in CachedSupplier that retries aggressively after many consecutive failures - -## __AWS User Experience Customization__ - - ### Features - - GA release of AccountCustomizations, used to manage account color, visible services, and visible regions settings in the AWS Management Console. - -## __Amazon CloudWatch Application Signals__ - - ### Features - - This release adds support for creating SLOs on RUM appMonitors, Synthetics canaries and services. - -## __Amazon Polly__ - - ### Features - - Add support for Mu-law and A-law codecs for output format - -## __Amazon S3__ - - ### Features - - Add support for maxInFlightParts to multipart upload (PutObject) in MultipartS3AsyncClient. - -## __AmazonApiGatewayV2__ - - ### Features - - Added DISABLE IN PROGRESS and DISABLE FAILED Portal statuses. - -# __2.42.20__ __2026-03-24__ -## __AWS Elemental MediaPackage v2__ - - ### Features - - Reduces the minimum allowed value for startOverWindowSeconds from 60 to 0, allowing customers to effectively disable the start-over window. - -## __AWS Parallel Computing Service__ - - ### Features - - This release adds support for custom slurmdbd and cgroup configuration in AWS PCS. Customers can now specify slurmdbd and cgroup settings to configure database accounting and reporting for their HPC workloads, and control resource allocation and limits for compute jobs. - -## __Amazon Bedrock AgentCore Control__ - - ### Features - - Adds SDK support for 1) Persist session state in AgentCore Runtime via filesystemConfigurations in CreateAgentRuntime, UpdateAgentRuntime, and GetAgentRuntime APIs, 2) Optional name-based filtering on AgentCore ListBrowserProfiles API. - -## __Amazon GameLift__ - - ### Features - - Amazon GameLift Servers launches UDP ping beacons in the Beijing and Ningxia (China) Regions to help measure real-time network latency for multiplayer games. The ListLocations API is now available in these regions to provide endpoint domain and port information as part of the locations list. - -## __Amazon Relational Database Service__ - - ### Features - - Adds support in Aurora PostgreSQL serverless databases for express configuration based creation through WithExpressConfiguration in CreateDbCluster API, and for restoring clusters using RestoreDBClusterToPointInTime and RestoreDBClusterFromSnapshot APIs. - -## __OpenSearch Service Serverless__ - - ### Features - - Adds support for updating the vector options field for existing collections. - -# __2.42.19__ __2026-03-23__ -## __AWS Batch__ - - ### Features - - AWS Batch AMI Visibility feature support. Adds read-only batchImageStatus to Ec2Configuration to provide visibility on the status of Batch-vended AMIs used by Compute Environments. - -## __Amazon Connect Cases__ - - ### Features - - You can now use the UpdateRelatedItem API to update the content of comments and custom related items associated with a case. - -## __Amazon Lightsail__ - - ### Features - - Add support for tagging of ContactMethod resource type - -## __Amazon Omics__ - - ### Features - - Adds support for batch workflow runs in Amazon Omics, enabling users to submit, manage, and monitor multiple runs as a single batch. Includes APIs to create, cancel, and delete batches, track submission statuses and counts, list runs within a batch, and configure default settings. - -## __Amazon S3__ - - ### Features - - Added support of Request-level credentials override in DefaultS3CrtAsyncClient. See [#5354](https://github.com/aws/aws-sdk-java-v2/issues/5354). - -## __Netty NIO HTTP Client__ - - ### Bugfixes - - Fixed an issue where requests with `Expect: 100-continue` over TLS could hang indefinitely when no response is received, because the read timeout handler was prematurely removed by TLS handshake data. - -# __2.42.18__ __2026-03-20__ -## __AWS Backup__ - - ### Features - - Fix Typo for S3Backup Options ( S3BackupACLs to BackupACLs) - -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - - - ### Bugfixes - - Fix bug in CachedSupplier that disabled InstanceProfileCredentialsProvider credential refreshing after 58 consecutive failures. - -## __Amazon DynamoDB__ - - ### Features - - Adding ReplicaArn to ReplicaDescription of a global table replica - -## __Amazon OpenSearch Service__ - - ### Features - - Added support for Amazon Managed Service for Prometheus (AMP) as a connected data source in OpenSearch UI. Now users can analyze Prometheus metrics in OpenSearch UI without data copy. - -## __Amazon Verified Permissions__ - - ### Features - - Adds support for Policy Store Aliases, Policy Names, and Policy Template Names. These are customizable identifiers that can be used in place of Policy Store ids, Policy ids, and Policy Template ids respectively in Amazon Verified Permissions APIs. - -# __2.42.17__ __2026-03-19__ -## __AWS Batch__ - - ### Features - - AWS Batch now supports quota management, enabling administrators to allocate shared compute resources across teams and projects through quota shares with capacity limits, resource-sharing strategies, and priority-based preemption - currently available for SageMaker Training job queues. - -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - -## __Amazon Bedrock AgentCore__ - - ### Features - - This release includes SDK support for the following new features on AgentCore Built In Tools. 1. Enterprise Policies for AgentCore Browser Tool. 2. Root CA Configuration Support for AgentCore Browser Tool and Code Interpreter. 3. API changes to AgentCore Browser Profile APIs - -## __Amazon Bedrock AgentCore Control__ - - ### Features - - Adds support for the following new features. 1. Enterprise Policies support for AgentCore Browser Tool. 2. Root CA Configuration support for AgentCore Browser Tool and Code Interpreter. - -## __Amazon Elastic Compute Cloud__ - - ### Features - - Amazon EC2 Fleet instant mode now supports launching instances into Interruptible Capacity Reservations, enabling customers to use spare capacity shared by Capacity Reservation owners within their AWS Organization. - -## __Amazon Polly__ - - ### Features - - Added bi-directional streaming functionality through a new API, StartSpeechSynthesisStream. This API allows streaming input text through inbound events and receiving audio as part of an output stream simultaneously. - -## __CloudWatch Observability Admin Service__ - - ### Features - - Adding a new field in the CreateCentralizationRuleForOrganization, UpdateCentralizationRuleForOrganization API and updating the GetCentralizationRuleForOrganization API response to include the new field - -# __2.42.16__ __2026-03-18__ -## __AWS Elemental MediaConvert__ - - ### Features - - This update adds additional bitrate options for Dolby AC-4 audio outputs. - -## __Amazon DynamoDB Enhanced Client__ - - ### Bugfixes - - Fix NullPointerException in `EnhancedType.hashCode()`, `EnhancedType.equals()`, and `EnhancedType.toString()` when using wildcard types. - -## __Amazon Elastic Compute Cloud__ - - ### Features - - The DescribeInstanceTypes API now returns default connection tracking timeout values for TCP, UDP, and UDP stream via the new connectionTrackingConfiguration field on NetworkInfo. - -# __2.42.15__ __2026-03-17__ -## __AWS Glue__ - - ### Features - - Provide approval to overwrite existing Lake Formation permissions on all child resources with the default permissions specified in 'CreateTableDefaultPermissions' and 'CreateDatabaseDefaultPermissions' when updating catalog. Allowed values are ["Accept","Deny"] . - -## __Amazon Bedrock AgentCore Control__ - - ### Features - - Deprecating namespaces field and adding namespaceTemplates. - -## __Amazon DynamoDB Enhanced Client__ - - ### Features - - Improved performance of UpdateExpression conversion by replacing Stream.concat chains and String.format with direct iteration and StringJoiner. - -## __Amazon EMR__ - - ### Features - - Add S3LoggingConfiguration to Control LogUploads - -# __2.42.14__ __2026-03-16__ -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - -## __Amazon Bedrock__ - - ### Features - - You can now generate policy scenarios on demand using the new GENERATE POLICY SCENARIOS build workflow type. Scenarios will no longer be automatically generated during INGEST CONTENT, REFINE POLICY, and IMPORT POLICY workflows, resulting in faster completion times for these operations. - -## __Amazon Bedrock AgentCore__ - - ### Features - - Provide support to perform deterministic operations on agent runtime through shell command executions via the new InvokeAgentRuntimeCommand API - -## __Amazon Bedrock AgentCore Control__ - - ### Features - - Supporting hosting of public ECR Container Images in AgentCore Runtime - -## __Amazon EC2 Container Service__ - - ### Features - - Amazon ECS now supports configuring whether tags are propagated to the EC2 Instance Metadata Service (IMDS) for instances launched by the Managed Instances capacity provider. This gives customers control over tag visibility in IMDS when using ECS Managed Instances. - -# __2.42.13__ __2026-03-13__ -## __AWS Config__ - - ### Features - - Fix pagination support for DescribeConformancePackCompliance, and update OrganizationConfigRule InputParameters max length to match ConfigRule. - -## __AWS Elemental MediaConvert__ - - ### Features - - This update adds support for Dolby AC-4 audio output, frame rate conversion between non-Dolby Vision inputs to Dolby Vision outputs, and clear lead CMAF HLS output. - -## __AWS Elemental MediaLive__ - - ### Features - - Documents the VideoDescription.ScalingBehavior.SMART(underscore)CROP enum value. - -## __AWS Glue__ - - ### Features - - Add QuerySessionContext to BatchGetPartitionRequest - -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - - - ### Bugfixes - - upgrade maven-compiler-plugin to 3.14.1 - - Contributed by: [@sullis](https://github.com/sullis) - -## __Amazon API Gateway__ - - ### Features - - API Gateway now supports an additional security policy "SecurityPolicy-TLS13-1-2-FIPS-PFS-PQ-2025-09" for REST APIs and custom domain names. The new policy is compliant with TLS 1.3, Federal Information Processing Standards (FIPS), Perfect Forward Secrecy (PFS), and post-quantum (PQ) cryptography - -## __Amazon Connect Service__ - - ### Features - - Deprecating PredefinedNotificationID field - -## __Amazon GameLift Streams__ - - ### Features - - Feature launch that enables customers to connect streaming sessions to their own VPCs running in AWS. - -## __Amazon Interactive Video Service RealTime__ - - ### Features - - Updates maximum reconnect window seconds from 60 to 300 for participant replication - -## __Amazon QuickSight__ - - ### Features - - The change adds a new capability named ManageSharedFolders in Custom Permissions - -## __Amazon S3__ - - ### Features - - Added `expectContinueEnabled` to `S3Configuration` to control the `Expect: 100-continue` header on PutObject and UploadPart requests. When set to `false`, the SDK stops adding the header. For Apache HTTP client users, to have `ApacheHttpClient.builder().expectContinueEnabled()` fully control the header, set `expectContinueEnabled(false)` on `S3Configuration`. - -## __Application Migration Service__ - - ### Features - - Network Migration APIs are now publicly available for direct programmatic access. Customers can now call Network Migration APIs directly without going through AWS Transform (ATX), enabling automation, integration with existing tools, and self-service migration workflows. - -## __Contributors__ -Special thanks to the following contributors to this release: - -[@sullis](https://github.com/sullis) -# __2.42.12__ __2026-03-12__ -## __AWS DataSync__ - - ### Features - - DataSync's 3 location types, Hadoop Distributed File System (HDFS), FSx for Windows File Server (FSx Windows), and FSx for NetApp ONTAP (FSx ONTAP) now have credentials managed via Secrets Manager, which may be encrypted with service keys or be configured to use customer-managed keys or secret. - -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - - - ### Bugfixes - - Updating Lakefromation Access Grants Plugin version to 1.4.1 - - Contributed by: [@akhilyendluri](https://github.com/akhilyendluri) - -## __Amazon Cloudfront__ - - ### Features - - Add support for resourceUrlPattern to `CloudFrontUtilities.getCookiesForCustomPolicy`. - -## __Amazon DynamoDB Enhanced Client__ - - ### Features - - Added dynamoDbClient() and dynamoDbAsyncClient() default methods to DynamoDbEnhancedClient and DynamoDbEnhancedAsyncClient interfaces to allow access to the underlying low-level client. Fixes [#6654](https://github.com/aws/aws-sdk-java-v2/issues/6654) - -## __Amazon Elastic Container Registry__ - - ### Features - - Add Chainguard to PTC upstreamRegistry enum - -## __Amazon Simple Storage Service__ - - ### Features - - Adds support for account regional namespaces for general purpose buckets. The account regional namespace is a reserved subdivision of the global bucket namespace where only your account can create general purpose buckets. - -## __S3 Transfer Manager__ - - ### Bugfixes - - Fix inaccurate progress tracking for in-memory uploads in the Java-based S3TransferManager. - -## __Contributors__ -Special thanks to the following contributors to this release: - -[@akhilyendluri](https://github.com/akhilyendluri) -# __2.42.11__ __2026-03-11__ -## __AWS CRT-based S3 Client__ - - ### Bugfixes - - Only log `SSL Certificate verification is disabled` warning if trustAllCertificatesEnabled is set to true. - - Contributed by: [@bsmelo](https://github.com/bsmelo) - -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - - - ### Bugfixes - - Updating Lakeformation Access Grants Plugin version to 1.4 - -## __AWS SDK for Java v2 Migration Tool__ - - ### Bugfixes - - Strip quotes in getETag response - -## __Amazon Connect Customer Profiles__ - - ### Features - - Today, Amazon Connect is announcing the ability to filter (include or exclude) recommendations based on properties of items and interactions. - -## __Amazon DynamoDB Enhanced Client__ - - ### Features - - Improved performance by adding a fast path avoiding wrapping of String and Byte types - -## __Amazon Elastic Kubernetes Service__ - - ### Features - - Adds support for a new tier in controlPlaneScalingConfig on EKS Clusters. - -## __Amazon Polly__ - - ### Features - - Added support for the new voices - Ambre (fr-FR), Beatrice (it-IT), Florian (fr-FR), Lennart (de-DE), Lorenzo (it-IT) and Tiffany (en-US). They are available as a Generative voices only. - -## __Amazon S3__ - - ### Bugfixes - - Fixed misleading checksum mismatch error message for S3 GetObject that incorrectly referenced uploading. See [#6324](https://github.com/aws/aws-sdk-java-v2/issues/6324). - -## __Amazon SageMaker Service__ - - ### Features - - SageMaker training plans allow you to extend your existing training plans to avoid workload interruptions without workload reconfiguration. When a training plan is approaching expiration, you can extend it directly through the SageMaker AI console or programmatically using the API or AWS CLI. - -## __Amazon SimpleDB v2__ - - ### Features - - Introduced Amazon SimpleDB export functionality enabling domain data export to S3 in JSON format. Added three new APIs StartDomainExport, GetExport, and ListExports via SimpleDBv2 service. Supports cross-region exports and KMS encryption. - -## __Amazon WorkSpaces__ - - ### Features - - Added WINDOWS SERVER 2025 OperatingSystemName. - -## __Contributors__ -Special thanks to the following contributors to this release: - -[@bsmelo](https://github.com/bsmelo) -# __2.42.10__ __2026-03-10__ -## __AWS Database Migration Service__ - - ### Features - - Not need to include to any release notes. The only change is to correct LoadTimeout unit from milliseconds to seconds in RedshiftSettings - -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - -## __AWS SDK for Java v2 Code Generator__ - - ### Features - - Improve model validation error message for operations missing request URI. - -## __Amazon Bedrock AgentCore Control__ - - ### Features - - Adding first class support for AG-UI protocol in AgentCore Runtime. - -## __Amazon Connect Cases__ - - ### Features - - Added functionality for the Required and Hidden case rule types to be conditionally evaluated on up to 5 conditions. - -## __Amazon Lex Model Building V2__ - - ### Features - - This release introduces a new generative AI feature called Lex Bot Analyzer. This feature leverage AI to analyze the bot configuration against AWS Lex best practices to identify configuration issues and provides recommendations. - -## __Managed Streaming for Kafka__ - - ### Features - - Add dual stack endpoint to SDK - -# __2.42.9__ __2026-03-09__ -## __AWS Identity and Access Management__ - - ### Features - - Added support for CloudWatch Logs long-term API keys, currently available in Preview - -## __AWS SDK for Java v2__ - - ### Bugfixes - - Implement reset() for XxHashChecksum to allow checksum reuse. - -## __Amazon OpenSearch Service__ - - ### Features - - This change enables cross-account and cross-region access for DataSources. Customers can now define access policies on their datasources to allow other AWS accounts to access and query their data. - -## __Amazon Route 53 Global Resolver__ - - ### Features - - Adds support for dual stack Global Resolvers and Dictionary-based Domain Generation Firewall Advanced Protection. - -## __Application Migration Service__ - - ### Features - - Adds support for new storeSnapshotOnLocalZone field in ReplicationConfiguration and updateReplicationConfiguration - -# __2.42.8__ __2026-03-06__ -## __AWS Billing and Cost Management Data Exports__ - - ### Features - - Fixed wrong endpoint resolutions in few regions. Added AWS CFN resource schema for BCM Data Exports. Added max value validation for pagination parameter. Fixed ARN format validation for BCM Data Exports resources. Updated size constraints for table properties. Added AccessDeniedException error. - -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - -## __AWSDeadlineCloud__ - - ### Features - - AWS Deadline Cloud now supports cost scale factors for farms, enabling studios to adjust reported costs to reflect their actual rendering economics. Adjusted costs are reflected in Deadline Cloud's Usage Explorer and Budgets. - -## __Amazon AppIntegrations Service__ - - ### Features - - This release adds support for webhooks, allowing customers to create an Event Integration with a webhook source. - -## __Amazon Bedrock__ - - ### Features - - Amazon Bedrock Guardrails account-level enforcement APIs now support lists for model inclusion and exclusion from guardrail enforcement. - -## __Amazon Bedrock AgentCore Control__ - - ### Features - - Adds support for streaming memory records in AgentCore Memory - -## __Amazon Connect Service__ - - ### Features - - Amazon Connect now supports the ability to programmatically configure and run automated tests for contact center experiences for Chat. Integrate testing into CICD pipelines, run multiple tests at scale, and retrieve results via API to automate validation of chat interactions and workflows. - -## __Amazon GameLift Streams__ - - ### Features - - Added new Gen6 stream classes based on the EC2 G6f instance family. These stream classes provide cost-optimized options for streaming well-optimized or lower-fidelity games on Windows environments. - -## __Amazon Simple Email Service__ - - ### Features - - Adds support for longer email message header values, increasing the maximum length from 870 to 995 characters for RFC 5322 compliance. - -# __2.42.7__ __2026-03-05__ -## __AWS Multi-party Approval__ - - ### Features - - Updates to multi-party approval (MPA) service to add support for approval team baseline operations. - -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - - - ### Bugfixes - - Fixed a thread leak in ResponseInputStream and ResponsePublisher where the internal timeout scheduler thread persisted for the lifetime of the JVM, even when no streams were active. The thread now terminates after being idle for 60 seconds. - -## __AWS Savings Plans__ - - ### Features - - Added support for OpenSearch and Neptune Analytics to Database Savings Plans. - -## __Amazon Elastic Compute Cloud__ - - ### Features - - Added metadata field to CapacityAllocation. - -## __Amazon GuardDuty__ - - ### Features - - Added MALICIOUS FILE to IndicatorType enum in MDC Sequence - -## __Amazon SageMaker Service__ - - ### Features - - Adds support for S3 Bucket Ownership validation for SageMaker Managed MLflow. - -## __Connect Health__ - - ### Features - - Connect-Health SDK is AWS's unified SDK for the Amazon Connect Health offering. It allows healthcare developers to integrate purpose-built agents - such as patient insights, ambient documentation, and medical coding - into their existing applications, including EHRs, telehealth, and revenue cycle. - -# __2.42.6__ __2026-03-04__ -## __AWS Elastic Beanstalk__ - - ### Features - - As part of this release, Beanstalk introduce a new info type - analyze for request environment info and retrieve environment info operations. When customers request an Al analysis, Elastic Beanstalk runs a script on an instance in their environment and returns an analysis of events, health and logs. - -## __Amazon Connect Service__ - - ### Features - - Added support for configuring additional email addresses on queues in Amazon Connect. Agents can now select an outbound email address and associate additional email addresses for replying to or initiating emails. - -## __Amazon Elasticsearch Service__ - - ### Features - - Adds support for DeploymentStrategyOptions. - -## __Amazon GameLift__ - - ### Features - - Amazon GameLift Servers now offers DDoS protection for Linux-based EC2 and Container Fleets on SDKv5. The player gateway proxy relay network provides traffic validation, per-player rate limiting, and game server IP address obfuscation all with negligible added latency and no additional cost. - -## __Amazon OpenSearch Service__ - - ### Features - - Adding support for DeploymentStrategyOptions - -## __Amazon QuickSight__ - - ### Features - - Added several new values for Capabilities, increased visual limit per sheet from previous limit to 75, renamed Quick Suite to Quick in several places. - -# __2.42.5__ __2026-03-03__ -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - -## __Amazon Bedrock AgentCore Control__ - - ### Features - - Support for AgentCore Policy GA - -## __Amazon CloudWatch Logs__ - - ### Features - - CloudWatch Logs updates- Added support for the PutBearerTokenAuthentication API to enable or disable bearer token authentication on a log group. For more information, see CloudWatch Logs API documentation. - -## __Amazon DataZone__ - - ### Features - - Adding QueryGraph operation to DataZone SDK - -## __Amazon SageMaker Service__ - - ### Features - - This release adds b300 and g7e instance types for SageMaker inference endpoints. - -## __Partner Central Channel API__ - - ### Features - - Adds the Resold Unified Operations support plan and removes the Resold Business support plan in the CreateRelationship and UpdateRelationship APIs - -# __2.42.4__ __2026-02-27__ -## __ARC - Region switch__ - - ### Features - - Post-Recovery Workflows enable customers to maintain comprehensive disaster recovery automation. This allows customer SREs and leadership to have complete recovery orchestration from failover through post-recovery preparation, ensuring Regions remain ready for subsequent recovery events. - -## __AWS Batch__ - - ### Features - - This feature allows customers to specify the minimum time (in minutes) that AWS Batch keeps instances running in a compute environment after all jobs on the instance complete - -## __AWS Health APIs and Notifications__ - - ### Features - - Updates the regex for validating availabilityZone strings used in the describe events filters. - -## __AWS Resource Access Manager__ - - ### Features - - Resource owners can now specify ResourceShareConfiguration request parameter for CreateResourceShare API including RetainSharingOnAccountLeaveOrganization boolean parameter - -## __Amazon Bedrock__ - - ### Features - - Added four new model lifecycle date fields, startOfLifeTime, endOfLifeTime, legacyTime, and publicExtendedAccessTime. Adds support for using the Converse API with Bedrock Batch inference jobs. - -## __Amazon Cognito Identity Provider__ - - ### Features - - Cognito is introducing a two-secret rotation model for app clients, enabling seamless credential rotation without downtime. Dedicated APIs support passing in a custom secret. Custom secrets need to be at least 24 characters. This eliminates reconfiguration needs and reduces security risks. - -## __Amazon Connect Customer Profiles__ - - ### Features - - This release introduces an optional SourcePriority parameter to the ProfileObjectType APIs, allowing you to control the precedence of object types when ingesting data from multiple sources. Additionally, WebAnalytics and Device have been added as new StandardIdentifier values. - -## __Amazon Connect Service__ - - ### Features - - Deprecate EvaluationReviewMetadata's CreatedBy and CreatedTime, add EvaluationReviewMetadata's RequestedBy and RequestedTime - -## __Amazon Keyspaces Streams__ - - ### Features - - Added support for Change Data Capture (CDC) streams with Duration DataType. - -## __Amazon Transcribe Streaming Service__ - - ### Features - - AWS Transcribe Streaming now supports specifying a resumption window for the stream through the SessionResumeWindow parameter, allowing customers to reconnect to their streams for a longer duration beyond stream start time. - -## __odb__ - - ### Features - - ODB Networking Route Management is a feature improvement which allows for implicit creation and deletion of EC2 Routes in the Peer Network Route Table designated by the customer via new optional input. This feature release is combined with Multiple App-VPC functionality for ODB Network Peering(s). - -# __2.42.3__ __2026-02-26__ -## __AWS Backup Gateway__ - - ### Features - - This release updates GetGateway API to include deprecationDate and softwareVersion in the response, enabling customers to track gateway software versions and upcoming deprecation dates. - -## __AWS Marketplace Entitlement Service__ - - ### Features - - Added License Arn as a new optional filter for GetEntitlements and LicenseArn field in each entitlement in the response. - -## __AWS SecurityHub__ - - ### Features - - Security Hub added EXTENDED PLAN integration type to DescribeProductsV2 and added metadata.product.vendor name GroupBy support to GetFindingStatisticsV2 - -## __AWSMarketplace Metering__ - - ### Features - - Added LicenseArn to ResolveCustomer response and BatchMeterUsage usage records. BatchMeterUsage now accepts LicenseArn in each UsageRecord to report usage at the license level. Added InvalidLicenseException error response for invalid license parameters. - -## __Amazon EC2 Container Service__ - - ### Features - - Adding support for Capacity Reservations for ECS Managed Instances by introducing a new "capacityOptionType" value of "RESERVED" and new field "capacityReservations" for CreateCapacityProvider and UpdateCapacityProvider APIs. - -## __Amazon Elastic Compute Cloud__ - - ### Features - - Add c8id, m8id and hpc8a instance types. - -## __Apache 5 HTTP Client__ - - ### Features - - Update `httpcore5` to `5.4.1`. - -# __2.42.2__ __2026-02-25__ -## __AWS Batch__ - - ### Features - - AWS Batch documentation update for service job capacity units. - -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - -## __AWS WAFV2__ - - ### Features - - AWS WAF now supports GetTopPathStatisticsByTraffic that provides aggregated statistics on the top URI paths accessed by bot traffic. Use this operation to see which paths receive the most bot traffic, identify the specific bots accessing them, and filter by category, organization, or bot name. - -## __Amazon Elastic Compute Cloud__ - - ### Features - - Add support for EC2 Capacity Blocks in Local Zones. - -## __Amazon Elastic Container Registry__ - - ### Features - - Update repository name regex to comply with OCI Distribution Specification - -## __Amazon Neptune__ - - ### Features - - Neptune global clusters now supports tags - -# __2.42.1__ __2026-02-24__ -## __AWS Elemental Inference__ - - ### Features - - Initial GA launch for AWS Elemental Inference including capabilities of Smart Crop and Live Event Clipping - -## __AWS Elemental MediaLive__ - - ### Features - - AWS Elemental MediaLive - Added support for Elemental Inference for Smart Cropping and Clipping features for MediaLive. - -## __Amazon CloudWatch__ - - ### Features - - This release adds the APIs (PutAlarmMuteRule, ListAlarmMuteRules, GetAlarmMuteRule and DeleteAlarmMuteRule) to manage a new Cloudwatch resource, AlarmMuteRules. AlarmMuteRules allow customers to temporarily mute alarm notifications during expected downtime periods. - -## __Amazon Elastic Compute Cloud__ - - ### Features - - Adds httpTokensEnforced property to ModifyInstanceMetadataDefaults API. Set per account or manage organization-wide using declarative policies to prevent IMDSv1-enabled instance launch and block attempts to enable IMDSv1 on existing IMDSv2-only instances. - -## __Amazon Elasticsearch Service__ - - ### Features - - Fixed HTTP binding for DescribeDomainAutoTunes API to correctly pass request parameters as query parameters in the HTTP request. - -## __Amazon OpenSearch Service__ - - ### Features - - Fixed HTTP binding for DescribeDomainAutoTunes API to correctly pass request parameters as query parameters in the HTTP request. - -## __CloudWatch Observability Admin Service__ - - ### Features - - Adding a new field in the CreateCentralizationRuleForOrganization, UpdateCentralizationRuleForOrganization API and updating the GetCentralizationRuleForOrganization API response to include the new field - -## __Partner Central Selling API__ - - ### Features - - Added support for filtering opportunities by target close date in the ListOpportunities API. You can now filter results to return opportunities with a target close date before or after a specified date, enabling more precise opportunity searches based on expected closure timelines. - -# __2.42.0__ __2026-02-23__ -## __AWS Control Catalog__ - - ### Features - - Updated ExemptedPrincipalArns parameter documentation for improved accuracy - -## __AWS MediaTailor__ - - ### Features - - Updated endpoint rule set for dualstack endpoints. Added a new opt-in option to log raw ad decision server requests for Playback Configurations. - -## __AWS SDK for Java v2__ - - ### Features - - Add support for additional checksum algorithms: XXHASH64, XXHASH3, XXHASH128, SHA512. - - Updated endpoint and partition metadata. - -## __AWS Wickr Admin API__ - - ### Features - - AWS Wickr now provides APIs to manage your Wickr OpenTDF integration. These APIs enable you to test and save your OpenTDF configuration allowing you to manage rooms based on Trusted Data Format attributes. - -## __Amazon Bedrock__ - - ### Features - - Automated Reasoning checks in Amazon Bedrock Guardrails now support fidelity report generation. The new workflow type assesses policy coverage and accuracy against customer documents. The GetAutomatedReasoningPolicyBuildWorkflowResultAssets API adds support for the three new asset types. - -## __Amazon Connect Cases__ - - ### Features - - SearchCases API can now accept 25 fields in the request and response as opposed to the previous limit of 10. DeleteField's hard limit of 100 fields per domain has been lifted. - -## __Amazon DataZone__ - - ### Features - - Add workflow properties support to connections APIs - -## __Amazon DynamoDB__ - - ### Features - - This change supports the creation of multi-account global tables. It adds one new arguments to UpdateTable, GlobalTableSettingsReplicationMode. - -## __Amazon QuickSight__ - - ### Features - - Adds support for SEMISTRUCT to InputColumn Type - diff --git a/archetypes/archetype-app-quickstart/pom.xml b/archetypes/archetype-app-quickstart/pom.xml index 2ee5ca83b43d..1300852ef15a 100644 --- a/archetypes/archetype-app-quickstart/pom.xml +++ b/archetypes/archetype-app-quickstart/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 diff --git a/archetypes/archetype-lambda/pom.xml b/archetypes/archetype-lambda/pom.xml index d5c9bbc191e1..441f0bf6626b 100644 --- a/archetypes/archetype-lambda/pom.xml +++ b/archetypes/archetype-lambda/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 archetype-lambda diff --git a/archetypes/archetype-tools/pom.xml b/archetypes/archetype-tools/pom.xml index f31cd09c1f3c..2fe4fa545b9d 100644 --- a/archetypes/archetype-tools/pom.xml +++ b/archetypes/archetype-tools/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 diff --git a/archetypes/pom.xml b/archetypes/pom.xml index 658fd84b5db6..f51f6eadf8e3 100644 --- a/archetypes/pom.xml +++ b/archetypes/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 archetypes diff --git a/aws-sdk-java/pom.xml b/aws-sdk-java/pom.xml index b5c84f3a7699..d9d42c6510df 100644 --- a/aws-sdk-java/pom.xml +++ b/aws-sdk-java/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ../pom.xml aws-sdk-java diff --git a/bom-internal/pom.xml b/bom-internal/pom.xml index 9c65a1b1b41d..f8c8a732685c 100644 --- a/bom-internal/pom.xml +++ b/bom-internal/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 diff --git a/bom/pom.xml b/bom/pom.xml index c2e184f57cb9..c894d989cb24 100644 --- a/bom/pom.xml +++ b/bom/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ../pom.xml bom diff --git a/bundle-logging-bridge/pom.xml b/bundle-logging-bridge/pom.xml index 6ef6802f53fc..59dca2ee0f96 100644 --- a/bundle-logging-bridge/pom.xml +++ b/bundle-logging-bridge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT bundle-logging-bridge jar diff --git a/bundle-sdk/pom.xml b/bundle-sdk/pom.xml index 001932c1b77c..1fe823c12bc5 100644 --- a/bundle-sdk/pom.xml +++ b/bundle-sdk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT bundle-sdk jar diff --git a/bundle/pom.xml b/bundle/pom.xml index 4e6ed251d747..fa2df31454bb 100644 --- a/bundle/pom.xml +++ b/bundle/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT bundle jar diff --git a/changelogs/2.42.x-CHANGELOG.md b/changelogs/2.42.x-CHANGELOG.md new file mode 100644 index 000000000000..afe9c0d8df90 --- /dev/null +++ b/changelogs/2.42.x-CHANGELOG.md @@ -0,0 +1,1345 @@ + #### 👋 _Looking for changelogs for older versions? You can find them in the [changelogs](./changelogs) directory._ +# __2.42.35__ __2026-04-16__ +## __AWS DevOps Agent Service__ + - ### Features + - Deprecate the userId from the Chat operations. This update also removes support of AllowVendedLogDeliveryForResource API from AWS SDKs. + +## __AWS Elemental MediaConvert__ + - ### Features + - Adds support for Elemental Inference powered smart crop feature, enabling video verticalization + +## __AWS SDK for Java v2__ + - ### Features + - Add HTTP client configuration type metadata to the User-Agent header, tracking whether the HTTP client was auto-detected from the classpath, an explicit client instance or client builder configured by the customer. + - Updated endpoint and partition metadata. + + - ### Bugfixes + - Fixed an issue where using a getObject ResponsePublisher as a putObject request body with the CRT HTTP client could cause the SDK to hang on retry when the server returns a retryable error. + +## __Amazon AppStream__ + - ### Features + - Add content redirection to Update Stack + +## __Amazon Bedrock AgentCore__ + - ### Features + - Introducing NamespacePath in AgentCore Memory to support hierarchical prefix based memory record retrieval. + +## __Amazon CloudWatch__ + - ### Features + - Update documentation of alarm mute rules start and end date fields + +## __Amazon CloudWatch Logs__ + - ### Features + - Endpoint update for CloudWatch Logs Streaming APIs. + +## __Amazon Cognito Identity Provider__ + - ### Features + - Adds support for passkey-based multi-factor authentication in Cognito User Pools. Users can authenticate securely using FIDO2-compliant passkeys with user verification, enabling passwordless MFA flows while maintaining backward compatibility with password-based authentication + +## __Amazon Connect Cases__ + - ### Features + - Added error handling for service quota limits + +## __Amazon Connect Customer Profiles__ + - ### Features + - Amazon Connect Customer Profiles adds RecommenderSchema CRUD APIs for custom ML training columns. CreateRecommender and CreateRecommenderFilter now accept optional RecommenderSchemaName. + +## __Amazon Connect Service__ + - ### Features + - This release updates the Amazon Connect Rules CRUD APIs to support a new EventSourceName - OnEmailAnalysisAvailable. Use this event source to trigger rules when conversational analytics results are available for email contacts. + +## __Amazon DataZone__ + - ### Features + - Launching SMUS IAM domain SDK support + +## __Amazon Relational Database Service__ + - ### Features + - Adds a new DescribeServerlessV2PlatformVersions API to describe platform version properties for Aurora Serverless v2. Also introduces a new valid maintenance action value for serverless platform version updates. + +## __Amazon SNS Message Manager__ + - ### Features + - This change introduces the SNS Message Manager for 2.x, a library used to parse and validate messages received from SNS. This aims to provide the same functionality as [SnsMessageManager](https://docs.aws.amazon.com/AWSJavaSDK/latest/javadoc/com/amazonaws/services/sns/message/SnsMessageManager.html) from 1.x. + +## __Apache 5 HTTP Client__ + - ### Features + - Update `httpcore5` to `5.4.2`. + +## __Auto Scaling__ + - ### Features + - This release adds support for specifying Availability Zone IDs as an alternative to Availability Zone names when creating or updating Auto Scaling groups. + +## __Elastic Disaster Recovery Service__ + - ### Features + - Updating regex for identification of AWS Regions. + +# __2.42.34__ __2026-04-13__ +## __AWS Glue__ + - ### Features + - AWS Glue now defaults to Glue version 5.1 for newly created jobs if the Glue version is not specified in the request, and UpdateJob now preserves the existing Glue version of a job when the Glue version is not specified in the update request. + +## __AWS SDK for Java v2__ + - ### Features + - Updated endpoint and partition metadata. + +## __AWS SecurityHub__ + - ### Features + - Provide organizational unit scoping capability for GetFindingsV2, GetFindingStatisticsV2, GetResourcesV2, GetResourcesStatisticsV2 APIs. + +## __AWSDeadlineCloud__ + - ### Features + - Adds GetMonitorSettings and UpdateMonitorSettings APIs to Deadline Cloud. Enables reading and writing monitor settings as key-value pairs (up to 64 keys per monitor). UpdateMonitorSettings supports upsert and delete (via empty value) semantics and is idempotent. + +## __Amazon Connect Customer Profiles__ + - ### Features + - This release introduces changes to SegmentDefinition APIs to support sorting by attributes. + +## __Amazon DynamoDB Enhanced Client__ + - ### Bugfixes + - Fix AutoGeneratedTimestampRecordExtension failing on @DynamoDbConvertedBy list attributes + +## __Amazon Macie 2__ + - ### Features + - This release adds an optional expectedBucketOwner field to the Macie S3 export configuration, allowing customers to verify bucket ownership before Macie writes results to the destination bucket. + +## __Interconnect__ + - ### Features + - Initial release of AWS Interconnect -- a managed private connectivity service that enables you to create high-speed network connections between your AWS Virtual Private Clouds (VPCs) and your VPCs on other public clouds or your on-premise networks. + +# __2.42.33__ __2026-04-10__ +## __AWS DevOps Agent Service__ + - ### Features + - Devops Agent now supports associate Splunk, Datadog and custom MCP server to an Agent Space. + +## __AWS Elemental MediaConvert__ + - ### Features + - Adds support for MV-HEVC video output and clear lead for AV1 DRM output. + +## __Amazon Connect Service__ + - ### Features + - Conversational Analytics for Email + +## __Amazon EC2 Container Service__ + - ### Features + - Minor updates to exceptions for completeness + +## __Amazon SageMaker Service__ + - ### Features + - Support new SageMaker StartClusterHealthCheck API for on-demand DHC on Hyperpod EKS cluster. Support updated CreateCluster, UpdateCluster, DescribeCluster, BatchAddClusterNodes APIs for flexible instance group on HyperPod cluster + +## __CloudWatch Observability Admin Service__ + - ### Features + - CloudWatch Observability Admin adds support for multi-region telemetry evaluation and telemetry enablement rules. + +## __EC2 Image Builder__ + - ### Features + - Image pipelines can now automatically apply tags to images they create. Set the imageTags property when creating or updating your pipelines to get started. + +## __Netty NIO HTTP Client__ + - ### Bugfixes + - Added idle body write detection to proactively close connections when no request body data is written within the write timeout period. + +## __RTBFabric__ + - ### Features + - Adds optional health check configuration for Responder Gateways with ASG Managed Endpoints. When provided, RTB Fabric continuously probes customers' instance IPs and routes traffic only to healthy ones, reducing errors during deployments, scaling events, and instance failures. + +# __2.42.32__ __2026-04-09__ +## __AWS Billing and Cost Management Dashboards__ + - ### Features + - Scheduled email reports of Billing and Cost Management Dashboards + +## __AWS MediaConnect__ + - ### Features + - Adds support for MediaLive Channel-type Router Inputs. + +## __Amazon Bedrock AgentCore__ + - ### Features + - Introducing support for SearchRegistryRecords API on AgentCoreRegistry + +## __Amazon Bedrock AgentCore Control__ + - ### Features + - Initial release for CRUDL in AgentCore Registry Service + +## __Amazon SageMaker Service__ + - ### Features + - Release support for g7e instance types for SageMaker HyperPod + +## __Redshift Data API Service__ + - ### Features + - The BatchExecuteStatement API now supports named SQL parameters, enabling secure batch queries with parameterized values. This enhancement helps prevent SQL injection vulnerabilities and improves query reusability. + +# __2.42.31__ __2026-04-08__ +## __AWS Backup__ + - ### Features + - Adding EKS specific backup vault notification types for AWS Backup. + +## __AWS Elemental MediaLive__ + - ### Features + - MediaLive is adding support for MediaConnect Router by supporting a new output type called MEDIACONNECT ROUTER. This new output type will provide seamless encrypted transport between your MediaLive channel and MediaConnect Router. + +## __AWS Marketplace Discovery__ + - ### Features + - AWS Marketplace Discovery API provides an interface that enables programmatic access to the AWS Marketplace catalog, including searching and browsing listings, retrieving product details and fulfillment options, and accessing public and private offer pricing and terms. + +## __AWS Outposts__ + - ### Features + - Add AWS Outposts APIs to view renewal pricing options and submit renewal requests for Outpost contracts + +## __Amazon DynamoDB Enhanced Client__ + - ### Features + - Added support for @DynamoDbAutoGeneratedTimestampAttribute on attributes within nested objects. + +## __Amazon Elastic Container Registry__ + - ### Features + - Add UnableToListUpstreamImageReferrersException in ListImageReferrers + +## __Amazon Interactive Video Service RealTime__ + - ### Features + - Adds support for Amazon IVS real-time streaming redundant ingest. + +## __Elastic Disaster Recovery Service__ + - ### Features + - This changes adds support for modifying the replication configuration to support data replication using IPv6. + +# __2.42.30__ __2026-04-07__ +## __AWS DataSync__ + - ### Features + - Allow IAM role ARNs with IAM Paths for "SecretAccessRoleArn" field in "CustomSecretConfig" + +## __AWS Lambda__ + - ### Features + - Launching Lambda integration with S3 Files as a new file system configuration. + +## __AWS Outposts__ + - ### Features + - This change allows listAssets to surface pending and non-compute asset information. Adds the INSTALLING asset state enum and the STORAGE, POWERSHELF, SWITCH, and NETWORKING AssetTypes. + +## __AWS SDK for Java v2__ + - ### Features + - Updated endpoint and partition metadata. + +## __Access Analyzer__ + - ### Features + - Revert previous additions of API changes. + +## __Amazon Bedrock AgentCore__ + - ### Features + - This release includes support for 1) InvokeBrowser API, enabling OS-level control of AgentCore Browser Tool sessions through mouse actions, keyboard input, and screenshots. 2) Added documentation noting that empty sessions are automatically deleted after one day in the ListSessions API. + +## __Amazon Connect Service__ + - ### Features + - The voice enhancement mode used by the agent can now be viewed on the contact record via the DescribeContact api. + +## __Amazon DataZone__ + - ### Features + - Update Configurations and registerS3AccessGrantLocation as public attributes for cfn + +## __Amazon EC2 Container Service__ + - ### Features + - This release provides the functionality of mounting Amazon S3 Files to Amazon ECS tasks by adding support for the new S3FilesVolumeConfiguration parameter in ECS RegisterTaskDefinition API. + +## __Amazon Elastic Compute Cloud__ + - ### Features + - EC2 Capacity Manager adds new dimensions for grouping and filtering capacity metrics, including tag-based dimensions and Account Name. + +## __Amazon Elastic Kubernetes Service__ + - ### Features + - EKS MNG WarmPool feature to support ASG WarmPool feature. + +## __Amazon S3 Files__ + - ### Features + - Support for S3 Files, a new shared file system that connects any AWS compute directly with your data in Amazon S3. It provides fast, direct access to all of your S3 data as files with full file system semantics and low-latency performance, without your data ever leaving S3. + +## __Amazon Simple Storage Service__ + - ### Features + - Updated list of the valid AWS Region values for the LocationConstraint parameter for general purpose buckets. + +## __Braket__ + - ### Features + - Added support for t3, g6, and g6e instance types for Hybrid Jobs. + +## __RTBFabric__ + - ### Features + - AWS RTB Fabric External Responder gateways now support HTTP in addition to HTTPS for inbound external links. Gateways can accept bid requests on port 80 or serve both protocols simultaneously via listener configuration, giving customers flexible transport options for their bidding infrastructure + +# __2.42.29__ __2026-04-06__ +## __AWS MediaTailor__ + - ### Features + - This change adds support for Tagging the resource types Programs and Prefetch Schedules + +## __AWS SDK for Java v2__ + - ### Features + - Updated endpoint and partition metadata. + + - ### Bugfixes + - Add business metrics tracking for precomputed checksum headers in requests. + +## __AWS Transfer Family__ + - ### Features + - AWS Transfer Family Connectors now support IPv6 connectivity, enabling outbound connections to remote SFTP or AS2 servers using IPv4-only or dual-stack (IPv4 and IPv6) configurations based on network requirements. + +## __AWSDeadlineCloud__ + - ### Features + - Added 8 batch APIs (BatchGetJob, BatchGetStep, BatchGetTask, BatchGetSession, BatchGetSessionAction, BatchGetWorker, BatchUpdateJob, BatchUpdateTask) for bulk operations. Monitors can now use an Identity Center instance in a different region via the identityCenterRegion parameter. + +## __Access Analyzer__ + - ### Features + - Brookie helps customers preview the impact of SCPs before deployment using historical access activity. It evaluates attached policies and proposed policy updates using collected access activity through CloudTrail authorization events and reports where currently allowed access will be denied. + +## __Amazon Data Lifecycle Manager__ + - ### Features + - This release adds support for Fast Snapshot Restore AvailabilityZone Ids in Amazon Data Lifecycle Manager EBS snapshot lifecycle policies. + +## __Amazon GuardDuty__ + - ### Features + - Migrated to Smithy. No functional changes + +## __Amazon Lightsail__ + - ### Features + - This release adds support for the Asia Pacific (Malaysia) (ap-southeast-5) Region. + +## __Amazon Location Service Maps V2__ + - ### Features + - This release updates API reference documentation for Amazon Location Service Maps APIs to reflect regional restrictions for Grab Maps users + +## __Amazon Q Connect__ + - ### Features + - Added optional originRequestId parameter to SendMessageRequest and ListSpans response in Amazon Q in Connect to support request tracing across service boundaries. + +## __Apache 5 HTTP Client__ + - ### Bugfixes + - Fixed a connection leak that could occur when the thread waiting to acquire a connection from the pool is interrupted. Fixes [#6786](https://github.com/aws/aws-sdk-java-v2/issues/6786). + +## __Netty NIO HTTP Client__ + - ### Bugfixes + - Include channel diagnostics in Read/Write timeout error messages to aid debugging. + +# __2.42.28__ __2026-04-03__ +## __AWS Elemental MediaLive__ + - ### Features + - AWS Elemental MediaLive released a new features that allows customers to use HLG 2020 as a color space for AV1 video codec. + +## __AWS Organizations__ + - ### Features + - Updates close Account quota for member accounts in an Organization. + +## __Agents for Amazon Bedrock__ + - ### Features + - Added strict parameter to ToolSpecification to allow users to enforce strict JSON schema adherence for tool input schemas. + +## __Amazon Bedrock__ + - ### Features + - Amazon Bedrock Guardrails enforcement configuration APIs now support selective guarding controls for system prompts as well as user and assistant messages, along with SDK support for Amazon Bedrock resource policy APIs. + +## __Amazon Bedrock AgentCore Control__ + - ### Features + - Documentation Update for Adds support for three-legged (Authorization Code grant type) OAuth along with predefined MCP tool schema configuration for Amazon Bedrock AgentCore gateway MCP server targets. + +## __Amazon CloudWatch Logs__ + - ### Features + - Added queryDuration, bytesScanned, and userIdentity fields to the QueryInfo response object returned by DescribeQueries. Customers can now view detailed query cost information including who ran the query, how long it took, and the volume of data scanned. + +## __Amazon Lightsail__ + - ### Features + - Add support for tagging of Alarm resource type + +## __EC2 Image Builder__ + - ### Features + - Updated pagination token validation for ListContainerRecipes API to support maximum size of 65K characters + +## __Payment Cryptography Control Plane__ + - ### Features + - Adds optional support to retrieve previously generated import and export tokens to simplify import and export functions + +# __2.42.27__ __2026-04-02__ +## __AWS CRT Async HTTP Client__ + - ### Features + - Add HTTP/2 support in the AWS CRT Async HTTP Client. + +## __AWS Price List Service__ + - ### Features + - This release increases the MaxResults parameter of the GetAttributeValues API from 100 to 10000. + +## __AWS SDK for Java v2__ + - ### Features + - Updated endpoint and partition metadata. + +## __AWSDeadlineCloud__ + - ### Features + - AWS Deadline Cloud now supports configurable scheduling on each queue. The scheduling configuration controls how workers are distributed across jobs. + +## __Amazon AppStream__ + - ### Features + - Amazon WorkSpaces Applications now supports drain mode for instances in multi-session fleets. This capability allows administrators to instruct individual fleet instances to stop accepting new user sessions while allowing existing sessions to continue uninterrupted. + +## __Amazon Bedrock AgentCore Control__ + - ### Features + - Adds support for three-legged (Authorization Code grant type) OAuth along with predefined MCP tool schema configuration for Amazon Bedrock AgentCore gateway MCP server targets. + +## __Amazon Bedrock Runtime__ + - ### Features + - Relax ToolUseId pattern to allow dots and colons + +## __Amazon CloudWatch__ + - ### Features + - CloudWatch now supports OTel enrichment to make vended metrics for supported AWS resources queryable via PromQL with resource ARN and tag labels, and PromQL alarms for metrics ingested via the OTLP endpoint with multi-contributor evaluation. + +## __Amazon CloudWatch Logs__ + - ### Features + - We are pleased to announce that our logs transformation csv processor now has a destination field, allowing you to specify under which parent node parsed columns be placed under. + +## __Amazon Connect Service__ + - ### Features + - Include CUSTOMER to evaluation target and participant role. Support Korean, Japanese and Simplified Chinese in evaluation forms. + +## __Amazon GameLift__ + - ### Features + - Amazon GameLift Servers now includes a ComputeName field in game session API responses, making it easier to identify which compute is hosting a game session without cross-referencing IP addresses. + +## __Amazon Location Service Places V2__ + - ### Features + - This release updates API reference documentation for Amazon Location Service Places APIs to reflect regional restrictions for Grab Maps users in ReverseGeocode, Suggest, SearchText, and GetPlace operations + +## __Data Automation for Amazon Bedrock__ + - ### Features + - Data Automation Library is a BDA capability that lets you create reusable entity resources to improve extraction accuracy. Libraries support Custom Vocabulary entities that enhance speech recognition for audio and video content with domain-specific terminology shared across projects + +# __2.42.26__ __2026-04-01__ +## __AWS Health Imaging__ + - ### Features + - Added new boolean flag to persist metadata updates to all primary image sets in the same study as the requested image set. + +## __Amazon Bedrock__ + - ### Features + - Adds support for Bedrock Batch Inference Job Progress Monitoring + +## __Amazon Bedrock AgentCore__ + - ### Features + - Added the ability to filter out empty sessions when listing sessions. Customers can now retrieve only sessions that still contain events, eliminating the need to check each session individually. No changes required for existing integrations. + +## __Amazon Bedrock AgentCore Control__ + - ### Features + - Adds support for VPC egress private endpoints for Amazon Bedrock AgentCore gateway targets, enabling private connectivity through managed VPC Lattice resources. Also adds IAM credential provider for gateway targets, enabling IAM-based authentication to target endpoints + +## __Amazon EC2 Container Service__ + - ### Features + - Amazon ECS now supports Managed Daemons with dedicated APIs for registering daemon task definitions, creating daemons, and managing daemon deployments. + +## __Amazon ElastiCache__ + - ### Features + - Updated SnapshotRetentionLimit documentation for ServerlessCache to correctly describe the parameter as number of days (max 35) instead of number of snapshots. + +## __Amazon Elasticsearch Service__ + - ### Features + - Adding Policy-Min-TLS-1-2-RFC9151-FIPS-2024-08 as TLS Policy in Supported Regions + +## __Amazon Location Service Routes V2__ + - ### Features + - This release makes RoutingBoundary optional in CalculateRouteMatrix, set StopDuration with a maximum value of 49999 for CalculateRoutes, set TrailerCount with a maximum value of 4, and introduces region restrictions for Grab Maps users. + +## __Amazon OpenSearch Service__ + - ### Features + - Adding Policy-Min-TLS-1-2-RFC9151-FIPS-2024-08 as TLS Policy in Supported Regions + +## __Apache 5 HTTP Client__ + - ### Features + - Disable Expect 100-Continue by default in the Apache5 HTTP Client. + +# __2.42.25__ __2026-03-31__ +## __AWS CRT HTTP Client__ + - ### Bugfixes + - Enabled default connection health monitoring for the AWS CRT HTTP client. Connections that remain stalled below 1 byte per second for the duration the read/write timeout (default 30 seconds) are now automatically terminated. This behavior can be overridden via ConnectionHealthConfiguration. + +## __AWS Certificate Manager__ + - ### Features + - Adds support for searching for ACM certificates using the new SearchCertificates API. + +## __AWS Data Exchange__ + - ### Features + - Support Tags for AWS Data Exchange resource Assets + +## __AWS Database Migration Service__ + - ### Features + - To successfully connect to the IBM DB2 LUW database server, you may need to specify additional security parameters that are passed to the JDBC driver. These parameters are EncryptionAlgorithm and SecurityMechanism. Both parameters accept integer values. + +## __AWS DevOps Agent Service__ + - ### Features + - AWS DevOps Agent service General Availability release. + +## __AWS Marketplace Agreement Service__ + - ### Features + - This release adds 8 new APIs for AWS Marketplace sellers. 4 APIs for Cancellations (Send, List, Get, Cancel action on AgreementCancellationRequest), 3 APIs for Billing Adjustments (BatchCreate, List, Get action on BillingAdjustmentRequest), and 1 API to List Invoices (ListAgreementInvoiceLineItems) + +## __AWS Organizations__ + - ### Features + - Added Path field to Account and OrganizationalUnit objects in AWS Organizations API responses. + +## __AWS S3 Control__ + - ### Features + - Adding an optional auditContext parameter to S3 Access Grants credential vending API GetDataAccess to enable job-level audit correlation in S3 CloudTrail logs + +## __AWS SDK for Java v2__ + - ### Features + - Update Netty to 4.1.132 + - Contributed by: [@mrdziuban](https://github.com/mrdziuban) + +## __AWS SDK for Java v2 Migration Tool__ + - ### Bugfixes + - Fix bug for v1 getUserMetaDataOf transform + +## __AWS Security Agent__ + - ### Features + - AWS Security Agent is a service that proactively secures applications throughout the development lifecycle with automated security reviews and on-demand penetration testing. + +## __AWS Sustainability__ + - ### Features + - This is the first release of the AWS Sustainability SDK, which enables customers to access their sustainability impact data via API. + +## __Amazon CloudFront__ + - ### Features + - This release adds bring your own IP (BYOIP) IPv6 support to CloudFront's CreateAnycastIpList and UpdateAnycastIpList API through the IpamCidrConfigs field. + +## __Amazon DataZone__ + - ### Features + - Adds environmentConfigurationName field to CreateEnvironmentInput and UpdateEnvironmentInput, so that Domain Owners can now recover orphaned environments by recreating deleted configurations with the same name, and will auto-recover orphaned environments + +## __Amazon DynamoDB Enhanced Client__ + - ### Bugfixes + - Returning correct operation name for DeleteTableOperation + +## __Amazon Elastic Compute Cloud__ + - ### Features + - This release updates the examples in the documentation for DescribeRegions and DescribeAvailabilityZones. + +## __Amazon Kinesis Analytics__ + - ### Features + - Support for Flink 2.2 in Managed Service for Apache Flink + +## __Amazon Location Service Maps V2__ + - ### Features + - This release expands map customization options with adjustable contour line density, dark mode support for Hybrid and Satellite views, enhanced traffic information across multiple map styles, and transit and truck travel modes for Monochrome and Hybrid map styles. + +## __Amazon OpenSearch Service__ + - ### Features + - Support RegisterCapability, GetCapability, DeregisterCapability API for AI Assistant feature management for OpenSearch UI Applications + +## __Amazon Pinpoint SMS Voice V2__ + - ### Features + - This release adds RCS for Business messaging and Notify support. RCS lets you create and manage agents, send and receive messages in the US and Canada via SendTextMessage API, and configure SMS fallback. Notify lets you send templated OTP messages globally in minutes with no phone number required. + +## __Amazon QuickSight__ + - ### Features + - Adds StartAutomationJob and DescribeAutomationJob APIs for automation jobs. Adds three custom permission capabilities that allow admins to control whether users can manage Spaces and chat agents. Adds an OAuthClientCredentials structure to provide OAuth 2.0 client credentials inline to data sources. + +## __Amazon S3 Tables__ + - ### Features + - S3 Tables now supports nested types when creating tables. Users can define complex column schemas using struct, list, and map types. These types can be composed together to model complex, hierarchical data structures within table schemas. + +## __Amazon Simple Storage Service__ + - ### Features + - Add Bucket Metrics configuration support to directory buckets + +## __CloudWatch Observability Admin Service__ + - ### Features + - This release adds the Bedrock and Security Hub resource types for Omnia Enablement launch for March 31. + +## __MailManager__ + - ### Features + - Amazon SES Mail Manager now supports optional TLS policy for accepting unencrypted connections and mTLS authentication for ingress endpoints with configurable trust stores. Two new rule actions are available, Bounce for sending non-delivery reports and Lambda invocation for custom email processing. + +## __Partner Central Selling API__ + - ### Features + - Adding EURO Currency for MRR Amount + +## __odb__ + - ### Features + - Adds support for EC2 Placement Group integration with ODB Network. The GetOdbNetwork and ListOdbNetworks API responses now include the ec2PlacementGroupIds field. + +## __Contributors__ +Special thanks to the following contributors to this release: + +[@mrdziuban](https://github.com/mrdziuban) +# __2.42.24__ __2026-03-30__ +## __AWS DevOps Agent Service__ + - ### Features + - AWS DevOps Agent General Availability. + +## __AWS Lake Formation__ + - ### Features + - Add setSourceIdentity to DataLakeSettings Parameters + +## __AWS SDK for Java v2__ + - ### Bugfixes + - Optimized JSON serialization by skipping null field marshalling for payload fields + +## __AWSDeadlineCloud__ + - ### Features + - AWS Deadline Cloud now supports three new fleet auto scaling settings. With scale out rate, you can configure how quickly workers launch. With worker idle duration, you can set how long workers wait before shutting down. With standby worker count, you can keep idle workers ready for fast job start. + +## __Amazon AppStream__ + - ### Features + - Add support for URL Redirection + +## __Amazon Bedrock AgentCore__ + - ### Features + - Adds Ground Truth support for AgentCore Evaluations (Evaluate) + +## __Amazon CloudWatch Logs__ + - ### Features + - Adds Lookup Tables to CloudWatch Logs for log enrichment using CSV key-value data with KMS encryption support. + +## __Amazon DynamoDB Enhanced Client__ + - ### Bugfixes + - Improved performance by caching partition and sort key name lookups in StaticTableMetadata. + +## __Amazon EC2 Container Service__ + - ### Features + - Adding Local Storage support for ECS Managed Instances by introducing a new field "localStorageConfiguration" for CreateCapacityProvider and UpdateCapacityProvider APIs. + +## __Amazon GameLift__ + - ### Features + - Update CreateScript API documentation. + +## __Amazon OpenSearch Service__ + - ### Features + - Added Cluster Insights API's In OpenSearch Service SDK. + +## __Amazon SageMaker Service__ + - ### Features + - Added support for placement strategy and consolidation for SageMaker inference component endpoints. Customers can now configure how inference component copies are distributed across instances and availability zones (AZs), and enable automatic consolidation to optimizes resource utilization. + +## __Auto Scaling__ + - ### Features + - Adds support for new instance lifecycle states introduced by the instance lifecycle policy and replace root volume features. + +## __Partner Central Account API__ + - ### Features + - KYB Supplemental Form enables partners who fail business verification to submit additional details and supporting documentation through a self-service form, triggering an automated re-verification without requiring manual intervention from support teams. + +# __2.42.23__ __2026-03-27__ +## __Amazon Bedrock AgentCore__ + - ### Features + - Adding AgentCore Code Interpreter Node.js Runtime Support with an optional runtime field + +## __Amazon Bedrock AgentCore Control__ + - ### Features + - Adds support for custom code-based evaluators using customer-managed Lambda functions. + +## __Amazon NeptuneData__ + - ### Features + - Minor formatting changes to remove unnecessary symbols. + +## __Amazon Omics__ + - ### Features + - AWS HealthOmics now supports VPC networking, allowing users to connect runs to external resources with NAT gateway, AWS VPC resources, and more. New Configuration APIs support configuring VPC settings. StartRun API now accepts networkingMode and configurationName parameters to enable VPC networking. + +## __Apache 5 HTTP Client__ + - ### Bugfixes + - Fixed an issue in the Apache 5 HTTP client where requests could fail with `"Endpoint not acquired / already released"`. These failures are now converted to retryable I/O errors. + +# __2.42.22__ __2026-03-26__ +## __AWS Billing and Cost Management Data Exports__ + - ### Features + - With this release we are providing an option to accounts to have their export delivered to an S3 bucket that is not owned by the account. + +## __AWS SDK for Java v2__ + - ### Features + - Updated endpoint and partition metadata. + +## __Amazon CloudWatch EMF Metric Publisher__ + - ### Features + - Add `PropertiesFactory` and `propertiesFactory` to `EmfMetricLoggingPublisher.Builder`, enabling users to enrich EMF records with custom key-value properties derived from the metric collection or ambient context, searchable in CloudWatch Logs Insights. See [#6595](https://github.com/aws/aws-sdk-java-v2/issues/6595). + - Contributed by: [@humanzz](https://github.com/humanzz) + +## __Amazon CloudWatch Logs__ + - ### Features + - This release adds parameter support to saved queries in CloudWatch Logs Insights. Define reusable query templates with named placeholders, invoke them using start query. Available in Console, CLI and SDK + +## __Amazon EMR__ + - ### Features + - Add StepExecutionRoleArn to RunJobFlow API + +## __Amazon SageMaker Service__ + - ### Features + - Release support for ml.r5d.16xlarge instance types for SageMaker HyperPod + +## __Timestream InfluxDB__ + - ### Features + - Timestream for InfluxDB adds support for customer defined maintenance windows. This allows customers to define maintenance schedule during resource creation and updates + +## __Contributors__ +Special thanks to the following contributors to this release: + +[@humanzz](https://github.com/humanzz) +# __2.42.21__ __2026-03-25__ +## __AWS Batch__ + - ### Features + - Documentation-only update for AWS Batch. + +## __AWS Marketplace Agreement Service__ + - ### Features + - The Variable Payments APIs enable AWS Marketplace Sellers to perform manage their payment requests (send, get, list, cancel). + +## __AWS SDK for Java v2__ + - ### Bugfixes + - Fix bug in CachedSupplier that retries aggressively after many consecutive failures + +## __AWS User Experience Customization__ + - ### Features + - GA release of AccountCustomizations, used to manage account color, visible services, and visible regions settings in the AWS Management Console. + +## __Amazon CloudWatch Application Signals__ + - ### Features + - This release adds support for creating SLOs on RUM appMonitors, Synthetics canaries and services. + +## __Amazon Polly__ + - ### Features + - Add support for Mu-law and A-law codecs for output format + +## __Amazon S3__ + - ### Features + - Add support for maxInFlightParts to multipart upload (PutObject) in MultipartS3AsyncClient. + +## __AmazonApiGatewayV2__ + - ### Features + - Added DISABLE IN PROGRESS and DISABLE FAILED Portal statuses. + +# __2.42.20__ __2026-03-24__ +## __AWS Elemental MediaPackage v2__ + - ### Features + - Reduces the minimum allowed value for startOverWindowSeconds from 60 to 0, allowing customers to effectively disable the start-over window. + +## __AWS Parallel Computing Service__ + - ### Features + - This release adds support for custom slurmdbd and cgroup configuration in AWS PCS. Customers can now specify slurmdbd and cgroup settings to configure database accounting and reporting for their HPC workloads, and control resource allocation and limits for compute jobs. + +## __Amazon Bedrock AgentCore Control__ + - ### Features + - Adds SDK support for 1) Persist session state in AgentCore Runtime via filesystemConfigurations in CreateAgentRuntime, UpdateAgentRuntime, and GetAgentRuntime APIs, 2) Optional name-based filtering on AgentCore ListBrowserProfiles API. + +## __Amazon GameLift__ + - ### Features + - Amazon GameLift Servers launches UDP ping beacons in the Beijing and Ningxia (China) Regions to help measure real-time network latency for multiplayer games. The ListLocations API is now available in these regions to provide endpoint domain and port information as part of the locations list. + +## __Amazon Relational Database Service__ + - ### Features + - Adds support in Aurora PostgreSQL serverless databases for express configuration based creation through WithExpressConfiguration in CreateDbCluster API, and for restoring clusters using RestoreDBClusterToPointInTime and RestoreDBClusterFromSnapshot APIs. + +## __OpenSearch Service Serverless__ + - ### Features + - Adds support for updating the vector options field for existing collections. + +# __2.42.19__ __2026-03-23__ +## __AWS Batch__ + - ### Features + - AWS Batch AMI Visibility feature support. Adds read-only batchImageStatus to Ec2Configuration to provide visibility on the status of Batch-vended AMIs used by Compute Environments. + +## __Amazon Connect Cases__ + - ### Features + - You can now use the UpdateRelatedItem API to update the content of comments and custom related items associated with a case. + +## __Amazon Lightsail__ + - ### Features + - Add support for tagging of ContactMethod resource type + +## __Amazon Omics__ + - ### Features + - Adds support for batch workflow runs in Amazon Omics, enabling users to submit, manage, and monitor multiple runs as a single batch. Includes APIs to create, cancel, and delete batches, track submission statuses and counts, list runs within a batch, and configure default settings. + +## __Amazon S3__ + - ### Features + - Added support of Request-level credentials override in DefaultS3CrtAsyncClient. See [#5354](https://github.com/aws/aws-sdk-java-v2/issues/5354). + +## __Netty NIO HTTP Client__ + - ### Bugfixes + - Fixed an issue where requests with `Expect: 100-continue` over TLS could hang indefinitely when no response is received, because the read timeout handler was prematurely removed by TLS handshake data. + +# __2.42.18__ __2026-03-20__ +## __AWS Backup__ + - ### Features + - Fix Typo for S3Backup Options ( S3BackupACLs to BackupACLs) + +## __AWS SDK for Java v2__ + - ### Features + - Updated endpoint and partition metadata. + + - ### Bugfixes + - Fix bug in CachedSupplier that disabled InstanceProfileCredentialsProvider credential refreshing after 58 consecutive failures. + +## __Amazon DynamoDB__ + - ### Features + - Adding ReplicaArn to ReplicaDescription of a global table replica + +## __Amazon OpenSearch Service__ + - ### Features + - Added support for Amazon Managed Service for Prometheus (AMP) as a connected data source in OpenSearch UI. Now users can analyze Prometheus metrics in OpenSearch UI without data copy. + +## __Amazon Verified Permissions__ + - ### Features + - Adds support for Policy Store Aliases, Policy Names, and Policy Template Names. These are customizable identifiers that can be used in place of Policy Store ids, Policy ids, and Policy Template ids respectively in Amazon Verified Permissions APIs. + +# __2.42.17__ __2026-03-19__ +## __AWS Batch__ + - ### Features + - AWS Batch now supports quota management, enabling administrators to allocate shared compute resources across teams and projects through quota shares with capacity limits, resource-sharing strategies, and priority-based preemption - currently available for SageMaker Training job queues. + +## __AWS SDK for Java v2__ + - ### Features + - Updated endpoint and partition metadata. + +## __Amazon Bedrock AgentCore__ + - ### Features + - This release includes SDK support for the following new features on AgentCore Built In Tools. 1. Enterprise Policies for AgentCore Browser Tool. 2. Root CA Configuration Support for AgentCore Browser Tool and Code Interpreter. 3. API changes to AgentCore Browser Profile APIs + +## __Amazon Bedrock AgentCore Control__ + - ### Features + - Adds support for the following new features. 1. Enterprise Policies support for AgentCore Browser Tool. 2. Root CA Configuration support for AgentCore Browser Tool and Code Interpreter. + +## __Amazon Elastic Compute Cloud__ + - ### Features + - Amazon EC2 Fleet instant mode now supports launching instances into Interruptible Capacity Reservations, enabling customers to use spare capacity shared by Capacity Reservation owners within their AWS Organization. + +## __Amazon Polly__ + - ### Features + - Added bi-directional streaming functionality through a new API, StartSpeechSynthesisStream. This API allows streaming input text through inbound events and receiving audio as part of an output stream simultaneously. + +## __CloudWatch Observability Admin Service__ + - ### Features + - Adding a new field in the CreateCentralizationRuleForOrganization, UpdateCentralizationRuleForOrganization API and updating the GetCentralizationRuleForOrganization API response to include the new field + +# __2.42.16__ __2026-03-18__ +## __AWS Elemental MediaConvert__ + - ### Features + - This update adds additional bitrate options for Dolby AC-4 audio outputs. + +## __Amazon DynamoDB Enhanced Client__ + - ### Bugfixes + - Fix NullPointerException in `EnhancedType.hashCode()`, `EnhancedType.equals()`, and `EnhancedType.toString()` when using wildcard types. + +## __Amazon Elastic Compute Cloud__ + - ### Features + - The DescribeInstanceTypes API now returns default connection tracking timeout values for TCP, UDP, and UDP stream via the new connectionTrackingConfiguration field on NetworkInfo. + +# __2.42.15__ __2026-03-17__ +## __AWS Glue__ + - ### Features + - Provide approval to overwrite existing Lake Formation permissions on all child resources with the default permissions specified in 'CreateTableDefaultPermissions' and 'CreateDatabaseDefaultPermissions' when updating catalog. Allowed values are ["Accept","Deny"] . + +## __Amazon Bedrock AgentCore Control__ + - ### Features + - Deprecating namespaces field and adding namespaceTemplates. + +## __Amazon DynamoDB Enhanced Client__ + - ### Features + - Improved performance of UpdateExpression conversion by replacing Stream.concat chains and String.format with direct iteration and StringJoiner. + +## __Amazon EMR__ + - ### Features + - Add S3LoggingConfiguration to Control LogUploads + +# __2.42.14__ __2026-03-16__ +## __AWS SDK for Java v2__ + - ### Features + - Updated endpoint and partition metadata. + +## __Amazon Bedrock__ + - ### Features + - You can now generate policy scenarios on demand using the new GENERATE POLICY SCENARIOS build workflow type. Scenarios will no longer be automatically generated during INGEST CONTENT, REFINE POLICY, and IMPORT POLICY workflows, resulting in faster completion times for these operations. + +## __Amazon Bedrock AgentCore__ + - ### Features + - Provide support to perform deterministic operations on agent runtime through shell command executions via the new InvokeAgentRuntimeCommand API + +## __Amazon Bedrock AgentCore Control__ + - ### Features + - Supporting hosting of public ECR Container Images in AgentCore Runtime + +## __Amazon EC2 Container Service__ + - ### Features + - Amazon ECS now supports configuring whether tags are propagated to the EC2 Instance Metadata Service (IMDS) for instances launched by the Managed Instances capacity provider. This gives customers control over tag visibility in IMDS when using ECS Managed Instances. + +# __2.42.13__ __2026-03-13__ +## __AWS Config__ + - ### Features + - Fix pagination support for DescribeConformancePackCompliance, and update OrganizationConfigRule InputParameters max length to match ConfigRule. + +## __AWS Elemental MediaConvert__ + - ### Features + - This update adds support for Dolby AC-4 audio output, frame rate conversion between non-Dolby Vision inputs to Dolby Vision outputs, and clear lead CMAF HLS output. + +## __AWS Elemental MediaLive__ + - ### Features + - Documents the VideoDescription.ScalingBehavior.SMART(underscore)CROP enum value. + +## __AWS Glue__ + - ### Features + - Add QuerySessionContext to BatchGetPartitionRequest + +## __AWS SDK for Java v2__ + - ### Features + - Updated endpoint and partition metadata. + + - ### Bugfixes + - upgrade maven-compiler-plugin to 3.14.1 + - Contributed by: [@sullis](https://github.com/sullis) + +## __Amazon API Gateway__ + - ### Features + - API Gateway now supports an additional security policy "SecurityPolicy-TLS13-1-2-FIPS-PFS-PQ-2025-09" for REST APIs and custom domain names. The new policy is compliant with TLS 1.3, Federal Information Processing Standards (FIPS), Perfect Forward Secrecy (PFS), and post-quantum (PQ) cryptography + +## __Amazon Connect Service__ + - ### Features + - Deprecating PredefinedNotificationID field + +## __Amazon GameLift Streams__ + - ### Features + - Feature launch that enables customers to connect streaming sessions to their own VPCs running in AWS. + +## __Amazon Interactive Video Service RealTime__ + - ### Features + - Updates maximum reconnect window seconds from 60 to 300 for participant replication + +## __Amazon QuickSight__ + - ### Features + - The change adds a new capability named ManageSharedFolders in Custom Permissions + +## __Amazon S3__ + - ### Features + - Added `expectContinueEnabled` to `S3Configuration` to control the `Expect: 100-continue` header on PutObject and UploadPart requests. When set to `false`, the SDK stops adding the header. For Apache HTTP client users, to have `ApacheHttpClient.builder().expectContinueEnabled()` fully control the header, set `expectContinueEnabled(false)` on `S3Configuration`. + +## __Application Migration Service__ + - ### Features + - Network Migration APIs are now publicly available for direct programmatic access. Customers can now call Network Migration APIs directly without going through AWS Transform (ATX), enabling automation, integration with existing tools, and self-service migration workflows. + +## __Contributors__ +Special thanks to the following contributors to this release: + +[@sullis](https://github.com/sullis) +# __2.42.12__ __2026-03-12__ +## __AWS DataSync__ + - ### Features + - DataSync's 3 location types, Hadoop Distributed File System (HDFS), FSx for Windows File Server (FSx Windows), and FSx for NetApp ONTAP (FSx ONTAP) now have credentials managed via Secrets Manager, which may be encrypted with service keys or be configured to use customer-managed keys or secret. + +## __AWS SDK for Java v2__ + - ### Features + - Updated endpoint and partition metadata. + + - ### Bugfixes + - Updating Lakefromation Access Grants Plugin version to 1.4.1 + - Contributed by: [@akhilyendluri](https://github.com/akhilyendluri) + +## __Amazon Cloudfront__ + - ### Features + - Add support for resourceUrlPattern to `CloudFrontUtilities.getCookiesForCustomPolicy`. + +## __Amazon DynamoDB Enhanced Client__ + - ### Features + - Added dynamoDbClient() and dynamoDbAsyncClient() default methods to DynamoDbEnhancedClient and DynamoDbEnhancedAsyncClient interfaces to allow access to the underlying low-level client. Fixes [#6654](https://github.com/aws/aws-sdk-java-v2/issues/6654) + +## __Amazon Elastic Container Registry__ + - ### Features + - Add Chainguard to PTC upstreamRegistry enum + +## __Amazon Simple Storage Service__ + - ### Features + - Adds support for account regional namespaces for general purpose buckets. The account regional namespace is a reserved subdivision of the global bucket namespace where only your account can create general purpose buckets. + +## __S3 Transfer Manager__ + - ### Bugfixes + - Fix inaccurate progress tracking for in-memory uploads in the Java-based S3TransferManager. + +## __Contributors__ +Special thanks to the following contributors to this release: + +[@akhilyendluri](https://github.com/akhilyendluri) +# __2.42.11__ __2026-03-11__ +## __AWS CRT-based S3 Client__ + - ### Bugfixes + - Only log `SSL Certificate verification is disabled` warning if trustAllCertificatesEnabled is set to true. + - Contributed by: [@bsmelo](https://github.com/bsmelo) + +## __AWS SDK for Java v2__ + - ### Features + - Updated endpoint and partition metadata. + + - ### Bugfixes + - Updating Lakeformation Access Grants Plugin version to 1.4 + +## __AWS SDK for Java v2 Migration Tool__ + - ### Bugfixes + - Strip quotes in getETag response + +## __Amazon Connect Customer Profiles__ + - ### Features + - Today, Amazon Connect is announcing the ability to filter (include or exclude) recommendations based on properties of items and interactions. + +## __Amazon DynamoDB Enhanced Client__ + - ### Features + - Improved performance by adding a fast path avoiding wrapping of String and Byte types + +## __Amazon Elastic Kubernetes Service__ + - ### Features + - Adds support for a new tier in controlPlaneScalingConfig on EKS Clusters. + +## __Amazon Polly__ + - ### Features + - Added support for the new voices - Ambre (fr-FR), Beatrice (it-IT), Florian (fr-FR), Lennart (de-DE), Lorenzo (it-IT) and Tiffany (en-US). They are available as a Generative voices only. + +## __Amazon S3__ + - ### Bugfixes + - Fixed misleading checksum mismatch error message for S3 GetObject that incorrectly referenced uploading. See [#6324](https://github.com/aws/aws-sdk-java-v2/issues/6324). + +## __Amazon SageMaker Service__ + - ### Features + - SageMaker training plans allow you to extend your existing training plans to avoid workload interruptions without workload reconfiguration. When a training plan is approaching expiration, you can extend it directly through the SageMaker AI console or programmatically using the API or AWS CLI. + +## __Amazon SimpleDB v2__ + - ### Features + - Introduced Amazon SimpleDB export functionality enabling domain data export to S3 in JSON format. Added three new APIs StartDomainExport, GetExport, and ListExports via SimpleDBv2 service. Supports cross-region exports and KMS encryption. + +## __Amazon WorkSpaces__ + - ### Features + - Added WINDOWS SERVER 2025 OperatingSystemName. + +## __Contributors__ +Special thanks to the following contributors to this release: + +[@bsmelo](https://github.com/bsmelo) +# __2.42.10__ __2026-03-10__ +## __AWS Database Migration Service__ + - ### Features + - Not need to include to any release notes. The only change is to correct LoadTimeout unit from milliseconds to seconds in RedshiftSettings + +## __AWS SDK for Java v2__ + - ### Features + - Updated endpoint and partition metadata. + +## __AWS SDK for Java v2 Code Generator__ + - ### Features + - Improve model validation error message for operations missing request URI. + +## __Amazon Bedrock AgentCore Control__ + - ### Features + - Adding first class support for AG-UI protocol in AgentCore Runtime. + +## __Amazon Connect Cases__ + - ### Features + - Added functionality for the Required and Hidden case rule types to be conditionally evaluated on up to 5 conditions. + +## __Amazon Lex Model Building V2__ + - ### Features + - This release introduces a new generative AI feature called Lex Bot Analyzer. This feature leverage AI to analyze the bot configuration against AWS Lex best practices to identify configuration issues and provides recommendations. + +## __Managed Streaming for Kafka__ + - ### Features + - Add dual stack endpoint to SDK + +# __2.42.9__ __2026-03-09__ +## __AWS Identity and Access Management__ + - ### Features + - Added support for CloudWatch Logs long-term API keys, currently available in Preview + +## __AWS SDK for Java v2__ + - ### Bugfixes + - Implement reset() for XxHashChecksum to allow checksum reuse. + +## __Amazon OpenSearch Service__ + - ### Features + - This change enables cross-account and cross-region access for DataSources. Customers can now define access policies on their datasources to allow other AWS accounts to access and query their data. + +## __Amazon Route 53 Global Resolver__ + - ### Features + - Adds support for dual stack Global Resolvers and Dictionary-based Domain Generation Firewall Advanced Protection. + +## __Application Migration Service__ + - ### Features + - Adds support for new storeSnapshotOnLocalZone field in ReplicationConfiguration and updateReplicationConfiguration + +# __2.42.8__ __2026-03-06__ +## __AWS Billing and Cost Management Data Exports__ + - ### Features + - Fixed wrong endpoint resolutions in few regions. Added AWS CFN resource schema for BCM Data Exports. Added max value validation for pagination parameter. Fixed ARN format validation for BCM Data Exports resources. Updated size constraints for table properties. Added AccessDeniedException error. + +## __AWS SDK for Java v2__ + - ### Features + - Updated endpoint and partition metadata. + +## __AWSDeadlineCloud__ + - ### Features + - AWS Deadline Cloud now supports cost scale factors for farms, enabling studios to adjust reported costs to reflect their actual rendering economics. Adjusted costs are reflected in Deadline Cloud's Usage Explorer and Budgets. + +## __Amazon AppIntegrations Service__ + - ### Features + - This release adds support for webhooks, allowing customers to create an Event Integration with a webhook source. + +## __Amazon Bedrock__ + - ### Features + - Amazon Bedrock Guardrails account-level enforcement APIs now support lists for model inclusion and exclusion from guardrail enforcement. + +## __Amazon Bedrock AgentCore Control__ + - ### Features + - Adds support for streaming memory records in AgentCore Memory + +## __Amazon Connect Service__ + - ### Features + - Amazon Connect now supports the ability to programmatically configure and run automated tests for contact center experiences for Chat. Integrate testing into CICD pipelines, run multiple tests at scale, and retrieve results via API to automate validation of chat interactions and workflows. + +## __Amazon GameLift Streams__ + - ### Features + - Added new Gen6 stream classes based on the EC2 G6f instance family. These stream classes provide cost-optimized options for streaming well-optimized or lower-fidelity games on Windows environments. + +## __Amazon Simple Email Service__ + - ### Features + - Adds support for longer email message header values, increasing the maximum length from 870 to 995 characters for RFC 5322 compliance. + +# __2.42.7__ __2026-03-05__ +## __AWS Multi-party Approval__ + - ### Features + - Updates to multi-party approval (MPA) service to add support for approval team baseline operations. + +## __AWS SDK for Java v2__ + - ### Features + - Updated endpoint and partition metadata. + + - ### Bugfixes + - Fixed a thread leak in ResponseInputStream and ResponsePublisher where the internal timeout scheduler thread persisted for the lifetime of the JVM, even when no streams were active. The thread now terminates after being idle for 60 seconds. + +## __AWS Savings Plans__ + - ### Features + - Added support for OpenSearch and Neptune Analytics to Database Savings Plans. + +## __Amazon Elastic Compute Cloud__ + - ### Features + - Added metadata field to CapacityAllocation. + +## __Amazon GuardDuty__ + - ### Features + - Added MALICIOUS FILE to IndicatorType enum in MDC Sequence + +## __Amazon SageMaker Service__ + - ### Features + - Adds support for S3 Bucket Ownership validation for SageMaker Managed MLflow. + +## __Connect Health__ + - ### Features + - Connect-Health SDK is AWS's unified SDK for the Amazon Connect Health offering. It allows healthcare developers to integrate purpose-built agents - such as patient insights, ambient documentation, and medical coding - into their existing applications, including EHRs, telehealth, and revenue cycle. + +# __2.42.6__ __2026-03-04__ +## __AWS Elastic Beanstalk__ + - ### Features + - As part of this release, Beanstalk introduce a new info type - analyze for request environment info and retrieve environment info operations. When customers request an Al analysis, Elastic Beanstalk runs a script on an instance in their environment and returns an analysis of events, health and logs. + +## __Amazon Connect Service__ + - ### Features + - Added support for configuring additional email addresses on queues in Amazon Connect. Agents can now select an outbound email address and associate additional email addresses for replying to or initiating emails. + +## __Amazon Elasticsearch Service__ + - ### Features + - Adds support for DeploymentStrategyOptions. + +## __Amazon GameLift__ + - ### Features + - Amazon GameLift Servers now offers DDoS protection for Linux-based EC2 and Container Fleets on SDKv5. The player gateway proxy relay network provides traffic validation, per-player rate limiting, and game server IP address obfuscation all with negligible added latency and no additional cost. + +## __Amazon OpenSearch Service__ + - ### Features + - Adding support for DeploymentStrategyOptions + +## __Amazon QuickSight__ + - ### Features + - Added several new values for Capabilities, increased visual limit per sheet from previous limit to 75, renamed Quick Suite to Quick in several places. + +# __2.42.5__ __2026-03-03__ +## __AWS SDK for Java v2__ + - ### Features + - Updated endpoint and partition metadata. + +## __Amazon Bedrock AgentCore Control__ + - ### Features + - Support for AgentCore Policy GA + +## __Amazon CloudWatch Logs__ + - ### Features + - CloudWatch Logs updates- Added support for the PutBearerTokenAuthentication API to enable or disable bearer token authentication on a log group. For more information, see CloudWatch Logs API documentation. + +## __Amazon DataZone__ + - ### Features + - Adding QueryGraph operation to DataZone SDK + +## __Amazon SageMaker Service__ + - ### Features + - This release adds b300 and g7e instance types for SageMaker inference endpoints. + +## __Partner Central Channel API__ + - ### Features + - Adds the Resold Unified Operations support plan and removes the Resold Business support plan in the CreateRelationship and UpdateRelationship APIs + +# __2.42.4__ __2026-02-27__ +## __ARC - Region switch__ + - ### Features + - Post-Recovery Workflows enable customers to maintain comprehensive disaster recovery automation. This allows customer SREs and leadership to have complete recovery orchestration from failover through post-recovery preparation, ensuring Regions remain ready for subsequent recovery events. + +## __AWS Batch__ + - ### Features + - This feature allows customers to specify the minimum time (in minutes) that AWS Batch keeps instances running in a compute environment after all jobs on the instance complete + +## __AWS Health APIs and Notifications__ + - ### Features + - Updates the regex for validating availabilityZone strings used in the describe events filters. + +## __AWS Resource Access Manager__ + - ### Features + - Resource owners can now specify ResourceShareConfiguration request parameter for CreateResourceShare API including RetainSharingOnAccountLeaveOrganization boolean parameter + +## __Amazon Bedrock__ + - ### Features + - Added four new model lifecycle date fields, startOfLifeTime, endOfLifeTime, legacyTime, and publicExtendedAccessTime. Adds support for using the Converse API with Bedrock Batch inference jobs. + +## __Amazon Cognito Identity Provider__ + - ### Features + - Cognito is introducing a two-secret rotation model for app clients, enabling seamless credential rotation without downtime. Dedicated APIs support passing in a custom secret. Custom secrets need to be at least 24 characters. This eliminates reconfiguration needs and reduces security risks. + +## __Amazon Connect Customer Profiles__ + - ### Features + - This release introduces an optional SourcePriority parameter to the ProfileObjectType APIs, allowing you to control the precedence of object types when ingesting data from multiple sources. Additionally, WebAnalytics and Device have been added as new StandardIdentifier values. + +## __Amazon Connect Service__ + - ### Features + - Deprecate EvaluationReviewMetadata's CreatedBy and CreatedTime, add EvaluationReviewMetadata's RequestedBy and RequestedTime + +## __Amazon Keyspaces Streams__ + - ### Features + - Added support for Change Data Capture (CDC) streams with Duration DataType. + +## __Amazon Transcribe Streaming Service__ + - ### Features + - AWS Transcribe Streaming now supports specifying a resumption window for the stream through the SessionResumeWindow parameter, allowing customers to reconnect to their streams for a longer duration beyond stream start time. + +## __odb__ + - ### Features + - ODB Networking Route Management is a feature improvement which allows for implicit creation and deletion of EC2 Routes in the Peer Network Route Table designated by the customer via new optional input. This feature release is combined with Multiple App-VPC functionality for ODB Network Peering(s). + +# __2.42.3__ __2026-02-26__ +## __AWS Backup Gateway__ + - ### Features + - This release updates GetGateway API to include deprecationDate and softwareVersion in the response, enabling customers to track gateway software versions and upcoming deprecation dates. + +## __AWS Marketplace Entitlement Service__ + - ### Features + - Added License Arn as a new optional filter for GetEntitlements and LicenseArn field in each entitlement in the response. + +## __AWS SecurityHub__ + - ### Features + - Security Hub added EXTENDED PLAN integration type to DescribeProductsV2 and added metadata.product.vendor name GroupBy support to GetFindingStatisticsV2 + +## __AWSMarketplace Metering__ + - ### Features + - Added LicenseArn to ResolveCustomer response and BatchMeterUsage usage records. BatchMeterUsage now accepts LicenseArn in each UsageRecord to report usage at the license level. Added InvalidLicenseException error response for invalid license parameters. + +## __Amazon EC2 Container Service__ + - ### Features + - Adding support for Capacity Reservations for ECS Managed Instances by introducing a new "capacityOptionType" value of "RESERVED" and new field "capacityReservations" for CreateCapacityProvider and UpdateCapacityProvider APIs. + +## __Amazon Elastic Compute Cloud__ + - ### Features + - Add c8id, m8id and hpc8a instance types. + +## __Apache 5 HTTP Client__ + - ### Features + - Update `httpcore5` to `5.4.1`. + +# __2.42.2__ __2026-02-25__ +## __AWS Batch__ + - ### Features + - AWS Batch documentation update for service job capacity units. + +## __AWS SDK for Java v2__ + - ### Features + - Updated endpoint and partition metadata. + +## __AWS WAFV2__ + - ### Features + - AWS WAF now supports GetTopPathStatisticsByTraffic that provides aggregated statistics on the top URI paths accessed by bot traffic. Use this operation to see which paths receive the most bot traffic, identify the specific bots accessing them, and filter by category, organization, or bot name. + +## __Amazon Elastic Compute Cloud__ + - ### Features + - Add support for EC2 Capacity Blocks in Local Zones. + +## __Amazon Elastic Container Registry__ + - ### Features + - Update repository name regex to comply with OCI Distribution Specification + +## __Amazon Neptune__ + - ### Features + - Neptune global clusters now supports tags + +# __2.42.1__ __2026-02-24__ +## __AWS Elemental Inference__ + - ### Features + - Initial GA launch for AWS Elemental Inference including capabilities of Smart Crop and Live Event Clipping + +## __AWS Elemental MediaLive__ + - ### Features + - AWS Elemental MediaLive - Added support for Elemental Inference for Smart Cropping and Clipping features for MediaLive. + +## __Amazon CloudWatch__ + - ### Features + - This release adds the APIs (PutAlarmMuteRule, ListAlarmMuteRules, GetAlarmMuteRule and DeleteAlarmMuteRule) to manage a new Cloudwatch resource, AlarmMuteRules. AlarmMuteRules allow customers to temporarily mute alarm notifications during expected downtime periods. + +## __Amazon Elastic Compute Cloud__ + - ### Features + - Adds httpTokensEnforced property to ModifyInstanceMetadataDefaults API. Set per account or manage organization-wide using declarative policies to prevent IMDSv1-enabled instance launch and block attempts to enable IMDSv1 on existing IMDSv2-only instances. + +## __Amazon Elasticsearch Service__ + - ### Features + - Fixed HTTP binding for DescribeDomainAutoTunes API to correctly pass request parameters as query parameters in the HTTP request. + +## __Amazon OpenSearch Service__ + - ### Features + - Fixed HTTP binding for DescribeDomainAutoTunes API to correctly pass request parameters as query parameters in the HTTP request. + +## __CloudWatch Observability Admin Service__ + - ### Features + - Adding a new field in the CreateCentralizationRuleForOrganization, UpdateCentralizationRuleForOrganization API and updating the GetCentralizationRuleForOrganization API response to include the new field + +## __Partner Central Selling API__ + - ### Features + - Added support for filtering opportunities by target close date in the ListOpportunities API. You can now filter results to return opportunities with a target close date before or after a specified date, enabling more precise opportunity searches based on expected closure timelines. + +# __2.42.0__ __2026-02-23__ +## __AWS Control Catalog__ + - ### Features + - Updated ExemptedPrincipalArns parameter documentation for improved accuracy + +## __AWS MediaTailor__ + - ### Features + - Updated endpoint rule set for dualstack endpoints. Added a new opt-in option to log raw ad decision server requests for Playback Configurations. + +## __AWS SDK for Java v2__ + - ### Features + - Add support for additional checksum algorithms: XXHASH64, XXHASH3, XXHASH128, SHA512. + - Updated endpoint and partition metadata. + +## __AWS Wickr Admin API__ + - ### Features + - AWS Wickr now provides APIs to manage your Wickr OpenTDF integration. These APIs enable you to test and save your OpenTDF configuration allowing you to manage rooms based on Trusted Data Format attributes. + +## __Amazon Bedrock__ + - ### Features + - Automated Reasoning checks in Amazon Bedrock Guardrails now support fidelity report generation. The new workflow type assesses policy coverage and accuracy against customer documents. The GetAutomatedReasoningPolicyBuildWorkflowResultAssets API adds support for the three new asset types. + +## __Amazon Connect Cases__ + - ### Features + - SearchCases API can now accept 25 fields in the request and response as opposed to the previous limit of 10. DeleteField's hard limit of 100 fields per domain has been lifted. + +## __Amazon DataZone__ + - ### Features + - Add workflow properties support to connections APIs + +## __Amazon DynamoDB__ + - ### Features + - This change supports the creation of multi-account global tables. It adds one new arguments to UpdateTable, GlobalTableSettingsReplicationMode. + +## __Amazon QuickSight__ + - ### Features + - Adds support for SEMISTRUCT to InputColumn Type + diff --git a/codegen-lite-maven-plugin/pom.xml b/codegen-lite-maven-plugin/pom.xml index 17be6050975c..773a54e66d5c 100644 --- a/codegen-lite-maven-plugin/pom.xml +++ b/codegen-lite-maven-plugin/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ../pom.xml codegen-lite-maven-plugin diff --git a/codegen-lite/pom.xml b/codegen-lite/pom.xml index d1e53c820666..cd17bdcf07b0 100644 --- a/codegen-lite/pom.xml +++ b/codegen-lite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT codegen-lite AWS Java SDK :: Code Generator Lite diff --git a/codegen-maven-plugin/pom.xml b/codegen-maven-plugin/pom.xml index 1184ccdb9e42..a8dd48572f46 100644 --- a/codegen-maven-plugin/pom.xml +++ b/codegen-maven-plugin/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ../pom.xml codegen-maven-plugin diff --git a/codegen/pom.xml b/codegen/pom.xml index 71c483909f9f..3647d3df2635 100644 --- a/codegen/pom.xml +++ b/codegen/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT codegen AWS Java SDK :: Code Generator diff --git a/core/annotations/pom.xml b/core/annotations/pom.xml index 214c0d01044a..d62e5c5f597c 100644 --- a/core/annotations/pom.xml +++ b/core/annotations/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 diff --git a/core/arns/pom.xml b/core/arns/pom.xml index 5c407b45c6f5..3cb219c04c39 100644 --- a/core/arns/pom.xml +++ b/core/arns/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 diff --git a/core/auth-crt/pom.xml b/core/auth-crt/pom.xml index e22802bf9d93..f15430ed7df2 100644 --- a/core/auth-crt/pom.xml +++ b/core/auth-crt/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT auth-crt diff --git a/core/auth/pom.xml b/core/auth/pom.xml index 2142fd6d5b09..a97414c5c93f 100644 --- a/core/auth/pom.xml +++ b/core/auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT auth diff --git a/core/aws-core/pom.xml b/core/aws-core/pom.xml index bd192c9b3f65..2e57f6fc86d8 100644 --- a/core/aws-core/pom.xml +++ b/core/aws-core/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT aws-core diff --git a/core/checksums-spi/pom.xml b/core/checksums-spi/pom.xml index ae52543bebee..74c7780f4fe8 100644 --- a/core/checksums-spi/pom.xml +++ b/core/checksums-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT checksums-spi diff --git a/core/checksums/pom.xml b/core/checksums/pom.xml index 1f06aa07d44d..4a23c25de1b2 100644 --- a/core/checksums/pom.xml +++ b/core/checksums/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT checksums diff --git a/core/crt-core/pom.xml b/core/crt-core/pom.xml index a8d6d47996dc..3f7acb8e1aca 100644 --- a/core/crt-core/pom.xml +++ b/core/crt-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT crt-core diff --git a/core/endpoints-spi/pom.xml b/core/endpoints-spi/pom.xml index 61a48637cded..3b53a69237de 100644 --- a/core/endpoints-spi/pom.xml +++ b/core/endpoints-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 diff --git a/core/http-auth-aws-crt/pom.xml b/core/http-auth-aws-crt/pom.xml index ea959b028c59..6bd3639db62d 100644 --- a/core/http-auth-aws-crt/pom.xml +++ b/core/http-auth-aws-crt/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT http-auth-aws-crt diff --git a/core/http-auth-aws-eventstream/pom.xml b/core/http-auth-aws-eventstream/pom.xml index 36a00fb59beb..75fdda5403bf 100644 --- a/core/http-auth-aws-eventstream/pom.xml +++ b/core/http-auth-aws-eventstream/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT http-auth-aws-eventstream diff --git a/core/http-auth-aws/pom.xml b/core/http-auth-aws/pom.xml index 61b30c2c269e..865b92e0f06a 100644 --- a/core/http-auth-aws/pom.xml +++ b/core/http-auth-aws/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT http-auth-aws diff --git a/core/http-auth-spi/pom.xml b/core/http-auth-spi/pom.xml index f749bb9deed3..0df64885802d 100644 --- a/core/http-auth-spi/pom.xml +++ b/core/http-auth-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT http-auth-spi diff --git a/core/http-auth/pom.xml b/core/http-auth/pom.xml index a394f48ee3c0..8ea42fd33601 100644 --- a/core/http-auth/pom.xml +++ b/core/http-auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT http-auth diff --git a/core/identity-spi/pom.xml b/core/identity-spi/pom.xml index 41ead56ab794..ad97a700010c 100644 --- a/core/identity-spi/pom.xml +++ b/core/identity-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT identity-spi diff --git a/core/imds/pom.xml b/core/imds/pom.xml index e8259129e480..8ab56b54a3de 100644 --- a/core/imds/pom.xml +++ b/core/imds/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 imds diff --git a/core/json-utils/pom.xml b/core/json-utils/pom.xml index 4c3c5d2a17c3..e3e882a656da 100644 --- a/core/json-utils/pom.xml +++ b/core/json-utils/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 diff --git a/core/metrics-spi/pom.xml b/core/metrics-spi/pom.xml index 822486b3383b..812d2779819e 100644 --- a/core/metrics-spi/pom.xml +++ b/core/metrics-spi/pom.xml @@ -5,7 +5,7 @@ core software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 diff --git a/core/pom.xml b/core/pom.xml index 80a31d08d9f5..fd22fe21e7eb 100644 --- a/core/pom.xml +++ b/core/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT core diff --git a/core/profiles/pom.xml b/core/profiles/pom.xml index 3c438cc3a7ba..b2645942c5ad 100644 --- a/core/profiles/pom.xml +++ b/core/profiles/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT profiles diff --git a/core/protocols/aws-cbor-protocol/pom.xml b/core/protocols/aws-cbor-protocol/pom.xml index 8a6a94c77baa..6d2c9a5deac5 100644 --- a/core/protocols/aws-cbor-protocol/pom.xml +++ b/core/protocols/aws-cbor-protocol/pom.xml @@ -20,7 +20,7 @@ protocols software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-json-protocol/pom.xml b/core/protocols/aws-json-protocol/pom.xml index b333b5699b7e..2348819aa928 100644 --- a/core/protocols/aws-json-protocol/pom.xml +++ b/core/protocols/aws-json-protocol/pom.xml @@ -20,7 +20,7 @@ protocols software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-query-protocol/pom.xml b/core/protocols/aws-query-protocol/pom.xml index 0d5b006429db..63149edbc783 100644 --- a/core/protocols/aws-query-protocol/pom.xml +++ b/core/protocols/aws-query-protocol/pom.xml @@ -20,7 +20,7 @@ protocols software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-xml-protocol/pom.xml b/core/protocols/aws-xml-protocol/pom.xml index 2466433cf2bf..9413172a5a33 100644 --- a/core/protocols/aws-xml-protocol/pom.xml +++ b/core/protocols/aws-xml-protocol/pom.xml @@ -20,7 +20,7 @@ protocols software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 diff --git a/core/protocols/pom.xml b/core/protocols/pom.xml index f1eea3c341fe..4c2054916e06 100644 --- a/core/protocols/pom.xml +++ b/core/protocols/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 diff --git a/core/protocols/protocol-core/pom.xml b/core/protocols/protocol-core/pom.xml index 7d4c461f1acf..efa366211b07 100644 --- a/core/protocols/protocol-core/pom.xml +++ b/core/protocols/protocol-core/pom.xml @@ -20,7 +20,7 @@ protocols software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 diff --git a/core/protocols/smithy-rpcv2-protocol/pom.xml b/core/protocols/smithy-rpcv2-protocol/pom.xml index 8f0f02ab124b..86fd59e315a0 100644 --- a/core/protocols/smithy-rpcv2-protocol/pom.xml +++ b/core/protocols/smithy-rpcv2-protocol/pom.xml @@ -20,7 +20,7 @@ protocols software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 diff --git a/core/regions/pom.xml b/core/regions/pom.xml index 1aea3b5a6767..485d8f635fd9 100644 --- a/core/regions/pom.xml +++ b/core/regions/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT regions diff --git a/core/retries-spi/pom.xml b/core/retries-spi/pom.xml index 24898cb71c7a..cce9e6498ca4 100644 --- a/core/retries-spi/pom.xml +++ b/core/retries-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 diff --git a/core/retries/pom.xml b/core/retries/pom.xml index 2f3ae10231fb..75967af994b1 100644 --- a/core/retries/pom.xml +++ b/core/retries/pom.xml @@ -21,7 +21,7 @@ core software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 diff --git a/core/sdk-core/pom.xml b/core/sdk-core/pom.xml index 95e90ea5e77d..fc1871364e3f 100644 --- a/core/sdk-core/pom.xml +++ b/core/sdk-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT sdk-core AWS Java SDK :: SDK Core diff --git a/http-client-spi/pom.xml b/http-client-spi/pom.xml index fb97b9353eb3..4f921f75585d 100644 --- a/http-client-spi/pom.xml +++ b/http-client-spi/pom.xml @@ -22,7 +22,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT http-client-spi AWS Java SDK :: HTTP Client Interface diff --git a/http-clients/apache-client/pom.xml b/http-clients/apache-client/pom.xml index c80397a0b839..a8fb7d729c17 100644 --- a/http-clients/apache-client/pom.xml +++ b/http-clients/apache-client/pom.xml @@ -21,7 +21,7 @@ http-clients software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT apache-client diff --git a/http-clients/apache5-client/pom.xml b/http-clients/apache5-client/pom.xml index d311c2ef8a78..859ffff60cc5 100644 --- a/http-clients/apache5-client/pom.xml +++ b/http-clients/apache5-client/pom.xml @@ -21,7 +21,7 @@ http-clients software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT apache5-client diff --git a/http-clients/aws-crt-client/pom.xml b/http-clients/aws-crt-client/pom.xml index 02824e862bcc..fe67d82243c7 100644 --- a/http-clients/aws-crt-client/pom.xml +++ b/http-clients/aws-crt-client/pom.xml @@ -21,7 +21,7 @@ http-clients software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 diff --git a/http-clients/netty-nio-client/pom.xml b/http-clients/netty-nio-client/pom.xml index f7564cfedec1..1ad873f100a5 100644 --- a/http-clients/netty-nio-client/pom.xml +++ b/http-clients/netty-nio-client/pom.xml @@ -20,7 +20,7 @@ http-clients software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 diff --git a/http-clients/pom.xml b/http-clients/pom.xml index 24ce96558e1a..2514f20ff2f7 100644 --- a/http-clients/pom.xml +++ b/http-clients/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 diff --git a/http-clients/url-connection-client/pom.xml b/http-clients/url-connection-client/pom.xml index 7574aa4850a8..02bbb53074af 100644 --- a/http-clients/url-connection-client/pom.xml +++ b/http-clients/url-connection-client/pom.xml @@ -20,7 +20,7 @@ http-clients software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 diff --git a/metric-publishers/cloudwatch-metric-publisher/pom.xml b/metric-publishers/cloudwatch-metric-publisher/pom.xml index 7aed3f78c8a9..2f2da3b78414 100644 --- a/metric-publishers/cloudwatch-metric-publisher/pom.xml +++ b/metric-publishers/cloudwatch-metric-publisher/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk metric-publishers - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT cloudwatch-metric-publisher diff --git a/metric-publishers/emf-metric-logging-publisher/pom.xml b/metric-publishers/emf-metric-logging-publisher/pom.xml index bb19bfab2764..72060fc61849 100644 --- a/metric-publishers/emf-metric-logging-publisher/pom.xml +++ b/metric-publishers/emf-metric-logging-publisher/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk metric-publishers - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT emf-metric-logging-publisher diff --git a/metric-publishers/pom.xml b/metric-publishers/pom.xml index 92d8c0be3538..483b46b3503c 100644 --- a/metric-publishers/pom.xml +++ b/metric-publishers/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT metric-publishers diff --git a/pom.xml b/pom.xml index e10a854f86f4..ae7934b8cbf6 100644 --- a/pom.xml +++ b/pom.xml @@ -20,7 +20,7 @@ 4.0.0 software.amazon.awssdk aws-sdk-java-pom - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT pom AWS Java SDK :: Parent The Amazon Web Services SDK for Java provides Java APIs diff --git a/release-scripts/pom.xml b/release-scripts/pom.xml index 1fa32ae9360d..2c7f672ff580 100644 --- a/release-scripts/pom.xml +++ b/release-scripts/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ../pom.xml release-scripts diff --git a/services-custom/dynamodb-enhanced/pom.xml b/services-custom/dynamodb-enhanced/pom.xml index 1f8a685e2b02..78cb222784f2 100644 --- a/services-custom/dynamodb-enhanced/pom.xml +++ b/services-custom/dynamodb-enhanced/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services-custom - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT dynamodb-enhanced AWS Java SDK :: DynamoDB :: Enhanced Client diff --git a/services-custom/iam-policy-builder/pom.xml b/services-custom/iam-policy-builder/pom.xml index fccc76cfa100..fef006cc782e 100644 --- a/services-custom/iam-policy-builder/pom.xml +++ b/services-custom/iam-policy-builder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ../../pom.xml iam-policy-builder diff --git a/services-custom/pom.xml b/services-custom/pom.xml index 6bb6ca160a69..e7b14bebb70f 100644 --- a/services-custom/pom.xml +++ b/services-custom/pom.xml @@ -19,7 +19,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT services-custom AWS Java SDK :: Custom Services diff --git a/services-custom/s3-event-notifications/pom.xml b/services-custom/s3-event-notifications/pom.xml index deaa825ac473..cacabbd0d151 100644 --- a/services-custom/s3-event-notifications/pom.xml +++ b/services-custom/s3-event-notifications/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ../../pom.xml s3-event-notifications diff --git a/services-custom/s3-transfer-manager/pom.xml b/services-custom/s3-transfer-manager/pom.xml index 6116fb9ffc72..f5a57986834c 100644 --- a/services-custom/s3-transfer-manager/pom.xml +++ b/services-custom/s3-transfer-manager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ../../pom.xml s3-transfer-manager diff --git a/services-custom/sns-message-manager/pom.xml b/services-custom/sns-message-manager/pom.xml index 89b49a1c9eff..b60e018ba94d 100644 --- a/services-custom/sns-message-manager/pom.xml +++ b/services-custom/sns-message-manager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ../../pom.xml sns-message-manager diff --git a/services/accessanalyzer/pom.xml b/services/accessanalyzer/pom.xml index ed78fd847c11..45e0ae9a213a 100644 --- a/services/accessanalyzer/pom.xml +++ b/services/accessanalyzer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT accessanalyzer AWS Java SDK :: Services :: AccessAnalyzer diff --git a/services/account/pom.xml b/services/account/pom.xml index c5871e9ab440..b7bcc34cbb9d 100644 --- a/services/account/pom.xml +++ b/services/account/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT account AWS Java SDK :: Services :: Account diff --git a/services/acm/pom.xml b/services/acm/pom.xml index ef89b8347048..67583fd09f92 100644 --- a/services/acm/pom.xml +++ b/services/acm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT acm AWS Java SDK :: Services :: AWS Certificate Manager diff --git a/services/acmpca/pom.xml b/services/acmpca/pom.xml index 7a79c3e31926..ea1a895c0789 100644 --- a/services/acmpca/pom.xml +++ b/services/acmpca/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT acmpca AWS Java SDK :: Services :: ACM PCA diff --git a/services/aiops/pom.xml b/services/aiops/pom.xml index 13c11be12eda..b149fbab921d 100644 --- a/services/aiops/pom.xml +++ b/services/aiops/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT aiops AWS Java SDK :: Services :: AI Ops diff --git a/services/amp/pom.xml b/services/amp/pom.xml index b7856a9f604a..b6e61a8640f3 100644 --- a/services/amp/pom.xml +++ b/services/amp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT amp AWS Java SDK :: Services :: Amp diff --git a/services/amplify/pom.xml b/services/amplify/pom.xml index 8dfc2120da6b..953198654bdb 100644 --- a/services/amplify/pom.xml +++ b/services/amplify/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT amplify AWS Java SDK :: Services :: Amplify diff --git a/services/amplifybackend/pom.xml b/services/amplifybackend/pom.xml index a78059a9f9b7..ef02d28a14c8 100644 --- a/services/amplifybackend/pom.xml +++ b/services/amplifybackend/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT amplifybackend AWS Java SDK :: Services :: Amplify Backend diff --git a/services/amplifyuibuilder/pom.xml b/services/amplifyuibuilder/pom.xml index b89149583977..57cd7d7a8587 100644 --- a/services/amplifyuibuilder/pom.xml +++ b/services/amplifyuibuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT amplifyuibuilder AWS Java SDK :: Services :: Amplify UI Builder diff --git a/services/apigateway/pom.xml b/services/apigateway/pom.xml index 14d9b0c539cd..a735dc6dafa2 100644 --- a/services/apigateway/pom.xml +++ b/services/apigateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT apigateway AWS Java SDK :: Services :: Amazon API Gateway diff --git a/services/apigatewaymanagementapi/pom.xml b/services/apigatewaymanagementapi/pom.xml index 17ea05f3a878..ea428fb66690 100644 --- a/services/apigatewaymanagementapi/pom.xml +++ b/services/apigatewaymanagementapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT apigatewaymanagementapi AWS Java SDK :: Services :: ApiGatewayManagementApi diff --git a/services/apigatewayv2/pom.xml b/services/apigatewayv2/pom.xml index e92756af2f1a..306404e74b3b 100644 --- a/services/apigatewayv2/pom.xml +++ b/services/apigatewayv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT apigatewayv2 AWS Java SDK :: Services :: ApiGatewayV2 diff --git a/services/appconfig/pom.xml b/services/appconfig/pom.xml index 60514585ee53..4f02b929f249 100644 --- a/services/appconfig/pom.xml +++ b/services/appconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT appconfig AWS Java SDK :: Services :: AppConfig diff --git a/services/appconfigdata/pom.xml b/services/appconfigdata/pom.xml index 7d650e3e3220..2afc55c74c62 100644 --- a/services/appconfigdata/pom.xml +++ b/services/appconfigdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT appconfigdata AWS Java SDK :: Services :: App Config Data diff --git a/services/appfabric/pom.xml b/services/appfabric/pom.xml index 2a4e9b2d52cb..663005208656 100644 --- a/services/appfabric/pom.xml +++ b/services/appfabric/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT appfabric AWS Java SDK :: Services :: App Fabric diff --git a/services/appflow/pom.xml b/services/appflow/pom.xml index 4170defb050b..0e5620c43620 100644 --- a/services/appflow/pom.xml +++ b/services/appflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT appflow AWS Java SDK :: Services :: Appflow diff --git a/services/appintegrations/pom.xml b/services/appintegrations/pom.xml index 8258f7de85f9..e14eb464ca82 100644 --- a/services/appintegrations/pom.xml +++ b/services/appintegrations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT appintegrations AWS Java SDK :: Services :: App Integrations diff --git a/services/applicationautoscaling/pom.xml b/services/applicationautoscaling/pom.xml index 0fdf389ea178..bb8b967cca4e 100644 --- a/services/applicationautoscaling/pom.xml +++ b/services/applicationautoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT applicationautoscaling AWS Java SDK :: Services :: AWS Application Auto Scaling diff --git a/services/applicationcostprofiler/pom.xml b/services/applicationcostprofiler/pom.xml index ccc9f833d945..eac69c608ab5 100644 --- a/services/applicationcostprofiler/pom.xml +++ b/services/applicationcostprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT applicationcostprofiler AWS Java SDK :: Services :: Application Cost Profiler diff --git a/services/applicationdiscovery/pom.xml b/services/applicationdiscovery/pom.xml index 84ca7cc3b8b5..8d253a486c5a 100644 --- a/services/applicationdiscovery/pom.xml +++ b/services/applicationdiscovery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT applicationdiscovery AWS Java SDK :: Services :: AWS Application Discovery Service diff --git a/services/applicationinsights/pom.xml b/services/applicationinsights/pom.xml index 8fd8b4f0c73b..5c31f3f75aa5 100644 --- a/services/applicationinsights/pom.xml +++ b/services/applicationinsights/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT applicationinsights AWS Java SDK :: Services :: Application Insights diff --git a/services/applicationsignals/pom.xml b/services/applicationsignals/pom.xml index a897e2e21679..5a94029f8c4f 100644 --- a/services/applicationsignals/pom.xml +++ b/services/applicationsignals/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT applicationsignals AWS Java SDK :: Services :: Application Signals diff --git a/services/appmesh/pom.xml b/services/appmesh/pom.xml index b1b9ae499edb..84f02b9d8cb9 100644 --- a/services/appmesh/pom.xml +++ b/services/appmesh/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT appmesh AWS Java SDK :: Services :: App Mesh diff --git a/services/apprunner/pom.xml b/services/apprunner/pom.xml index c6b11d7df150..4883e84d6e61 100644 --- a/services/apprunner/pom.xml +++ b/services/apprunner/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT apprunner AWS Java SDK :: Services :: App Runner diff --git a/services/appstream/pom.xml b/services/appstream/pom.xml index 7c49416989ca..505ca2e2310b 100644 --- a/services/appstream/pom.xml +++ b/services/appstream/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT appstream AWS Java SDK :: Services :: Amazon AppStream diff --git a/services/appsync/pom.xml b/services/appsync/pom.xml index 370dddfd9805..71a6bc4d38db 100644 --- a/services/appsync/pom.xml +++ b/services/appsync/pom.xml @@ -21,7 +21,7 @@ services software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT appsync diff --git a/services/arcregionswitch/pom.xml b/services/arcregionswitch/pom.xml index d696006a5ed3..25a13b323d84 100644 --- a/services/arcregionswitch/pom.xml +++ b/services/arcregionswitch/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT arcregionswitch AWS Java SDK :: Services :: ARC Region Switch diff --git a/services/arczonalshift/pom.xml b/services/arczonalshift/pom.xml index 263c8f30881e..3317cafdfa0f 100644 --- a/services/arczonalshift/pom.xml +++ b/services/arczonalshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT arczonalshift AWS Java SDK :: Services :: ARC Zonal Shift diff --git a/services/artifact/pom.xml b/services/artifact/pom.xml index 6dbaa209c8eb..ed5b00889a25 100644 --- a/services/artifact/pom.xml +++ b/services/artifact/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT artifact AWS Java SDK :: Services :: Artifact diff --git a/services/athena/pom.xml b/services/athena/pom.xml index 5854ef8c68e1..d782b27805e9 100644 --- a/services/athena/pom.xml +++ b/services/athena/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT athena AWS Java SDK :: Services :: Amazon Athena diff --git a/services/auditmanager/pom.xml b/services/auditmanager/pom.xml index 78ab6b17b469..6e4a2e597377 100644 --- a/services/auditmanager/pom.xml +++ b/services/auditmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT auditmanager AWS Java SDK :: Services :: Audit Manager diff --git a/services/autoscaling/pom.xml b/services/autoscaling/pom.xml index ccce24e5e505..65267c110907 100644 --- a/services/autoscaling/pom.xml +++ b/services/autoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT autoscaling AWS Java SDK :: Services :: Auto Scaling diff --git a/services/autoscalingplans/pom.xml b/services/autoscalingplans/pom.xml index e46b281b5a3e..4360f91b7589 100644 --- a/services/autoscalingplans/pom.xml +++ b/services/autoscalingplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT autoscalingplans AWS Java SDK :: Services :: Auto Scaling Plans diff --git a/services/b2bi/pom.xml b/services/b2bi/pom.xml index 518b7baeec3c..b22f3c49b062 100644 --- a/services/b2bi/pom.xml +++ b/services/b2bi/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT b2bi AWS Java SDK :: Services :: B2 Bi diff --git a/services/backup/pom.xml b/services/backup/pom.xml index 9c4136962edb..40efdac16ae5 100644 --- a/services/backup/pom.xml +++ b/services/backup/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT backup AWS Java SDK :: Services :: Backup diff --git a/services/backupgateway/pom.xml b/services/backupgateway/pom.xml index d0c486ecf1d7..732a0d254303 100644 --- a/services/backupgateway/pom.xml +++ b/services/backupgateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT backupgateway AWS Java SDK :: Services :: Backup Gateway diff --git a/services/backupsearch/pom.xml b/services/backupsearch/pom.xml index ecd2ba4e768e..e83cf80b402f 100644 --- a/services/backupsearch/pom.xml +++ b/services/backupsearch/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT backupsearch AWS Java SDK :: Services :: Backup Search diff --git a/services/batch/pom.xml b/services/batch/pom.xml index 758d841ce8ea..1178be4e38ef 100644 --- a/services/batch/pom.xml +++ b/services/batch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT batch AWS Java SDK :: Services :: AWS Batch diff --git a/services/bcmdashboards/pom.xml b/services/bcmdashboards/pom.xml index 146ff936aac3..4538df7bdd25 100644 --- a/services/bcmdashboards/pom.xml +++ b/services/bcmdashboards/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT bcmdashboards AWS Java SDK :: Services :: BCM Dashboards diff --git a/services/bcmdataexports/pom.xml b/services/bcmdataexports/pom.xml index 8d04f02a41bc..f94ee49d6e04 100644 --- a/services/bcmdataexports/pom.xml +++ b/services/bcmdataexports/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT bcmdataexports AWS Java SDK :: Services :: BCM Data Exports diff --git a/services/bcmpricingcalculator/pom.xml b/services/bcmpricingcalculator/pom.xml index d71e0da423f0..a9bc0af0f686 100644 --- a/services/bcmpricingcalculator/pom.xml +++ b/services/bcmpricingcalculator/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT bcmpricingcalculator AWS Java SDK :: Services :: BCM Pricing Calculator diff --git a/services/bcmrecommendedactions/pom.xml b/services/bcmrecommendedactions/pom.xml index 15527592a49d..dfa361116e5a 100644 --- a/services/bcmrecommendedactions/pom.xml +++ b/services/bcmrecommendedactions/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT bcmrecommendedactions AWS Java SDK :: Services :: BCM Recommended Actions diff --git a/services/bedrock/pom.xml b/services/bedrock/pom.xml index feef6f11b739..3235e5eac2ff 100644 --- a/services/bedrock/pom.xml +++ b/services/bedrock/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT bedrock AWS Java SDK :: Services :: Bedrock diff --git a/services/bedrockagent/pom.xml b/services/bedrockagent/pom.xml index cf0ee9ea7d5f..cd6f42f43d43 100644 --- a/services/bedrockagent/pom.xml +++ b/services/bedrockagent/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT bedrockagent AWS Java SDK :: Services :: Bedrock Agent diff --git a/services/bedrockagentcore/pom.xml b/services/bedrockagentcore/pom.xml index 2f1337270ca2..bd732a64d85d 100644 --- a/services/bedrockagentcore/pom.xml +++ b/services/bedrockagentcore/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT bedrockagentcore AWS Java SDK :: Services :: Bedrock Agent Core diff --git a/services/bedrockagentcorecontrol/pom.xml b/services/bedrockagentcorecontrol/pom.xml index ff84df1f5b44..4f2571e9e38c 100644 --- a/services/bedrockagentcorecontrol/pom.xml +++ b/services/bedrockagentcorecontrol/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT bedrockagentcorecontrol AWS Java SDK :: Services :: Bedrock Agent Core Control diff --git a/services/bedrockagentruntime/pom.xml b/services/bedrockagentruntime/pom.xml index 97607a8d6136..5bd0bc20add7 100644 --- a/services/bedrockagentruntime/pom.xml +++ b/services/bedrockagentruntime/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT bedrockagentruntime AWS Java SDK :: Services :: Bedrock Agent Runtime diff --git a/services/bedrockdataautomation/pom.xml b/services/bedrockdataautomation/pom.xml index 05b9f98a991a..e281193f3aff 100644 --- a/services/bedrockdataautomation/pom.xml +++ b/services/bedrockdataautomation/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT bedrockdataautomation AWS Java SDK :: Services :: Bedrock Data Automation diff --git a/services/bedrockdataautomationruntime/pom.xml b/services/bedrockdataautomationruntime/pom.xml index c8043c55bebf..3ccf534b5f75 100644 --- a/services/bedrockdataautomationruntime/pom.xml +++ b/services/bedrockdataautomationruntime/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT bedrockdataautomationruntime AWS Java SDK :: Services :: Bedrock Data Automation Runtime diff --git a/services/bedrockruntime/pom.xml b/services/bedrockruntime/pom.xml index d283879db014..79a627efc02e 100644 --- a/services/bedrockruntime/pom.xml +++ b/services/bedrockruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT bedrockruntime AWS Java SDK :: Services :: Bedrock Runtime diff --git a/services/billing/pom.xml b/services/billing/pom.xml index bbce139dd619..ef8bba0b03d3 100644 --- a/services/billing/pom.xml +++ b/services/billing/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT billing AWS Java SDK :: Services :: Billing diff --git a/services/billingconductor/pom.xml b/services/billingconductor/pom.xml index d916e28a675d..c5adf632ab81 100644 --- a/services/billingconductor/pom.xml +++ b/services/billingconductor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT billingconductor AWS Java SDK :: Services :: Billingconductor diff --git a/services/braket/pom.xml b/services/braket/pom.xml index ce535ca234d0..5d68234554fd 100644 --- a/services/braket/pom.xml +++ b/services/braket/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT braket AWS Java SDK :: Services :: Braket diff --git a/services/budgets/pom.xml b/services/budgets/pom.xml index e896aa4fb52f..6c24dbac6ee8 100644 --- a/services/budgets/pom.xml +++ b/services/budgets/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT budgets AWS Java SDK :: Services :: AWS Budgets diff --git a/services/chatbot/pom.xml b/services/chatbot/pom.xml index 61d49e512b38..67f99c47c23d 100644 --- a/services/chatbot/pom.xml +++ b/services/chatbot/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT chatbot AWS Java SDK :: Services :: Chatbot diff --git a/services/chime/pom.xml b/services/chime/pom.xml index af71fc742026..ee68aa56159f 100644 --- a/services/chime/pom.xml +++ b/services/chime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT chime AWS Java SDK :: Services :: Chime diff --git a/services/chimesdkidentity/pom.xml b/services/chimesdkidentity/pom.xml index 78cbfda7b071..b62b9e8e762c 100644 --- a/services/chimesdkidentity/pom.xml +++ b/services/chimesdkidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT chimesdkidentity AWS Java SDK :: Services :: Chime SDK Identity diff --git a/services/chimesdkmediapipelines/pom.xml b/services/chimesdkmediapipelines/pom.xml index 8ff411c3fa7f..c03c97a53fb3 100644 --- a/services/chimesdkmediapipelines/pom.xml +++ b/services/chimesdkmediapipelines/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT chimesdkmediapipelines AWS Java SDK :: Services :: Chime SDK Media Pipelines diff --git a/services/chimesdkmeetings/pom.xml b/services/chimesdkmeetings/pom.xml index 5da4f8f9412e..4a20c81a77fc 100644 --- a/services/chimesdkmeetings/pom.xml +++ b/services/chimesdkmeetings/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT chimesdkmeetings AWS Java SDK :: Services :: Chime SDK Meetings diff --git a/services/chimesdkmessaging/pom.xml b/services/chimesdkmessaging/pom.xml index cf90b2244e83..6e245edc55e2 100644 --- a/services/chimesdkmessaging/pom.xml +++ b/services/chimesdkmessaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT chimesdkmessaging AWS Java SDK :: Services :: Chime SDK Messaging diff --git a/services/chimesdkvoice/pom.xml b/services/chimesdkvoice/pom.xml index afc835c659b2..677314ff2715 100644 --- a/services/chimesdkvoice/pom.xml +++ b/services/chimesdkvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT chimesdkvoice AWS Java SDK :: Services :: Chime SDK Voice diff --git a/services/cleanrooms/pom.xml b/services/cleanrooms/pom.xml index 8e8e379c4860..8c10dc99959b 100644 --- a/services/cleanrooms/pom.xml +++ b/services/cleanrooms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT cleanrooms AWS Java SDK :: Services :: Clean Rooms diff --git a/services/cleanroomsml/pom.xml b/services/cleanroomsml/pom.xml index e4b2835193ec..b19fb0cc3450 100644 --- a/services/cleanroomsml/pom.xml +++ b/services/cleanroomsml/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT cleanroomsml AWS Java SDK :: Services :: Clean Rooms ML diff --git a/services/cloud9/pom.xml b/services/cloud9/pom.xml index 15df21d0415c..2a945b605c9a 100644 --- a/services/cloud9/pom.xml +++ b/services/cloud9/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 cloud9 diff --git a/services/cloudcontrol/pom.xml b/services/cloudcontrol/pom.xml index bd65c2cdc7e3..1daedbdc3a36 100644 --- a/services/cloudcontrol/pom.xml +++ b/services/cloudcontrol/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT cloudcontrol AWS Java SDK :: Services :: Cloud Control diff --git a/services/clouddirectory/pom.xml b/services/clouddirectory/pom.xml index 961f53fcb30e..c3618c1e1b90 100644 --- a/services/clouddirectory/pom.xml +++ b/services/clouddirectory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT clouddirectory AWS Java SDK :: Services :: Amazon CloudDirectory diff --git a/services/cloudformation/pom.xml b/services/cloudformation/pom.xml index 4aa19e26de3e..2a8ca82253dd 100644 --- a/services/cloudformation/pom.xml +++ b/services/cloudformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT cloudformation AWS Java SDK :: Services :: AWS CloudFormation diff --git a/services/cloudfront/pom.xml b/services/cloudfront/pom.xml index c1f417226d37..5a7edb2950d4 100644 --- a/services/cloudfront/pom.xml +++ b/services/cloudfront/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT cloudfront AWS Java SDK :: Services :: Amazon CloudFront diff --git a/services/cloudfrontkeyvaluestore/pom.xml b/services/cloudfrontkeyvaluestore/pom.xml index 0ae92cd4a2c4..3da024fcf33f 100644 --- a/services/cloudfrontkeyvaluestore/pom.xml +++ b/services/cloudfrontkeyvaluestore/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT cloudfrontkeyvaluestore AWS Java SDK :: Services :: Cloud Front Key Value Store diff --git a/services/cloudhsm/pom.xml b/services/cloudhsm/pom.xml index 22270cb4e2c8..5b8a9e0555bb 100644 --- a/services/cloudhsm/pom.xml +++ b/services/cloudhsm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT cloudhsm AWS Java SDK :: Services :: AWS CloudHSM diff --git a/services/cloudhsmv2/pom.xml b/services/cloudhsmv2/pom.xml index 69c59bb2fada..084af6134f5b 100644 --- a/services/cloudhsmv2/pom.xml +++ b/services/cloudhsmv2/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 cloudhsmv2 diff --git a/services/cloudsearch/pom.xml b/services/cloudsearch/pom.xml index b6b84f443ee4..677353ca2acc 100644 --- a/services/cloudsearch/pom.xml +++ b/services/cloudsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT cloudsearch AWS Java SDK :: Services :: Amazon CloudSearch diff --git a/services/cloudsearchdomain/pom.xml b/services/cloudsearchdomain/pom.xml index 4f2eac0eb77a..1ba3a3f5dba7 100644 --- a/services/cloudsearchdomain/pom.xml +++ b/services/cloudsearchdomain/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT cloudsearchdomain AWS Java SDK :: Services :: Amazon CloudSearch Domain diff --git a/services/cloudtrail/pom.xml b/services/cloudtrail/pom.xml index 1765df541960..b6222407d8e7 100644 --- a/services/cloudtrail/pom.xml +++ b/services/cloudtrail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT cloudtrail AWS Java SDK :: Services :: AWS CloudTrail diff --git a/services/cloudtraildata/pom.xml b/services/cloudtraildata/pom.xml index 823228a20323..ebc70dd2ddc3 100644 --- a/services/cloudtraildata/pom.xml +++ b/services/cloudtraildata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT cloudtraildata AWS Java SDK :: Services :: Cloud Trail Data diff --git a/services/cloudwatch/pom.xml b/services/cloudwatch/pom.xml index ab373bdfb90c..522408c9cb21 100644 --- a/services/cloudwatch/pom.xml +++ b/services/cloudwatch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT cloudwatch AWS Java SDK :: Services :: Amazon CloudWatch diff --git a/services/cloudwatchevents/pom.xml b/services/cloudwatchevents/pom.xml index 56d9cac280fa..20ddbbb6be65 100644 --- a/services/cloudwatchevents/pom.xml +++ b/services/cloudwatchevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT cloudwatchevents AWS Java SDK :: Services :: Amazon CloudWatch Events diff --git a/services/cloudwatchlogs/pom.xml b/services/cloudwatchlogs/pom.xml index 93b721a49314..a18cd804031f 100644 --- a/services/cloudwatchlogs/pom.xml +++ b/services/cloudwatchlogs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT cloudwatchlogs AWS Java SDK :: Services :: Amazon CloudWatch Logs diff --git a/services/codeartifact/pom.xml b/services/codeartifact/pom.xml index e5be26ddf53a..a03f7ea30074 100644 --- a/services/codeartifact/pom.xml +++ b/services/codeartifact/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT codeartifact AWS Java SDK :: Services :: Codeartifact diff --git a/services/codebuild/pom.xml b/services/codebuild/pom.xml index 479a621f85ef..ad20838cc3fb 100644 --- a/services/codebuild/pom.xml +++ b/services/codebuild/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT codebuild AWS Java SDK :: Services :: AWS Code Build diff --git a/services/codecatalyst/pom.xml b/services/codecatalyst/pom.xml index b73da567046f..587aef7e6e96 100644 --- a/services/codecatalyst/pom.xml +++ b/services/codecatalyst/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT codecatalyst AWS Java SDK :: Services :: Code Catalyst diff --git a/services/codecommit/pom.xml b/services/codecommit/pom.xml index 0f625b3eca8a..9f78584044dd 100644 --- a/services/codecommit/pom.xml +++ b/services/codecommit/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT codecommit AWS Java SDK :: Services :: AWS CodeCommit diff --git a/services/codeconnections/pom.xml b/services/codeconnections/pom.xml index f2970f09abea..364788b9e918 100644 --- a/services/codeconnections/pom.xml +++ b/services/codeconnections/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT codeconnections AWS Java SDK :: Services :: Code Connections diff --git a/services/codedeploy/pom.xml b/services/codedeploy/pom.xml index b37363f7cdf4..f7bcc3d9a129 100644 --- a/services/codedeploy/pom.xml +++ b/services/codedeploy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT codedeploy AWS Java SDK :: Services :: AWS CodeDeploy diff --git a/services/codeguruprofiler/pom.xml b/services/codeguruprofiler/pom.xml index bc7e96fa1bc2..152ab71bc7ac 100644 --- a/services/codeguruprofiler/pom.xml +++ b/services/codeguruprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT codeguruprofiler AWS Java SDK :: Services :: CodeGuruProfiler diff --git a/services/codegurureviewer/pom.xml b/services/codegurureviewer/pom.xml index 1da2bea02590..db6a402a5ff1 100644 --- a/services/codegurureviewer/pom.xml +++ b/services/codegurureviewer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT codegurureviewer AWS Java SDK :: Services :: CodeGuru Reviewer diff --git a/services/codegurusecurity/pom.xml b/services/codegurusecurity/pom.xml index 7e7593797631..83b349838b7b 100644 --- a/services/codegurusecurity/pom.xml +++ b/services/codegurusecurity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT codegurusecurity AWS Java SDK :: Services :: Code Guru Security diff --git a/services/codepipeline/pom.xml b/services/codepipeline/pom.xml index 5615fc39c90d..fd12f2a864f9 100644 --- a/services/codepipeline/pom.xml +++ b/services/codepipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT codepipeline AWS Java SDK :: Services :: AWS CodePipeline diff --git a/services/codestarconnections/pom.xml b/services/codestarconnections/pom.xml index 4d85d2520ff5..a55b34774067 100644 --- a/services/codestarconnections/pom.xml +++ b/services/codestarconnections/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT codestarconnections AWS Java SDK :: Services :: CodeStar connections diff --git a/services/codestarnotifications/pom.xml b/services/codestarnotifications/pom.xml index e4f30486030f..ed408f11f089 100644 --- a/services/codestarnotifications/pom.xml +++ b/services/codestarnotifications/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT codestarnotifications AWS Java SDK :: Services :: Codestar Notifications diff --git a/services/cognitoidentity/pom.xml b/services/cognitoidentity/pom.xml index fc21ad2a27a5..6127b4f75ff1 100644 --- a/services/cognitoidentity/pom.xml +++ b/services/cognitoidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT cognitoidentity AWS Java SDK :: Services :: Amazon Cognito Identity diff --git a/services/cognitoidentityprovider/pom.xml b/services/cognitoidentityprovider/pom.xml index 9d911b7dab5e..3b0eb4ff8e5b 100644 --- a/services/cognitoidentityprovider/pom.xml +++ b/services/cognitoidentityprovider/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT cognitoidentityprovider AWS Java SDK :: Services :: Amazon Cognito Identity Provider Service diff --git a/services/cognitosync/pom.xml b/services/cognitosync/pom.xml index e269e2c32c3c..3997432f939a 100644 --- a/services/cognitosync/pom.xml +++ b/services/cognitosync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT cognitosync AWS Java SDK :: Services :: Amazon Cognito Sync diff --git a/services/comprehend/pom.xml b/services/comprehend/pom.xml index ea4ce47b295a..f80016b685b6 100644 --- a/services/comprehend/pom.xml +++ b/services/comprehend/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 comprehend diff --git a/services/comprehendmedical/pom.xml b/services/comprehendmedical/pom.xml index db0da0cc83a2..5e6a6de99d5e 100644 --- a/services/comprehendmedical/pom.xml +++ b/services/comprehendmedical/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT comprehendmedical AWS Java SDK :: Services :: ComprehendMedical diff --git a/services/computeoptimizer/pom.xml b/services/computeoptimizer/pom.xml index 97c6338c1ba3..91efd6283d0d 100644 --- a/services/computeoptimizer/pom.xml +++ b/services/computeoptimizer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT computeoptimizer AWS Java SDK :: Services :: Compute Optimizer diff --git a/services/computeoptimizerautomation/pom.xml b/services/computeoptimizerautomation/pom.xml index f2a35569e148..115d528f8c8a 100644 --- a/services/computeoptimizerautomation/pom.xml +++ b/services/computeoptimizerautomation/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT computeoptimizerautomation AWS Java SDK :: Services :: Compute Optimizer Automation diff --git a/services/config/pom.xml b/services/config/pom.xml index 3809429a4225..d43965908665 100644 --- a/services/config/pom.xml +++ b/services/config/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT config AWS Java SDK :: Services :: AWS Config diff --git a/services/connect/pom.xml b/services/connect/pom.xml index 79daa59c1adf..a1c9d102a517 100644 --- a/services/connect/pom.xml +++ b/services/connect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT connect AWS Java SDK :: Services :: Connect diff --git a/services/connectcampaigns/pom.xml b/services/connectcampaigns/pom.xml index 7674ff75e14e..392bf7307538 100644 --- a/services/connectcampaigns/pom.xml +++ b/services/connectcampaigns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT connectcampaigns AWS Java SDK :: Services :: Connect Campaigns diff --git a/services/connectcampaignsv2/pom.xml b/services/connectcampaignsv2/pom.xml index e97e389bb954..7184e0b59084 100644 --- a/services/connectcampaignsv2/pom.xml +++ b/services/connectcampaignsv2/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT connectcampaignsv2 AWS Java SDK :: Services :: Connect Campaigns V2 diff --git a/services/connectcases/pom.xml b/services/connectcases/pom.xml index 45200db0a5bf..795cfc8aa7ff 100644 --- a/services/connectcases/pom.xml +++ b/services/connectcases/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT connectcases AWS Java SDK :: Services :: Connect Cases diff --git a/services/connectcontactlens/pom.xml b/services/connectcontactlens/pom.xml index a8ea8ae2aed5..a3993a4f4c44 100644 --- a/services/connectcontactlens/pom.xml +++ b/services/connectcontactlens/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT connectcontactlens AWS Java SDK :: Services :: Connect Contact Lens diff --git a/services/connecthealth/pom.xml b/services/connecthealth/pom.xml index f168145fbe03..96b175b4273c 100644 --- a/services/connecthealth/pom.xml +++ b/services/connecthealth/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT connecthealth AWS Java SDK :: Services :: Connect Health diff --git a/services/connectparticipant/pom.xml b/services/connectparticipant/pom.xml index 42a0b52d7f95..b7201be52892 100644 --- a/services/connectparticipant/pom.xml +++ b/services/connectparticipant/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT connectparticipant AWS Java SDK :: Services :: ConnectParticipant diff --git a/services/controlcatalog/pom.xml b/services/controlcatalog/pom.xml index b989c06e633e..4fa1f1ae094e 100644 --- a/services/controlcatalog/pom.xml +++ b/services/controlcatalog/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT controlcatalog AWS Java SDK :: Services :: Control Catalog diff --git a/services/controltower/pom.xml b/services/controltower/pom.xml index cf51b3f48c6c..4dff65355281 100644 --- a/services/controltower/pom.xml +++ b/services/controltower/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT controltower AWS Java SDK :: Services :: Control Tower diff --git a/services/costandusagereport/pom.xml b/services/costandusagereport/pom.xml index 989fe8e076d3..01500721aea1 100644 --- a/services/costandusagereport/pom.xml +++ b/services/costandusagereport/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT costandusagereport AWS Java SDK :: Services :: AWS Cost and Usage Report diff --git a/services/costexplorer/pom.xml b/services/costexplorer/pom.xml index aa259393a5a8..745161656c97 100644 --- a/services/costexplorer/pom.xml +++ b/services/costexplorer/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 costexplorer diff --git a/services/costoptimizationhub/pom.xml b/services/costoptimizationhub/pom.xml index 891596a27840..ed437bb15198 100644 --- a/services/costoptimizationhub/pom.xml +++ b/services/costoptimizationhub/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT costoptimizationhub AWS Java SDK :: Services :: Cost Optimization Hub diff --git a/services/customerprofiles/pom.xml b/services/customerprofiles/pom.xml index 82056e2d0dfc..2849aebaddf2 100644 --- a/services/customerprofiles/pom.xml +++ b/services/customerprofiles/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT customerprofiles AWS Java SDK :: Services :: Customer Profiles diff --git a/services/databasemigration/pom.xml b/services/databasemigration/pom.xml index f47084e41dea..102a67a329c5 100644 --- a/services/databasemigration/pom.xml +++ b/services/databasemigration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT databasemigration AWS Java SDK :: Services :: AWS Database Migration Service diff --git a/services/databrew/pom.xml b/services/databrew/pom.xml index 848b3412860f..d1dcf8a5cb8e 100644 --- a/services/databrew/pom.xml +++ b/services/databrew/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT databrew AWS Java SDK :: Services :: Data Brew diff --git a/services/dataexchange/pom.xml b/services/dataexchange/pom.xml index 36f2ae56a20a..b3f97d4de8dc 100644 --- a/services/dataexchange/pom.xml +++ b/services/dataexchange/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT dataexchange AWS Java SDK :: Services :: DataExchange diff --git a/services/datapipeline/pom.xml b/services/datapipeline/pom.xml index 38a84fb944ea..deee9578d8b2 100644 --- a/services/datapipeline/pom.xml +++ b/services/datapipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT datapipeline AWS Java SDK :: Services :: AWS Data Pipeline diff --git a/services/datasync/pom.xml b/services/datasync/pom.xml index 2a627fd4a678..8196a6683286 100644 --- a/services/datasync/pom.xml +++ b/services/datasync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT datasync AWS Java SDK :: Services :: DataSync diff --git a/services/datazone/pom.xml b/services/datazone/pom.xml index a07129d35e8a..854abbe5f55d 100644 --- a/services/datazone/pom.xml +++ b/services/datazone/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT datazone AWS Java SDK :: Services :: Data Zone diff --git a/services/dax/pom.xml b/services/dax/pom.xml index 06bf40d000bb..d488676309fe 100644 --- a/services/dax/pom.xml +++ b/services/dax/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT dax AWS Java SDK :: Services :: Amazon DynamoDB Accelerator (DAX) diff --git a/services/deadline/pom.xml b/services/deadline/pom.xml index df75a89fc6f5..ddf1d8b93883 100644 --- a/services/deadline/pom.xml +++ b/services/deadline/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT deadline AWS Java SDK :: Services :: Deadline diff --git a/services/detective/pom.xml b/services/detective/pom.xml index 36fde80f67a2..ab5e15db079f 100644 --- a/services/detective/pom.xml +++ b/services/detective/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT detective AWS Java SDK :: Services :: Detective diff --git a/services/devicefarm/pom.xml b/services/devicefarm/pom.xml index 200f4654ca13..0f61c2440f9f 100644 --- a/services/devicefarm/pom.xml +++ b/services/devicefarm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT devicefarm AWS Java SDK :: Services :: AWS Device Farm diff --git a/services/devopsagent/pom.xml b/services/devopsagent/pom.xml index 204bdea91fd5..d17f9a831e87 100644 --- a/services/devopsagent/pom.xml +++ b/services/devopsagent/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT devopsagent AWS Java SDK :: Services :: Dev Ops Agent diff --git a/services/devopsguru/pom.xml b/services/devopsguru/pom.xml index a8d60a303981..bb463a79b899 100644 --- a/services/devopsguru/pom.xml +++ b/services/devopsguru/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT devopsguru AWS Java SDK :: Services :: Dev Ops Guru diff --git a/services/directconnect/pom.xml b/services/directconnect/pom.xml index 19393cbe5fc0..59634c445ac3 100644 --- a/services/directconnect/pom.xml +++ b/services/directconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT directconnect AWS Java SDK :: Services :: AWS Direct Connect diff --git a/services/directory/pom.xml b/services/directory/pom.xml index d25423afe379..37db491d7cc1 100644 --- a/services/directory/pom.xml +++ b/services/directory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT directory AWS Java SDK :: Services :: AWS Directory Service diff --git a/services/directoryservicedata/pom.xml b/services/directoryservicedata/pom.xml index eb095cbfca44..f1400913b8e5 100644 --- a/services/directoryservicedata/pom.xml +++ b/services/directoryservicedata/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT directoryservicedata AWS Java SDK :: Services :: Directory Service Data diff --git a/services/dlm/pom.xml b/services/dlm/pom.xml index 9cbbf211c5ba..3f62dea7bdbd 100644 --- a/services/dlm/pom.xml +++ b/services/dlm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT dlm AWS Java SDK :: Services :: DLM diff --git a/services/docdb/pom.xml b/services/docdb/pom.xml index 3e894326f244..292d57cecf59 100644 --- a/services/docdb/pom.xml +++ b/services/docdb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT docdb AWS Java SDK :: Services :: DocDB diff --git a/services/docdbelastic/pom.xml b/services/docdbelastic/pom.xml index a4f6ffabf6e0..5a40ea8772f2 100644 --- a/services/docdbelastic/pom.xml +++ b/services/docdbelastic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT docdbelastic AWS Java SDK :: Services :: Doc DB Elastic diff --git a/services/drs/pom.xml b/services/drs/pom.xml index 13ebe6c23ddf..049992dea631 100644 --- a/services/drs/pom.xml +++ b/services/drs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT drs AWS Java SDK :: Services :: Drs diff --git a/services/dsql/pom.xml b/services/dsql/pom.xml index 69b44d558f27..3027160d9c1c 100644 --- a/services/dsql/pom.xml +++ b/services/dsql/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT dsql AWS Java SDK :: Services :: DSQL diff --git a/services/dynamodb/pom.xml b/services/dynamodb/pom.xml index 9a1647b5748a..8238bdf33651 100644 --- a/services/dynamodb/pom.xml +++ b/services/dynamodb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT dynamodb AWS Java SDK :: Services :: Amazon DynamoDB diff --git a/services/ebs/pom.xml b/services/ebs/pom.xml index 387c3bec3294..a4f9fdd8ccad 100644 --- a/services/ebs/pom.xml +++ b/services/ebs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ebs AWS Java SDK :: Services :: EBS diff --git a/services/ec2/pom.xml b/services/ec2/pom.xml index 4ed7597eef6e..8a136e9fad19 100644 --- a/services/ec2/pom.xml +++ b/services/ec2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ec2 AWS Java SDK :: Services :: Amazon EC2 diff --git a/services/ec2instanceconnect/pom.xml b/services/ec2instanceconnect/pom.xml index b6fea6cd4c42..309e3947e52c 100644 --- a/services/ec2instanceconnect/pom.xml +++ b/services/ec2instanceconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ec2instanceconnect AWS Java SDK :: Services :: EC2 Instance Connect diff --git a/services/ecr/pom.xml b/services/ecr/pom.xml index 4a30f38f390f..c7c7c8c12f4f 100644 --- a/services/ecr/pom.xml +++ b/services/ecr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ecr AWS Java SDK :: Services :: Amazon EC2 Container Registry diff --git a/services/ecrpublic/pom.xml b/services/ecrpublic/pom.xml index cb3359ae2f14..cbdc9decaa96 100644 --- a/services/ecrpublic/pom.xml +++ b/services/ecrpublic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ecrpublic AWS Java SDK :: Services :: ECR PUBLIC diff --git a/services/ecs/pom.xml b/services/ecs/pom.xml index 39a8dc859bad..2f4e01a077ea 100644 --- a/services/ecs/pom.xml +++ b/services/ecs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ecs AWS Java SDK :: Services :: Amazon EC2 Container Service diff --git a/services/efs/pom.xml b/services/efs/pom.xml index ac495f19a66c..50b2e066ae54 100644 --- a/services/efs/pom.xml +++ b/services/efs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT efs AWS Java SDK :: Services :: Amazon Elastic File System diff --git a/services/eks/pom.xml b/services/eks/pom.xml index b3f919bc240b..c7d0cc2212d0 100644 --- a/services/eks/pom.xml +++ b/services/eks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT eks AWS Java SDK :: Services :: EKS diff --git a/services/eksauth/pom.xml b/services/eksauth/pom.xml index 62c18afa0aa9..c604c57436c2 100644 --- a/services/eksauth/pom.xml +++ b/services/eksauth/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT eksauth AWS Java SDK :: Services :: EKS Auth diff --git a/services/elasticache/pom.xml b/services/elasticache/pom.xml index 9fa5ec9e0952..7db618b12719 100644 --- a/services/elasticache/pom.xml +++ b/services/elasticache/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT elasticache AWS Java SDK :: Services :: Amazon ElastiCache diff --git a/services/elasticbeanstalk/pom.xml b/services/elasticbeanstalk/pom.xml index 4630e1bb4584..eeeb1122f95a 100644 --- a/services/elasticbeanstalk/pom.xml +++ b/services/elasticbeanstalk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT elasticbeanstalk AWS Java SDK :: Services :: AWS Elastic Beanstalk diff --git a/services/elasticloadbalancing/pom.xml b/services/elasticloadbalancing/pom.xml index 449ed27621c7..e47d4bc32ce3 100644 --- a/services/elasticloadbalancing/pom.xml +++ b/services/elasticloadbalancing/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT elasticloadbalancing AWS Java SDK :: Services :: Elastic Load Balancing diff --git a/services/elasticloadbalancingv2/pom.xml b/services/elasticloadbalancingv2/pom.xml index d1eccd2fda8e..7a649470935b 100644 --- a/services/elasticloadbalancingv2/pom.xml +++ b/services/elasticloadbalancingv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT elasticloadbalancingv2 AWS Java SDK :: Services :: Elastic Load Balancing V2 diff --git a/services/elasticsearch/pom.xml b/services/elasticsearch/pom.xml index db0e263a62da..b021f48d7dd3 100644 --- a/services/elasticsearch/pom.xml +++ b/services/elasticsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT elasticsearch AWS Java SDK :: Services :: Amazon Elasticsearch Service diff --git a/services/elementalinference/pom.xml b/services/elementalinference/pom.xml index ddff8f5d9e29..1ac1854a13bd 100644 --- a/services/elementalinference/pom.xml +++ b/services/elementalinference/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT elementalinference AWS Java SDK :: Services :: Elemental Inference diff --git a/services/emr/pom.xml b/services/emr/pom.xml index 0b88daa0609e..2d87489cadd1 100644 --- a/services/emr/pom.xml +++ b/services/emr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT emr AWS Java SDK :: Services :: Amazon EMR diff --git a/services/emrcontainers/pom.xml b/services/emrcontainers/pom.xml index 4ba8060b22e1..3900bce62680 100644 --- a/services/emrcontainers/pom.xml +++ b/services/emrcontainers/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT emrcontainers AWS Java SDK :: Services :: EMR Containers diff --git a/services/emrserverless/pom.xml b/services/emrserverless/pom.xml index 9788d64fb944..86a19e922903 100644 --- a/services/emrserverless/pom.xml +++ b/services/emrserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT emrserverless AWS Java SDK :: Services :: EMR Serverless diff --git a/services/entityresolution/pom.xml b/services/entityresolution/pom.xml index d3597104cbc7..07934965f447 100644 --- a/services/entityresolution/pom.xml +++ b/services/entityresolution/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT entityresolution AWS Java SDK :: Services :: Entity Resolution diff --git a/services/eventbridge/pom.xml b/services/eventbridge/pom.xml index cd1a16349d51..7683bfef4708 100644 --- a/services/eventbridge/pom.xml +++ b/services/eventbridge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT eventbridge AWS Java SDK :: Services :: EventBridge diff --git a/services/evs/pom.xml b/services/evs/pom.xml index 15d6d0b0aad7..73ce5448b2ed 100644 --- a/services/evs/pom.xml +++ b/services/evs/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT evs AWS Java SDK :: Services :: Evs diff --git a/services/finspace/pom.xml b/services/finspace/pom.xml index c016e5d9033f..7c39a9694ed0 100644 --- a/services/finspace/pom.xml +++ b/services/finspace/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT finspace AWS Java SDK :: Services :: Finspace diff --git a/services/finspacedata/pom.xml b/services/finspacedata/pom.xml index 02bbd66fd043..0a8b97dc64b9 100644 --- a/services/finspacedata/pom.xml +++ b/services/finspacedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT finspacedata AWS Java SDK :: Services :: Finspace Data diff --git a/services/firehose/pom.xml b/services/firehose/pom.xml index 82eafa40bc2d..554c474ff9c9 100644 --- a/services/firehose/pom.xml +++ b/services/firehose/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT firehose AWS Java SDK :: Services :: Amazon Kinesis Firehose diff --git a/services/fis/pom.xml b/services/fis/pom.xml index 88ae12d4beaa..f50b1f58c148 100644 --- a/services/fis/pom.xml +++ b/services/fis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT fis AWS Java SDK :: Services :: Fis diff --git a/services/fms/pom.xml b/services/fms/pom.xml index 6430b1dc4dbe..e726aabe9b09 100644 --- a/services/fms/pom.xml +++ b/services/fms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT fms AWS Java SDK :: Services :: FMS diff --git a/services/forecast/pom.xml b/services/forecast/pom.xml index 17141fba54e2..ab0e4fc3668c 100644 --- a/services/forecast/pom.xml +++ b/services/forecast/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT forecast AWS Java SDK :: Services :: Forecast diff --git a/services/forecastquery/pom.xml b/services/forecastquery/pom.xml index 8cdc41d79729..51516afcbc83 100644 --- a/services/forecastquery/pom.xml +++ b/services/forecastquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT forecastquery AWS Java SDK :: Services :: Forecastquery diff --git a/services/frauddetector/pom.xml b/services/frauddetector/pom.xml index 8aa62e37373f..1e1c848304ed 100644 --- a/services/frauddetector/pom.xml +++ b/services/frauddetector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT frauddetector AWS Java SDK :: Services :: FraudDetector diff --git a/services/freetier/pom.xml b/services/freetier/pom.xml index 1b81d1660ca3..483ec04eaa31 100644 --- a/services/freetier/pom.xml +++ b/services/freetier/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT freetier AWS Java SDK :: Services :: Free Tier diff --git a/services/fsx/pom.xml b/services/fsx/pom.xml index d88b4dd4422e..e415e8267f13 100644 --- a/services/fsx/pom.xml +++ b/services/fsx/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT fsx AWS Java SDK :: Services :: FSx diff --git a/services/gamelift/pom.xml b/services/gamelift/pom.xml index 105a45633c3a..c65ced477917 100644 --- a/services/gamelift/pom.xml +++ b/services/gamelift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT gamelift AWS Java SDK :: Services :: AWS GameLift diff --git a/services/gameliftstreams/pom.xml b/services/gameliftstreams/pom.xml index 1b80a1f14fea..496fb4531d02 100644 --- a/services/gameliftstreams/pom.xml +++ b/services/gameliftstreams/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT gameliftstreams AWS Java SDK :: Services :: Game Lift Streams diff --git a/services/geomaps/pom.xml b/services/geomaps/pom.xml index e936abc22f14..0b25e446523d 100644 --- a/services/geomaps/pom.xml +++ b/services/geomaps/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT geomaps AWS Java SDK :: Services :: Geo Maps diff --git a/services/geoplaces/pom.xml b/services/geoplaces/pom.xml index 8bae7c8afe8d..36c2dd4b2e37 100644 --- a/services/geoplaces/pom.xml +++ b/services/geoplaces/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT geoplaces AWS Java SDK :: Services :: Geo Places diff --git a/services/georoutes/pom.xml b/services/georoutes/pom.xml index 0c8fd9b42e2c..3f7cfde864b8 100644 --- a/services/georoutes/pom.xml +++ b/services/georoutes/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT georoutes AWS Java SDK :: Services :: Geo Routes diff --git a/services/glacier/pom.xml b/services/glacier/pom.xml index c90bda5fb16d..3667052913d3 100644 --- a/services/glacier/pom.xml +++ b/services/glacier/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT glacier AWS Java SDK :: Services :: Amazon Glacier diff --git a/services/globalaccelerator/pom.xml b/services/globalaccelerator/pom.xml index ee8b33136744..a1287814f04e 100644 --- a/services/globalaccelerator/pom.xml +++ b/services/globalaccelerator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT globalaccelerator AWS Java SDK :: Services :: Global Accelerator diff --git a/services/glue/pom.xml b/services/glue/pom.xml index f6b490ae51bf..38bcb4c382de 100644 --- a/services/glue/pom.xml +++ b/services/glue/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 glue diff --git a/services/grafana/pom.xml b/services/grafana/pom.xml index 267db63b4abb..025ef5c55d75 100644 --- a/services/grafana/pom.xml +++ b/services/grafana/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT grafana AWS Java SDK :: Services :: Grafana diff --git a/services/greengrass/pom.xml b/services/greengrass/pom.xml index 60130a7ad494..d842ec55a612 100644 --- a/services/greengrass/pom.xml +++ b/services/greengrass/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT greengrass AWS Java SDK :: Services :: AWS Greengrass diff --git a/services/greengrassv2/pom.xml b/services/greengrassv2/pom.xml index 9ae629dc59c1..1b9ede59c87c 100644 --- a/services/greengrassv2/pom.xml +++ b/services/greengrassv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT greengrassv2 AWS Java SDK :: Services :: Greengrass V2 diff --git a/services/groundstation/pom.xml b/services/groundstation/pom.xml index caf3093f3c5e..d772fe0fd8fe 100644 --- a/services/groundstation/pom.xml +++ b/services/groundstation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT groundstation AWS Java SDK :: Services :: GroundStation diff --git a/services/guardduty/pom.xml b/services/guardduty/pom.xml index 3546a7c865d4..431d45651ac0 100644 --- a/services/guardduty/pom.xml +++ b/services/guardduty/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 guardduty diff --git a/services/health/pom.xml b/services/health/pom.xml index 1995fe3be24c..a89be62a0436 100644 --- a/services/health/pom.xml +++ b/services/health/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT health AWS Java SDK :: Services :: AWS Health APIs and Notifications diff --git a/services/healthlake/pom.xml b/services/healthlake/pom.xml index 3d3af438d186..e3ce498ead97 100644 --- a/services/healthlake/pom.xml +++ b/services/healthlake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT healthlake AWS Java SDK :: Services :: Health Lake diff --git a/services/iam/pom.xml b/services/iam/pom.xml index 210c6ffc9a6f..9c0abd4d8e18 100644 --- a/services/iam/pom.xml +++ b/services/iam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT iam AWS Java SDK :: Services :: AWS IAM diff --git a/services/identitystore/pom.xml b/services/identitystore/pom.xml index f1c3c7188aa6..e8ab9d2beebf 100644 --- a/services/identitystore/pom.xml +++ b/services/identitystore/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT identitystore AWS Java SDK :: Services :: Identitystore diff --git a/services/imagebuilder/pom.xml b/services/imagebuilder/pom.xml index 1ecca55398d8..081ee5d96a01 100644 --- a/services/imagebuilder/pom.xml +++ b/services/imagebuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT imagebuilder AWS Java SDK :: Services :: Imagebuilder diff --git a/services/inspector/pom.xml b/services/inspector/pom.xml index c1ef96a82613..26c7589e90a8 100644 --- a/services/inspector/pom.xml +++ b/services/inspector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT inspector AWS Java SDK :: Services :: Amazon Inspector Service diff --git a/services/inspector2/pom.xml b/services/inspector2/pom.xml index b686bbbb7619..7dd72fdbdd4a 100644 --- a/services/inspector2/pom.xml +++ b/services/inspector2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT inspector2 AWS Java SDK :: Services :: Inspector2 diff --git a/services/inspectorscan/pom.xml b/services/inspectorscan/pom.xml index 8b50d5a7e865..91eb6bcd79a5 100644 --- a/services/inspectorscan/pom.xml +++ b/services/inspectorscan/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT inspectorscan AWS Java SDK :: Services :: Inspector Scan diff --git a/services/interconnect/pom.xml b/services/interconnect/pom.xml index 1f69001d256f..cde306c54fa1 100644 --- a/services/interconnect/pom.xml +++ b/services/interconnect/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT interconnect AWS Java SDK :: Services :: Interconnect diff --git a/services/internetmonitor/pom.xml b/services/internetmonitor/pom.xml index 64eb196f5ec9..ff7108995fd5 100644 --- a/services/internetmonitor/pom.xml +++ b/services/internetmonitor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT internetmonitor AWS Java SDK :: Services :: Internet Monitor diff --git a/services/invoicing/pom.xml b/services/invoicing/pom.xml index 718a00b32146..0e14ef35cf43 100644 --- a/services/invoicing/pom.xml +++ b/services/invoicing/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT invoicing AWS Java SDK :: Services :: Invoicing diff --git a/services/iot/pom.xml b/services/iot/pom.xml index 10d12f56f89a..17e5d27812e4 100644 --- a/services/iot/pom.xml +++ b/services/iot/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT iot AWS Java SDK :: Services :: AWS IoT diff --git a/services/iotdataplane/pom.xml b/services/iotdataplane/pom.xml index 1645a1a94e33..31eba0f91c1d 100644 --- a/services/iotdataplane/pom.xml +++ b/services/iotdataplane/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT iotdataplane AWS Java SDK :: Services :: AWS IoT Data Plane diff --git a/services/iotdeviceadvisor/pom.xml b/services/iotdeviceadvisor/pom.xml index 4d2317425acb..bb3e689ec945 100644 --- a/services/iotdeviceadvisor/pom.xml +++ b/services/iotdeviceadvisor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT iotdeviceadvisor AWS Java SDK :: Services :: Iot Device Advisor diff --git a/services/iotevents/pom.xml b/services/iotevents/pom.xml index bf7114a118ff..ce3dbcd7a26f 100644 --- a/services/iotevents/pom.xml +++ b/services/iotevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT iotevents AWS Java SDK :: Services :: IoT Events diff --git a/services/ioteventsdata/pom.xml b/services/ioteventsdata/pom.xml index acc4fccfeda8..cb1972adabed 100644 --- a/services/ioteventsdata/pom.xml +++ b/services/ioteventsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ioteventsdata AWS Java SDK :: Services :: IoT Events Data diff --git a/services/iotfleetwise/pom.xml b/services/iotfleetwise/pom.xml index acebd48d52a8..ef8cde4d1642 100644 --- a/services/iotfleetwise/pom.xml +++ b/services/iotfleetwise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT iotfleetwise AWS Java SDK :: Services :: Io T Fleet Wise diff --git a/services/iotjobsdataplane/pom.xml b/services/iotjobsdataplane/pom.xml index c00834847918..5247efb93472 100644 --- a/services/iotjobsdataplane/pom.xml +++ b/services/iotjobsdataplane/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT iotjobsdataplane AWS Java SDK :: Services :: IoT Jobs Data Plane diff --git a/services/iotmanagedintegrations/pom.xml b/services/iotmanagedintegrations/pom.xml index ccdd365923b9..6788a20dc988 100644 --- a/services/iotmanagedintegrations/pom.xml +++ b/services/iotmanagedintegrations/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT iotmanagedintegrations AWS Java SDK :: Services :: IoT Managed Integrations diff --git a/services/iotsecuretunneling/pom.xml b/services/iotsecuretunneling/pom.xml index e8dbb6757aae..c88ed4e7cee3 100644 --- a/services/iotsecuretunneling/pom.xml +++ b/services/iotsecuretunneling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT iotsecuretunneling AWS Java SDK :: Services :: IoTSecureTunneling diff --git a/services/iotsitewise/pom.xml b/services/iotsitewise/pom.xml index 8ff8c5dfc329..c8c91066f16c 100644 --- a/services/iotsitewise/pom.xml +++ b/services/iotsitewise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT iotsitewise AWS Java SDK :: Services :: Io T Site Wise diff --git a/services/iotthingsgraph/pom.xml b/services/iotthingsgraph/pom.xml index 4a38676f083e..b0d6ad7d04f4 100644 --- a/services/iotthingsgraph/pom.xml +++ b/services/iotthingsgraph/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT iotthingsgraph AWS Java SDK :: Services :: IoTThingsGraph diff --git a/services/iottwinmaker/pom.xml b/services/iottwinmaker/pom.xml index aafc988c68ae..4e9fcc4d2f58 100644 --- a/services/iottwinmaker/pom.xml +++ b/services/iottwinmaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT iottwinmaker AWS Java SDK :: Services :: Io T Twin Maker diff --git a/services/iotwireless/pom.xml b/services/iotwireless/pom.xml index 28058a58b9ef..d6509026ada0 100644 --- a/services/iotwireless/pom.xml +++ b/services/iotwireless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT iotwireless AWS Java SDK :: Services :: IoT Wireless diff --git a/services/ivs/pom.xml b/services/ivs/pom.xml index 38b5f0ddecba..8610f0a9d9e9 100644 --- a/services/ivs/pom.xml +++ b/services/ivs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ivs AWS Java SDK :: Services :: Ivs diff --git a/services/ivschat/pom.xml b/services/ivschat/pom.xml index 61e330ae6252..4a963f35eb49 100644 --- a/services/ivschat/pom.xml +++ b/services/ivschat/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ivschat AWS Java SDK :: Services :: Ivschat diff --git a/services/ivsrealtime/pom.xml b/services/ivsrealtime/pom.xml index 50c98445bf2d..e151a9ede60c 100644 --- a/services/ivsrealtime/pom.xml +++ b/services/ivsrealtime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ivsrealtime AWS Java SDK :: Services :: IVS Real Time diff --git a/services/kafka/pom.xml b/services/kafka/pom.xml index de1f0287b180..687a1e87fbf9 100644 --- a/services/kafka/pom.xml +++ b/services/kafka/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT kafka AWS Java SDK :: Services :: Kafka diff --git a/services/kafkaconnect/pom.xml b/services/kafkaconnect/pom.xml index 3b36fc0fe44b..c8b04a57d352 100644 --- a/services/kafkaconnect/pom.xml +++ b/services/kafkaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT kafkaconnect AWS Java SDK :: Services :: Kafka Connect diff --git a/services/kendra/pom.xml b/services/kendra/pom.xml index 87939c4413bc..29d7bf637f46 100644 --- a/services/kendra/pom.xml +++ b/services/kendra/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT kendra AWS Java SDK :: Services :: Kendra diff --git a/services/kendraranking/pom.xml b/services/kendraranking/pom.xml index 94714485730e..bef5cadd125c 100644 --- a/services/kendraranking/pom.xml +++ b/services/kendraranking/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT kendraranking AWS Java SDK :: Services :: Kendra Ranking diff --git a/services/keyspaces/pom.xml b/services/keyspaces/pom.xml index 52b86e561efa..2f0dda81db10 100644 --- a/services/keyspaces/pom.xml +++ b/services/keyspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT keyspaces AWS Java SDK :: Services :: Keyspaces diff --git a/services/keyspacesstreams/pom.xml b/services/keyspacesstreams/pom.xml index 9971cff65e87..6044756b8819 100644 --- a/services/keyspacesstreams/pom.xml +++ b/services/keyspacesstreams/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT keyspacesstreams AWS Java SDK :: Services :: Keyspaces Streams diff --git a/services/kinesis/pom.xml b/services/kinesis/pom.xml index a4b33cbedb6c..be1acf5cf03f 100644 --- a/services/kinesis/pom.xml +++ b/services/kinesis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT kinesis AWS Java SDK :: Services :: Amazon Kinesis diff --git a/services/kinesisanalytics/pom.xml b/services/kinesisanalytics/pom.xml index 891f149ee8e8..644fba6e9669 100644 --- a/services/kinesisanalytics/pom.xml +++ b/services/kinesisanalytics/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT kinesisanalytics AWS Java SDK :: Services :: Amazon Kinesis Analytics diff --git a/services/kinesisanalyticsv2/pom.xml b/services/kinesisanalyticsv2/pom.xml index 1819e7e0d68d..f00e090f4a85 100644 --- a/services/kinesisanalyticsv2/pom.xml +++ b/services/kinesisanalyticsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT kinesisanalyticsv2 AWS Java SDK :: Services :: Kinesis Analytics V2 diff --git a/services/kinesisvideo/pom.xml b/services/kinesisvideo/pom.xml index 8d46f1eaa3b5..2aac121d5af6 100644 --- a/services/kinesisvideo/pom.xml +++ b/services/kinesisvideo/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 kinesisvideo diff --git a/services/kinesisvideoarchivedmedia/pom.xml b/services/kinesisvideoarchivedmedia/pom.xml index b271cb2ccf5d..3361836c7824 100644 --- a/services/kinesisvideoarchivedmedia/pom.xml +++ b/services/kinesisvideoarchivedmedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT kinesisvideoarchivedmedia AWS Java SDK :: Services :: Kinesis Video Archived Media diff --git a/services/kinesisvideomedia/pom.xml b/services/kinesisvideomedia/pom.xml index 5cc09272436a..346cb6561ab7 100644 --- a/services/kinesisvideomedia/pom.xml +++ b/services/kinesisvideomedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT kinesisvideomedia AWS Java SDK :: Services :: Kinesis Video Media diff --git a/services/kinesisvideosignaling/pom.xml b/services/kinesisvideosignaling/pom.xml index cd9e3b92ec4f..82b9af7998e5 100644 --- a/services/kinesisvideosignaling/pom.xml +++ b/services/kinesisvideosignaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT kinesisvideosignaling AWS Java SDK :: Services :: Kinesis Video Signaling diff --git a/services/kinesisvideowebrtcstorage/pom.xml b/services/kinesisvideowebrtcstorage/pom.xml index 1c5df7e77750..42e7621fa2df 100644 --- a/services/kinesisvideowebrtcstorage/pom.xml +++ b/services/kinesisvideowebrtcstorage/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT kinesisvideowebrtcstorage AWS Java SDK :: Services :: Kinesis Video Web RTC Storage diff --git a/services/kms/pom.xml b/services/kms/pom.xml index 28a12a8e947d..86fcb208e8a3 100644 --- a/services/kms/pom.xml +++ b/services/kms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT kms AWS Java SDK :: Services :: AWS KMS diff --git a/services/lakeformation/pom.xml b/services/lakeformation/pom.xml index 22e465ef8725..5d712ee23535 100644 --- a/services/lakeformation/pom.xml +++ b/services/lakeformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT lakeformation AWS Java SDK :: Services :: LakeFormation diff --git a/services/lambda/pom.xml b/services/lambda/pom.xml index 464fe8255fb9..a07e5105e003 100644 --- a/services/lambda/pom.xml +++ b/services/lambda/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT lambda AWS Java SDK :: Services :: AWS Lambda diff --git a/services/launchwizard/pom.xml b/services/launchwizard/pom.xml index 3cac60c074ac..8665525e2ca7 100644 --- a/services/launchwizard/pom.xml +++ b/services/launchwizard/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT launchwizard AWS Java SDK :: Services :: Launch Wizard diff --git a/services/lexmodelbuilding/pom.xml b/services/lexmodelbuilding/pom.xml index 79c78a81fd6e..f12eb8a309bb 100644 --- a/services/lexmodelbuilding/pom.xml +++ b/services/lexmodelbuilding/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT lexmodelbuilding AWS Java SDK :: Services :: Amazon Lex Model Building diff --git a/services/lexmodelsv2/pom.xml b/services/lexmodelsv2/pom.xml index fa828cc41e99..7362ba5a637c 100644 --- a/services/lexmodelsv2/pom.xml +++ b/services/lexmodelsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT lexmodelsv2 AWS Java SDK :: Services :: Lex Models V2 diff --git a/services/lexruntime/pom.xml b/services/lexruntime/pom.xml index 617821df1994..48023c97a08f 100644 --- a/services/lexruntime/pom.xml +++ b/services/lexruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT lexruntime AWS Java SDK :: Services :: Amazon Lex Runtime diff --git a/services/lexruntimev2/pom.xml b/services/lexruntimev2/pom.xml index b5687e2276b7..a3e8b7857cfd 100644 --- a/services/lexruntimev2/pom.xml +++ b/services/lexruntimev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT lexruntimev2 AWS Java SDK :: Services :: Lex Runtime V2 diff --git a/services/licensemanager/pom.xml b/services/licensemanager/pom.xml index 30fb2f72f53b..ead6dc4fcedc 100644 --- a/services/licensemanager/pom.xml +++ b/services/licensemanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT licensemanager AWS Java SDK :: Services :: License Manager diff --git a/services/licensemanagerlinuxsubscriptions/pom.xml b/services/licensemanagerlinuxsubscriptions/pom.xml index 7c8adf34d305..fd147f16ec5f 100644 --- a/services/licensemanagerlinuxsubscriptions/pom.xml +++ b/services/licensemanagerlinuxsubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT licensemanagerlinuxsubscriptions AWS Java SDK :: Services :: License Manager Linux Subscriptions diff --git a/services/licensemanagerusersubscriptions/pom.xml b/services/licensemanagerusersubscriptions/pom.xml index 6762fff91ba0..4622a7d8d681 100644 --- a/services/licensemanagerusersubscriptions/pom.xml +++ b/services/licensemanagerusersubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT licensemanagerusersubscriptions AWS Java SDK :: Services :: License Manager User Subscriptions diff --git a/services/lightsail/pom.xml b/services/lightsail/pom.xml index 30b6423248a9..75593deb6d3a 100644 --- a/services/lightsail/pom.xml +++ b/services/lightsail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT lightsail AWS Java SDK :: Services :: Amazon Lightsail diff --git a/services/location/pom.xml b/services/location/pom.xml index 11655b2cd9d9..06d10fbc6a38 100644 --- a/services/location/pom.xml +++ b/services/location/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT location AWS Java SDK :: Services :: Location diff --git a/services/lookoutequipment/pom.xml b/services/lookoutequipment/pom.xml index 1a03e919502a..31954ac67e23 100644 --- a/services/lookoutequipment/pom.xml +++ b/services/lookoutequipment/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT lookoutequipment AWS Java SDK :: Services :: Lookout Equipment diff --git a/services/m2/pom.xml b/services/m2/pom.xml index 67b4770dc6ea..45975df81e34 100644 --- a/services/m2/pom.xml +++ b/services/m2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT m2 AWS Java SDK :: Services :: M2 diff --git a/services/machinelearning/pom.xml b/services/machinelearning/pom.xml index 14f4ac5795e0..5bf461ae3293 100644 --- a/services/machinelearning/pom.xml +++ b/services/machinelearning/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT machinelearning AWS Java SDK :: Services :: Amazon Machine Learning diff --git a/services/macie2/pom.xml b/services/macie2/pom.xml index 55f7bc0f6cfa..9860b83c0884 100644 --- a/services/macie2/pom.xml +++ b/services/macie2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT macie2 AWS Java SDK :: Services :: Macie2 diff --git a/services/mailmanager/pom.xml b/services/mailmanager/pom.xml index ed8b763d9244..47cb3ea0bad3 100644 --- a/services/mailmanager/pom.xml +++ b/services/mailmanager/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT mailmanager AWS Java SDK :: Services :: Mail Manager diff --git a/services/managedblockchain/pom.xml b/services/managedblockchain/pom.xml index f30954fbfcbd..985712744d48 100644 --- a/services/managedblockchain/pom.xml +++ b/services/managedblockchain/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT managedblockchain AWS Java SDK :: Services :: ManagedBlockchain diff --git a/services/managedblockchainquery/pom.xml b/services/managedblockchainquery/pom.xml index d768ea85c6b7..e7ab5793d129 100644 --- a/services/managedblockchainquery/pom.xml +++ b/services/managedblockchainquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT managedblockchainquery AWS Java SDK :: Services :: Managed Blockchain Query diff --git a/services/marketplaceagreement/pom.xml b/services/marketplaceagreement/pom.xml index d4b78a1b12c5..dece319d838f 100644 --- a/services/marketplaceagreement/pom.xml +++ b/services/marketplaceagreement/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT marketplaceagreement AWS Java SDK :: Services :: Marketplace Agreement diff --git a/services/marketplacecatalog/pom.xml b/services/marketplacecatalog/pom.xml index f50334709419..82da12a85f03 100644 --- a/services/marketplacecatalog/pom.xml +++ b/services/marketplacecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT marketplacecatalog AWS Java SDK :: Services :: Marketplace Catalog diff --git a/services/marketplacecommerceanalytics/pom.xml b/services/marketplacecommerceanalytics/pom.xml index 99b69bd42fc7..b2e7892184e5 100644 --- a/services/marketplacecommerceanalytics/pom.xml +++ b/services/marketplacecommerceanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT marketplacecommerceanalytics AWS Java SDK :: Services :: AWS Marketplace Commerce Analytics diff --git a/services/marketplacedeployment/pom.xml b/services/marketplacedeployment/pom.xml index d8f928c7f025..abd952bb3c2c 100644 --- a/services/marketplacedeployment/pom.xml +++ b/services/marketplacedeployment/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT marketplacedeployment AWS Java SDK :: Services :: Marketplace Deployment diff --git a/services/marketplacediscovery/pom.xml b/services/marketplacediscovery/pom.xml index 9b57d4e1b4c2..901cf35c34b6 100644 --- a/services/marketplacediscovery/pom.xml +++ b/services/marketplacediscovery/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT marketplacediscovery AWS Java SDK :: Services :: Marketplace Discovery diff --git a/services/marketplaceentitlement/pom.xml b/services/marketplaceentitlement/pom.xml index cd057fd7bdfe..f50ab39cfafc 100644 --- a/services/marketplaceentitlement/pom.xml +++ b/services/marketplaceentitlement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT marketplaceentitlement AWS Java SDK :: Services :: AWS Marketplace Entitlement diff --git a/services/marketplacemetering/pom.xml b/services/marketplacemetering/pom.xml index 79d8477778c6..1b404e2776e6 100644 --- a/services/marketplacemetering/pom.xml +++ b/services/marketplacemetering/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT marketplacemetering AWS Java SDK :: Services :: AWS Marketplace Metering Service diff --git a/services/marketplacereporting/pom.xml b/services/marketplacereporting/pom.xml index cadff42e6523..cd4a212c23f4 100644 --- a/services/marketplacereporting/pom.xml +++ b/services/marketplacereporting/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT marketplacereporting AWS Java SDK :: Services :: Marketplace Reporting diff --git a/services/mediaconnect/pom.xml b/services/mediaconnect/pom.xml index 0e50b730a3e9..4c8844d6152b 100644 --- a/services/mediaconnect/pom.xml +++ b/services/mediaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT mediaconnect AWS Java SDK :: Services :: MediaConnect diff --git a/services/mediaconvert/pom.xml b/services/mediaconvert/pom.xml index cee68455bca9..a8e3f2815e82 100644 --- a/services/mediaconvert/pom.xml +++ b/services/mediaconvert/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 mediaconvert diff --git a/services/medialive/pom.xml b/services/medialive/pom.xml index 0776f93ebe6f..5db2c2a5782e 100644 --- a/services/medialive/pom.xml +++ b/services/medialive/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 medialive diff --git a/services/mediapackage/pom.xml b/services/mediapackage/pom.xml index d04ecab8b7e1..bd1787895880 100644 --- a/services/mediapackage/pom.xml +++ b/services/mediapackage/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 mediapackage diff --git a/services/mediapackagev2/pom.xml b/services/mediapackagev2/pom.xml index 9395622e78ec..7758a8e8da0d 100644 --- a/services/mediapackagev2/pom.xml +++ b/services/mediapackagev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT mediapackagev2 AWS Java SDK :: Services :: Media Package V2 diff --git a/services/mediapackagevod/pom.xml b/services/mediapackagevod/pom.xml index 64634563894a..6ae406a61996 100644 --- a/services/mediapackagevod/pom.xml +++ b/services/mediapackagevod/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT mediapackagevod AWS Java SDK :: Services :: MediaPackage Vod diff --git a/services/mediastore/pom.xml b/services/mediastore/pom.xml index 858f89c2956f..e8f1a39e62f1 100644 --- a/services/mediastore/pom.xml +++ b/services/mediastore/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 mediastore diff --git a/services/mediastoredata/pom.xml b/services/mediastoredata/pom.xml index a8a4ba9139f6..01e089cfd97a 100644 --- a/services/mediastoredata/pom.xml +++ b/services/mediastoredata/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 mediastoredata diff --git a/services/mediatailor/pom.xml b/services/mediatailor/pom.xml index 9144bf787085..9ccc23210207 100644 --- a/services/mediatailor/pom.xml +++ b/services/mediatailor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT mediatailor AWS Java SDK :: Services :: MediaTailor diff --git a/services/medicalimaging/pom.xml b/services/medicalimaging/pom.xml index 92560a0159f8..9db96121046e 100644 --- a/services/medicalimaging/pom.xml +++ b/services/medicalimaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT medicalimaging AWS Java SDK :: Services :: Medical Imaging diff --git a/services/memorydb/pom.xml b/services/memorydb/pom.xml index 3c6c9bb28696..d98c714b978a 100644 --- a/services/memorydb/pom.xml +++ b/services/memorydb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT memorydb AWS Java SDK :: Services :: Memory DB diff --git a/services/mgn/pom.xml b/services/mgn/pom.xml index 7774a4e6a892..4b60f7c45592 100644 --- a/services/mgn/pom.xml +++ b/services/mgn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT mgn AWS Java SDK :: Services :: Mgn diff --git a/services/migrationhub/pom.xml b/services/migrationhub/pom.xml index c9a817c276c9..005c8811ecb4 100644 --- a/services/migrationhub/pom.xml +++ b/services/migrationhub/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 migrationhub diff --git a/services/migrationhubconfig/pom.xml b/services/migrationhubconfig/pom.xml index 9bf6fcd27afb..318e28486f10 100644 --- a/services/migrationhubconfig/pom.xml +++ b/services/migrationhubconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT migrationhubconfig AWS Java SDK :: Services :: MigrationHub Config diff --git a/services/migrationhuborchestrator/pom.xml b/services/migrationhuborchestrator/pom.xml index 6591be1792ca..be0c68c105ac 100644 --- a/services/migrationhuborchestrator/pom.xml +++ b/services/migrationhuborchestrator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT migrationhuborchestrator AWS Java SDK :: Services :: Migration Hub Orchestrator diff --git a/services/migrationhubrefactorspaces/pom.xml b/services/migrationhubrefactorspaces/pom.xml index ed3b1ed3b8bc..9e12a9b37e62 100644 --- a/services/migrationhubrefactorspaces/pom.xml +++ b/services/migrationhubrefactorspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT migrationhubrefactorspaces AWS Java SDK :: Services :: Migration Hub Refactor Spaces diff --git a/services/migrationhubstrategy/pom.xml b/services/migrationhubstrategy/pom.xml index b8ce55d3fcb7..c410716cc6c6 100644 --- a/services/migrationhubstrategy/pom.xml +++ b/services/migrationhubstrategy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT migrationhubstrategy AWS Java SDK :: Services :: Migration Hub Strategy diff --git a/services/mpa/pom.xml b/services/mpa/pom.xml index d870003e87c5..2c55739ddaa0 100644 --- a/services/mpa/pom.xml +++ b/services/mpa/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT mpa AWS Java SDK :: Services :: MPA diff --git a/services/mq/pom.xml b/services/mq/pom.xml index 0db2ad9d1836..c8207c65af60 100644 --- a/services/mq/pom.xml +++ b/services/mq/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 mq diff --git a/services/mturk/pom.xml b/services/mturk/pom.xml index 4b29678a9abc..a673c27200fb 100644 --- a/services/mturk/pom.xml +++ b/services/mturk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT mturk AWS Java SDK :: Services :: Amazon Mechanical Turk Requester diff --git a/services/mwaa/pom.xml b/services/mwaa/pom.xml index ebd27c805a2e..6b5544adab8f 100644 --- a/services/mwaa/pom.xml +++ b/services/mwaa/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT mwaa AWS Java SDK :: Services :: MWAA diff --git a/services/mwaaserverless/pom.xml b/services/mwaaserverless/pom.xml index ce5761f2e1c7..73bb904eb921 100644 --- a/services/mwaaserverless/pom.xml +++ b/services/mwaaserverless/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT mwaaserverless AWS Java SDK :: Services :: MWAA Serverless diff --git a/services/neptune/pom.xml b/services/neptune/pom.xml index 8e2ba0d1ca1e..b7d94afdae4c 100644 --- a/services/neptune/pom.xml +++ b/services/neptune/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT neptune AWS Java SDK :: Services :: Neptune diff --git a/services/neptunedata/pom.xml b/services/neptunedata/pom.xml index a20ebdb56365..e5ce2cacc3ab 100644 --- a/services/neptunedata/pom.xml +++ b/services/neptunedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT neptunedata AWS Java SDK :: Services :: Neptunedata diff --git a/services/neptunegraph/pom.xml b/services/neptunegraph/pom.xml index 90e81da54545..42d25a71372d 100644 --- a/services/neptunegraph/pom.xml +++ b/services/neptunegraph/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT neptunegraph AWS Java SDK :: Services :: Neptune Graph diff --git a/services/networkfirewall/pom.xml b/services/networkfirewall/pom.xml index 189d67364bad..b01cb2db4da7 100644 --- a/services/networkfirewall/pom.xml +++ b/services/networkfirewall/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT networkfirewall AWS Java SDK :: Services :: Network Firewall diff --git a/services/networkflowmonitor/pom.xml b/services/networkflowmonitor/pom.xml index 270080b79108..deadb5785e3f 100644 --- a/services/networkflowmonitor/pom.xml +++ b/services/networkflowmonitor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT networkflowmonitor AWS Java SDK :: Services :: Network Flow Monitor diff --git a/services/networkmanager/pom.xml b/services/networkmanager/pom.xml index 4fd73323c57b..de55b031b683 100644 --- a/services/networkmanager/pom.xml +++ b/services/networkmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT networkmanager AWS Java SDK :: Services :: NetworkManager diff --git a/services/networkmonitor/pom.xml b/services/networkmonitor/pom.xml index f388f24535ea..b4f9431f25d2 100644 --- a/services/networkmonitor/pom.xml +++ b/services/networkmonitor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT networkmonitor AWS Java SDK :: Services :: Network Monitor diff --git a/services/notifications/pom.xml b/services/notifications/pom.xml index a0f9f154ea7a..c1a012033483 100644 --- a/services/notifications/pom.xml +++ b/services/notifications/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT notifications AWS Java SDK :: Services :: Notifications diff --git a/services/notificationscontacts/pom.xml b/services/notificationscontacts/pom.xml index bcbf49d51e19..f297639912bb 100644 --- a/services/notificationscontacts/pom.xml +++ b/services/notificationscontacts/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT notificationscontacts AWS Java SDK :: Services :: Notifications Contacts diff --git a/services/novaact/pom.xml b/services/novaact/pom.xml index 481ff5d74886..579e1c70b1ae 100644 --- a/services/novaact/pom.xml +++ b/services/novaact/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT novaact AWS Java SDK :: Services :: Nova Act diff --git a/services/oam/pom.xml b/services/oam/pom.xml index 6315f54532fd..427ba1a77830 100644 --- a/services/oam/pom.xml +++ b/services/oam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT oam AWS Java SDK :: Services :: OAM diff --git a/services/observabilityadmin/pom.xml b/services/observabilityadmin/pom.xml index cb1078fcbddc..6d91ef03fb23 100644 --- a/services/observabilityadmin/pom.xml +++ b/services/observabilityadmin/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT observabilityadmin AWS Java SDK :: Services :: Observability Admin diff --git a/services/odb/pom.xml b/services/odb/pom.xml index 892e3e2d4852..86a785f437ce 100644 --- a/services/odb/pom.xml +++ b/services/odb/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT odb AWS Java SDK :: Services :: Odb diff --git a/services/omics/pom.xml b/services/omics/pom.xml index b63be12a46cc..bf8865668450 100644 --- a/services/omics/pom.xml +++ b/services/omics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT omics AWS Java SDK :: Services :: Omics diff --git a/services/opensearch/pom.xml b/services/opensearch/pom.xml index fbbd28e14937..e01f8d3e6ff8 100644 --- a/services/opensearch/pom.xml +++ b/services/opensearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT opensearch AWS Java SDK :: Services :: Open Search diff --git a/services/opensearchserverless/pom.xml b/services/opensearchserverless/pom.xml index 615090a14825..762a65d3cf55 100644 --- a/services/opensearchserverless/pom.xml +++ b/services/opensearchserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT opensearchserverless AWS Java SDK :: Services :: Open Search Serverless diff --git a/services/organizations/pom.xml b/services/organizations/pom.xml index 9874c07e64eb..82f0442483f1 100644 --- a/services/organizations/pom.xml +++ b/services/organizations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT organizations AWS Java SDK :: Services :: AWS Organizations diff --git a/services/osis/pom.xml b/services/osis/pom.xml index bd66dc6cff23..6bdacfa390f4 100644 --- a/services/osis/pom.xml +++ b/services/osis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT osis AWS Java SDK :: Services :: OSIS diff --git a/services/outposts/pom.xml b/services/outposts/pom.xml index 4e6b46f8f252..2a48974dbbfa 100644 --- a/services/outposts/pom.xml +++ b/services/outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT outposts AWS Java SDK :: Services :: Outposts diff --git a/services/panorama/pom.xml b/services/panorama/pom.xml index 9dd93967786c..bfbc3ca1ac77 100644 --- a/services/panorama/pom.xml +++ b/services/panorama/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT panorama AWS Java SDK :: Services :: Panorama diff --git a/services/partnercentralaccount/pom.xml b/services/partnercentralaccount/pom.xml index a973ea3c69a9..1182a77f3a57 100644 --- a/services/partnercentralaccount/pom.xml +++ b/services/partnercentralaccount/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT partnercentralaccount AWS Java SDK :: Services :: Partner Central Account diff --git a/services/partnercentralbenefits/pom.xml b/services/partnercentralbenefits/pom.xml index 80a0accbe26a..e22e09ff9772 100644 --- a/services/partnercentralbenefits/pom.xml +++ b/services/partnercentralbenefits/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT partnercentralbenefits AWS Java SDK :: Services :: Partner Central Benefits diff --git a/services/partnercentralchannel/pom.xml b/services/partnercentralchannel/pom.xml index 75e2d558f687..c3c0d9be5436 100644 --- a/services/partnercentralchannel/pom.xml +++ b/services/partnercentralchannel/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT partnercentralchannel AWS Java SDK :: Services :: Partner Central Channel diff --git a/services/partnercentralselling/pom.xml b/services/partnercentralselling/pom.xml index e7d583537bbf..c3d6503a82be 100644 --- a/services/partnercentralselling/pom.xml +++ b/services/partnercentralselling/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT partnercentralselling AWS Java SDK :: Services :: Partner Central Selling diff --git a/services/paymentcryptography/pom.xml b/services/paymentcryptography/pom.xml index ff8604f1e740..f52e84ced09c 100644 --- a/services/paymentcryptography/pom.xml +++ b/services/paymentcryptography/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT paymentcryptography AWS Java SDK :: Services :: Payment Cryptography diff --git a/services/paymentcryptographydata/pom.xml b/services/paymentcryptographydata/pom.xml index 3c69739c8fb9..a8e742ba9eee 100644 --- a/services/paymentcryptographydata/pom.xml +++ b/services/paymentcryptographydata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT paymentcryptographydata AWS Java SDK :: Services :: Payment Cryptography Data diff --git a/services/pcaconnectorad/pom.xml b/services/pcaconnectorad/pom.xml index b3bd057e2e16..8ceb72cbe1af 100644 --- a/services/pcaconnectorad/pom.xml +++ b/services/pcaconnectorad/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT pcaconnectorad AWS Java SDK :: Services :: Pca Connector Ad diff --git a/services/pcaconnectorscep/pom.xml b/services/pcaconnectorscep/pom.xml index 13fc72a851dc..acd8ad65661a 100644 --- a/services/pcaconnectorscep/pom.xml +++ b/services/pcaconnectorscep/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT pcaconnectorscep AWS Java SDK :: Services :: Pca Connector Scep diff --git a/services/pcs/pom.xml b/services/pcs/pom.xml index 7d2c235fe75b..a65968e23a57 100644 --- a/services/pcs/pom.xml +++ b/services/pcs/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT pcs AWS Java SDK :: Services :: PCS diff --git a/services/personalize/pom.xml b/services/personalize/pom.xml index d00c5654960f..7cc0b126c69b 100644 --- a/services/personalize/pom.xml +++ b/services/personalize/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT personalize AWS Java SDK :: Services :: Personalize diff --git a/services/personalizeevents/pom.xml b/services/personalizeevents/pom.xml index 10f77a065db0..6332b5e3d3bd 100644 --- a/services/personalizeevents/pom.xml +++ b/services/personalizeevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT personalizeevents AWS Java SDK :: Services :: Personalize Events diff --git a/services/personalizeruntime/pom.xml b/services/personalizeruntime/pom.xml index 18cee04dd5ae..6408d2b93492 100644 --- a/services/personalizeruntime/pom.xml +++ b/services/personalizeruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT personalizeruntime AWS Java SDK :: Services :: Personalize Runtime diff --git a/services/pi/pom.xml b/services/pi/pom.xml index 89aa0547a0f3..73067eafd3d8 100644 --- a/services/pi/pom.xml +++ b/services/pi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT pi AWS Java SDK :: Services :: PI diff --git a/services/pinpoint/pom.xml b/services/pinpoint/pom.xml index 79c48d6b3cdf..7d720a1200f6 100644 --- a/services/pinpoint/pom.xml +++ b/services/pinpoint/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT pinpoint AWS Java SDK :: Services :: Amazon Pinpoint diff --git a/services/pinpointemail/pom.xml b/services/pinpointemail/pom.xml index 4f29742010fe..caf301e6692b 100644 --- a/services/pinpointemail/pom.xml +++ b/services/pinpointemail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT pinpointemail AWS Java SDK :: Services :: Pinpoint Email diff --git a/services/pinpointsmsvoice/pom.xml b/services/pinpointsmsvoice/pom.xml index bb7f48dfe7b8..de9502f49473 100644 --- a/services/pinpointsmsvoice/pom.xml +++ b/services/pinpointsmsvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT pinpointsmsvoice AWS Java SDK :: Services :: Pinpoint SMS Voice diff --git a/services/pinpointsmsvoicev2/pom.xml b/services/pinpointsmsvoicev2/pom.xml index a741c291350c..040811e9665c 100644 --- a/services/pinpointsmsvoicev2/pom.xml +++ b/services/pinpointsmsvoicev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT pinpointsmsvoicev2 AWS Java SDK :: Services :: Pinpoint SMS Voice V2 diff --git a/services/pipes/pom.xml b/services/pipes/pom.xml index 59f68adee7b7..02ca273cfd17 100644 --- a/services/pipes/pom.xml +++ b/services/pipes/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT pipes AWS Java SDK :: Services :: Pipes diff --git a/services/polly/pom.xml b/services/polly/pom.xml index 9c25bb1c22ed..3febbc3099d1 100644 --- a/services/polly/pom.xml +++ b/services/polly/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT polly AWS Java SDK :: Services :: Amazon Polly diff --git a/services/pom.xml b/services/pom.xml index 3b1401f95d41..b00f5d363e01 100644 --- a/services/pom.xml +++ b/services/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT services AWS Java SDK :: Services diff --git a/services/pricing/pom.xml b/services/pricing/pom.xml index c0dbfc07fe65..25f32ac1892f 100644 --- a/services/pricing/pom.xml +++ b/services/pricing/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 pricing diff --git a/services/proton/pom.xml b/services/proton/pom.xml index 63feda962148..18c5d73f2537 100644 --- a/services/proton/pom.xml +++ b/services/proton/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT proton AWS Java SDK :: Services :: Proton diff --git a/services/qapps/pom.xml b/services/qapps/pom.xml index 8c2c383e535e..ec832c3b96f4 100644 --- a/services/qapps/pom.xml +++ b/services/qapps/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT qapps AWS Java SDK :: Services :: Q Apps diff --git a/services/qbusiness/pom.xml b/services/qbusiness/pom.xml index fb0bd9e5b5e6..800134ceaa0b 100644 --- a/services/qbusiness/pom.xml +++ b/services/qbusiness/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT qbusiness AWS Java SDK :: Services :: Q Business diff --git a/services/qconnect/pom.xml b/services/qconnect/pom.xml index 12d127879a64..a8a939e419a7 100644 --- a/services/qconnect/pom.xml +++ b/services/qconnect/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT qconnect AWS Java SDK :: Services :: Q Connect diff --git a/services/quicksight/pom.xml b/services/quicksight/pom.xml index a917e6c61e39..497a0243f834 100644 --- a/services/quicksight/pom.xml +++ b/services/quicksight/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT quicksight AWS Java SDK :: Services :: QuickSight diff --git a/services/ram/pom.xml b/services/ram/pom.xml index 68e2d2226c20..c9de046912dc 100644 --- a/services/ram/pom.xml +++ b/services/ram/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ram AWS Java SDK :: Services :: RAM diff --git a/services/rbin/pom.xml b/services/rbin/pom.xml index 9c28dcdffd8f..6e290f5afdb1 100644 --- a/services/rbin/pom.xml +++ b/services/rbin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT rbin AWS Java SDK :: Services :: Rbin diff --git a/services/rds/pom.xml b/services/rds/pom.xml index 304de8539bcb..bd8c0f980f86 100644 --- a/services/rds/pom.xml +++ b/services/rds/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT rds AWS Java SDK :: Services :: Amazon RDS diff --git a/services/rdsdata/pom.xml b/services/rdsdata/pom.xml index f536b794603a..fbc9ccbc08a2 100644 --- a/services/rdsdata/pom.xml +++ b/services/rdsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT rdsdata AWS Java SDK :: Services :: RDS Data diff --git a/services/redshift/pom.xml b/services/redshift/pom.xml index 65b0fd0fbcdc..117bcdf529ac 100644 --- a/services/redshift/pom.xml +++ b/services/redshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT redshift AWS Java SDK :: Services :: Amazon Redshift diff --git a/services/redshiftdata/pom.xml b/services/redshiftdata/pom.xml index 2021cf582f0f..8f06b96c6e49 100644 --- a/services/redshiftdata/pom.xml +++ b/services/redshiftdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT redshiftdata AWS Java SDK :: Services :: Redshift Data diff --git a/services/redshiftserverless/pom.xml b/services/redshiftserverless/pom.xml index 5d59125b44e3..2c2b3c8d4543 100644 --- a/services/redshiftserverless/pom.xml +++ b/services/redshiftserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT redshiftserverless AWS Java SDK :: Services :: Redshift Serverless diff --git a/services/rekognition/pom.xml b/services/rekognition/pom.xml index 928aff655b23..22ee31feff63 100644 --- a/services/rekognition/pom.xml +++ b/services/rekognition/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT rekognition AWS Java SDK :: Services :: Amazon Rekognition diff --git a/services/repostspace/pom.xml b/services/repostspace/pom.xml index a57adb3c044b..71ad0901448e 100644 --- a/services/repostspace/pom.xml +++ b/services/repostspace/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT repostspace AWS Java SDK :: Services :: Repostspace diff --git a/services/resiliencehub/pom.xml b/services/resiliencehub/pom.xml index b61214c2e9e3..67cdf5463ba2 100644 --- a/services/resiliencehub/pom.xml +++ b/services/resiliencehub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT resiliencehub AWS Java SDK :: Services :: Resiliencehub diff --git a/services/resourceexplorer2/pom.xml b/services/resourceexplorer2/pom.xml index 37677e15e813..18b9ddc6b5e0 100644 --- a/services/resourceexplorer2/pom.xml +++ b/services/resourceexplorer2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT resourceexplorer2 AWS Java SDK :: Services :: Resource Explorer 2 diff --git a/services/resourcegroups/pom.xml b/services/resourcegroups/pom.xml index e1b5920e9cc1..83365907e357 100644 --- a/services/resourcegroups/pom.xml +++ b/services/resourcegroups/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 resourcegroups diff --git a/services/resourcegroupstaggingapi/pom.xml b/services/resourcegroupstaggingapi/pom.xml index 924a2b53c0fa..ae6befe3d470 100644 --- a/services/resourcegroupstaggingapi/pom.xml +++ b/services/resourcegroupstaggingapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT resourcegroupstaggingapi AWS Java SDK :: Services :: AWS Resource Groups Tagging API diff --git a/services/rolesanywhere/pom.xml b/services/rolesanywhere/pom.xml index 34a86aac90a7..f1aaf45d9162 100644 --- a/services/rolesanywhere/pom.xml +++ b/services/rolesanywhere/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT rolesanywhere AWS Java SDK :: Services :: Roles Anywhere diff --git a/services/route53/pom.xml b/services/route53/pom.xml index d8c93c08d773..98941fd7a563 100644 --- a/services/route53/pom.xml +++ b/services/route53/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT route53 AWS Java SDK :: Services :: Amazon Route53 diff --git a/services/route53domains/pom.xml b/services/route53domains/pom.xml index b0261a6e24c2..790ae4f977b6 100644 --- a/services/route53domains/pom.xml +++ b/services/route53domains/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT route53domains AWS Java SDK :: Services :: Amazon Route53 Domains diff --git a/services/route53globalresolver/pom.xml b/services/route53globalresolver/pom.xml index 67bdb199d70f..8b64aa1f1e21 100644 --- a/services/route53globalresolver/pom.xml +++ b/services/route53globalresolver/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT route53globalresolver AWS Java SDK :: Services :: Route53 Global Resolver diff --git a/services/route53profiles/pom.xml b/services/route53profiles/pom.xml index b7f11289066e..e13215ff6bb4 100644 --- a/services/route53profiles/pom.xml +++ b/services/route53profiles/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT route53profiles AWS Java SDK :: Services :: Route53 Profiles diff --git a/services/route53recoverycluster/pom.xml b/services/route53recoverycluster/pom.xml index 6ac00101cc46..92c120f61992 100644 --- a/services/route53recoverycluster/pom.xml +++ b/services/route53recoverycluster/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT route53recoverycluster AWS Java SDK :: Services :: Route53 Recovery Cluster diff --git a/services/route53recoverycontrolconfig/pom.xml b/services/route53recoverycontrolconfig/pom.xml index 1a87bb92ca86..4b558c706eb4 100644 --- a/services/route53recoverycontrolconfig/pom.xml +++ b/services/route53recoverycontrolconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT route53recoverycontrolconfig AWS Java SDK :: Services :: Route53 Recovery Control Config diff --git a/services/route53recoveryreadiness/pom.xml b/services/route53recoveryreadiness/pom.xml index 5c543c6c1da3..43e0489a2aaa 100644 --- a/services/route53recoveryreadiness/pom.xml +++ b/services/route53recoveryreadiness/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT route53recoveryreadiness AWS Java SDK :: Services :: Route53 Recovery Readiness diff --git a/services/route53resolver/pom.xml b/services/route53resolver/pom.xml index 6d6c459f800a..abdd7bb5d7ac 100644 --- a/services/route53resolver/pom.xml +++ b/services/route53resolver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT route53resolver AWS Java SDK :: Services :: Route53Resolver diff --git a/services/rtbfabric/pom.xml b/services/rtbfabric/pom.xml index 8005da27fd4d..82c776a8aa48 100644 --- a/services/rtbfabric/pom.xml +++ b/services/rtbfabric/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT rtbfabric AWS Java SDK :: Services :: RTB Fabric diff --git a/services/rum/pom.xml b/services/rum/pom.xml index 7c59b7e7e053..9dac2d21facc 100644 --- a/services/rum/pom.xml +++ b/services/rum/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT rum AWS Java SDK :: Services :: RUM diff --git a/services/s3/pom.xml b/services/s3/pom.xml index 709359acff56..5581bc71d054 100644 --- a/services/s3/pom.xml +++ b/services/s3/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT s3 AWS Java SDK :: Services :: Amazon S3 diff --git a/services/s3control/pom.xml b/services/s3control/pom.xml index 1e099b0829fa..3c34b13f07a6 100644 --- a/services/s3control/pom.xml +++ b/services/s3control/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT s3control AWS Java SDK :: Services :: Amazon S3 Control diff --git a/services/s3files/pom.xml b/services/s3files/pom.xml index 261c7a13d8dc..17eb56ba4bbd 100644 --- a/services/s3files/pom.xml +++ b/services/s3files/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT s3files AWS Java SDK :: Services :: S3 Files diff --git a/services/s3outposts/pom.xml b/services/s3outposts/pom.xml index a7b00c680a66..85146d6740f4 100644 --- a/services/s3outposts/pom.xml +++ b/services/s3outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT s3outposts AWS Java SDK :: Services :: S3 Outposts diff --git a/services/s3tables/pom.xml b/services/s3tables/pom.xml index 91ae33f5e4f3..193303fd2b80 100644 --- a/services/s3tables/pom.xml +++ b/services/s3tables/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT s3tables AWS Java SDK :: Services :: S3 Tables diff --git a/services/s3vectors/pom.xml b/services/s3vectors/pom.xml index 3473db22f014..a8deb0205964 100644 --- a/services/s3vectors/pom.xml +++ b/services/s3vectors/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT s3vectors AWS Java SDK :: Services :: S3 Vectors diff --git a/services/sagemaker/pom.xml b/services/sagemaker/pom.xml index 600508e4e67a..dac2dc368818 100644 --- a/services/sagemaker/pom.xml +++ b/services/sagemaker/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 sagemaker diff --git a/services/sagemakera2iruntime/pom.xml b/services/sagemakera2iruntime/pom.xml index 0d2f5ec3384f..630d6ab7be8a 100644 --- a/services/sagemakera2iruntime/pom.xml +++ b/services/sagemakera2iruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT sagemakera2iruntime AWS Java SDK :: Services :: SageMaker A2I Runtime diff --git a/services/sagemakeredge/pom.xml b/services/sagemakeredge/pom.xml index a4b3b7686a00..a2b404bbe5d5 100644 --- a/services/sagemakeredge/pom.xml +++ b/services/sagemakeredge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT sagemakeredge AWS Java SDK :: Services :: Sagemaker Edge diff --git a/services/sagemakerfeaturestoreruntime/pom.xml b/services/sagemakerfeaturestoreruntime/pom.xml index 74850d49eb11..f0792794ca4b 100644 --- a/services/sagemakerfeaturestoreruntime/pom.xml +++ b/services/sagemakerfeaturestoreruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT sagemakerfeaturestoreruntime AWS Java SDK :: Services :: Sage Maker Feature Store Runtime diff --git a/services/sagemakergeospatial/pom.xml b/services/sagemakergeospatial/pom.xml index 96525ea472e8..00be9bcb632f 100644 --- a/services/sagemakergeospatial/pom.xml +++ b/services/sagemakergeospatial/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT sagemakergeospatial AWS Java SDK :: Services :: Sage Maker Geospatial diff --git a/services/sagemakermetrics/pom.xml b/services/sagemakermetrics/pom.xml index 25c99ab20a8d..5cd055b11db6 100644 --- a/services/sagemakermetrics/pom.xml +++ b/services/sagemakermetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT sagemakermetrics AWS Java SDK :: Services :: Sage Maker Metrics diff --git a/services/sagemakerruntime/pom.xml b/services/sagemakerruntime/pom.xml index e2d9479619cb..9ffbe9662228 100644 --- a/services/sagemakerruntime/pom.xml +++ b/services/sagemakerruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT sagemakerruntime AWS Java SDK :: Services :: SageMaker Runtime diff --git a/services/sagemakerruntimehttp2/pom.xml b/services/sagemakerruntimehttp2/pom.xml index 793943c6d880..89e8723f58c8 100644 --- a/services/sagemakerruntimehttp2/pom.xml +++ b/services/sagemakerruntimehttp2/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT sagemakerruntimehttp2 AWS Java SDK :: Services :: Sage Maker Runtime HTTP2 diff --git a/services/savingsplans/pom.xml b/services/savingsplans/pom.xml index 9cac79dc7396..203b2c846624 100644 --- a/services/savingsplans/pom.xml +++ b/services/savingsplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT savingsplans AWS Java SDK :: Services :: Savingsplans diff --git a/services/scheduler/pom.xml b/services/scheduler/pom.xml index 47c4b7bda7dd..8f8c60bf1c5d 100644 --- a/services/scheduler/pom.xml +++ b/services/scheduler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT scheduler AWS Java SDK :: Services :: Scheduler diff --git a/services/schemas/pom.xml b/services/schemas/pom.xml index 2d83dca03cd9..4dd3fe10831e 100644 --- a/services/schemas/pom.xml +++ b/services/schemas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT schemas AWS Java SDK :: Services :: Schemas diff --git a/services/secretsmanager/pom.xml b/services/secretsmanager/pom.xml index bb04772c68c3..70f8e67348e6 100644 --- a/services/secretsmanager/pom.xml +++ b/services/secretsmanager/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT secretsmanager AWS Java SDK :: Services :: AWS Secrets Manager diff --git a/services/securityagent/pom.xml b/services/securityagent/pom.xml index 46b3805a8e1e..cbb0c8bcad2f 100644 --- a/services/securityagent/pom.xml +++ b/services/securityagent/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT securityagent AWS Java SDK :: Services :: Security Agent diff --git a/services/securityhub/pom.xml b/services/securityhub/pom.xml index 74012a787744..358158e66a74 100644 --- a/services/securityhub/pom.xml +++ b/services/securityhub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT securityhub AWS Java SDK :: Services :: SecurityHub diff --git a/services/securityir/pom.xml b/services/securityir/pom.xml index fb221c8c2ca4..11f2153d4a2b 100644 --- a/services/securityir/pom.xml +++ b/services/securityir/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT securityir AWS Java SDK :: Services :: Security IR diff --git a/services/securitylake/pom.xml b/services/securitylake/pom.xml index 112674029d9c..1d9776c95e77 100644 --- a/services/securitylake/pom.xml +++ b/services/securitylake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT securitylake AWS Java SDK :: Services :: Security Lake diff --git a/services/serverlessapplicationrepository/pom.xml b/services/serverlessapplicationrepository/pom.xml index dfdfddd06e1c..12344ed13fb1 100644 --- a/services/serverlessapplicationrepository/pom.xml +++ b/services/serverlessapplicationrepository/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 serverlessapplicationrepository diff --git a/services/servicecatalog/pom.xml b/services/servicecatalog/pom.xml index 46a9e74e4b30..c018390afb47 100644 --- a/services/servicecatalog/pom.xml +++ b/services/servicecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT servicecatalog AWS Java SDK :: Services :: AWS Service Catalog diff --git a/services/servicecatalogappregistry/pom.xml b/services/servicecatalogappregistry/pom.xml index 95cc0f5ce355..ab3e0873cf28 100644 --- a/services/servicecatalogappregistry/pom.xml +++ b/services/servicecatalogappregistry/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT servicecatalogappregistry AWS Java SDK :: Services :: Service Catalog App Registry diff --git a/services/servicediscovery/pom.xml b/services/servicediscovery/pom.xml index 1237e4e0a4ba..31b445257880 100644 --- a/services/servicediscovery/pom.xml +++ b/services/servicediscovery/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 servicediscovery diff --git a/services/servicequotas/pom.xml b/services/servicequotas/pom.xml index e17f9eb4af04..3c1b8db59b90 100644 --- a/services/servicequotas/pom.xml +++ b/services/servicequotas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT servicequotas AWS Java SDK :: Services :: Service Quotas diff --git a/services/ses/pom.xml b/services/ses/pom.xml index 4f5d07c6ebe8..4e1b3e96efa6 100644 --- a/services/ses/pom.xml +++ b/services/ses/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ses AWS Java SDK :: Services :: Amazon SES diff --git a/services/sesv2/pom.xml b/services/sesv2/pom.xml index 22af8163ea57..c6f261c842ce 100644 --- a/services/sesv2/pom.xml +++ b/services/sesv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT sesv2 AWS Java SDK :: Services :: SESv2 diff --git a/services/sfn/pom.xml b/services/sfn/pom.xml index bae71f3e3b48..5fe5d649ac7a 100644 --- a/services/sfn/pom.xml +++ b/services/sfn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT sfn AWS Java SDK :: Services :: AWS Step Functions diff --git a/services/shield/pom.xml b/services/shield/pom.xml index d48f1d75604c..8d19851cf7d6 100644 --- a/services/shield/pom.xml +++ b/services/shield/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT shield AWS Java SDK :: Services :: AWS Shield diff --git a/services/signer/pom.xml b/services/signer/pom.xml index e8b97046c3b4..bb329805f946 100644 --- a/services/signer/pom.xml +++ b/services/signer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT signer AWS Java SDK :: Services :: Signer diff --git a/services/signerdata/pom.xml b/services/signerdata/pom.xml index 3d612411d860..36dc0bf47034 100644 --- a/services/signerdata/pom.xml +++ b/services/signerdata/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT signerdata AWS Java SDK :: Services :: Signer Data diff --git a/services/signin/pom.xml b/services/signin/pom.xml index 97f46d79e67e..95adc69a78b4 100644 --- a/services/signin/pom.xml +++ b/services/signin/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT signin AWS Java SDK :: Services :: Signin diff --git a/services/simpledbv2/pom.xml b/services/simpledbv2/pom.xml index 7bd0f7ed6c79..59b71ce30355 100644 --- a/services/simpledbv2/pom.xml +++ b/services/simpledbv2/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT simpledbv2 AWS Java SDK :: Services :: Simple DB V2 diff --git a/services/simspaceweaver/pom.xml b/services/simspaceweaver/pom.xml index 9c75326a1537..681092a367ff 100644 --- a/services/simspaceweaver/pom.xml +++ b/services/simspaceweaver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT simspaceweaver AWS Java SDK :: Services :: Sim Space Weaver diff --git a/services/snowball/pom.xml b/services/snowball/pom.xml index 67db25b9f474..950a76e7986c 100644 --- a/services/snowball/pom.xml +++ b/services/snowball/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT snowball AWS Java SDK :: Services :: Amazon Snowball diff --git a/services/snowdevicemanagement/pom.xml b/services/snowdevicemanagement/pom.xml index 1b24032de5d4..2e38a7fb19c7 100644 --- a/services/snowdevicemanagement/pom.xml +++ b/services/snowdevicemanagement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT snowdevicemanagement AWS Java SDK :: Services :: Snow Device Management diff --git a/services/sns/pom.xml b/services/sns/pom.xml index f68ef35670a5..f157cadcbc40 100644 --- a/services/sns/pom.xml +++ b/services/sns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT sns AWS Java SDK :: Services :: Amazon SNS diff --git a/services/socialmessaging/pom.xml b/services/socialmessaging/pom.xml index 9a3bd0493e1b..1b162fa5846c 100644 --- a/services/socialmessaging/pom.xml +++ b/services/socialmessaging/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT socialmessaging AWS Java SDK :: Services :: Social Messaging diff --git a/services/sqs/pom.xml b/services/sqs/pom.xml index be3a135bbc75..388f929a560d 100644 --- a/services/sqs/pom.xml +++ b/services/sqs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT sqs AWS Java SDK :: Services :: Amazon SQS diff --git a/services/ssm/pom.xml b/services/ssm/pom.xml index 13cf13d6f504..c28bf0c5dbe8 100644 --- a/services/ssm/pom.xml +++ b/services/ssm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ssm AWS Java SDK :: Services :: AWS Simple Systems Management (SSM) diff --git a/services/ssmcontacts/pom.xml b/services/ssmcontacts/pom.xml index fb440c0c68ab..96fac1ccec03 100644 --- a/services/ssmcontacts/pom.xml +++ b/services/ssmcontacts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ssmcontacts AWS Java SDK :: Services :: SSM Contacts diff --git a/services/ssmguiconnect/pom.xml b/services/ssmguiconnect/pom.xml index 65df6d07e9e3..0431e38bbf4e 100644 --- a/services/ssmguiconnect/pom.xml +++ b/services/ssmguiconnect/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ssmguiconnect AWS Java SDK :: Services :: SSM Gui Connect diff --git a/services/ssmincidents/pom.xml b/services/ssmincidents/pom.xml index d58ed0beb1c3..22770313f2d1 100644 --- a/services/ssmincidents/pom.xml +++ b/services/ssmincidents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ssmincidents AWS Java SDK :: Services :: SSM Incidents diff --git a/services/ssmquicksetup/pom.xml b/services/ssmquicksetup/pom.xml index 8748d5824b8a..e272508e7fba 100644 --- a/services/ssmquicksetup/pom.xml +++ b/services/ssmquicksetup/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ssmquicksetup AWS Java SDK :: Services :: SSM Quick Setup diff --git a/services/ssmsap/pom.xml b/services/ssmsap/pom.xml index 1dc51a7ed983..d7b91b44fe69 100644 --- a/services/ssmsap/pom.xml +++ b/services/ssmsap/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ssmsap AWS Java SDK :: Services :: Ssm Sap diff --git a/services/sso/pom.xml b/services/sso/pom.xml index 461c7989b3fe..6c66493dad8f 100644 --- a/services/sso/pom.xml +++ b/services/sso/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT sso AWS Java SDK :: Services :: SSO diff --git a/services/ssoadmin/pom.xml b/services/ssoadmin/pom.xml index 52eb27f44d63..469d37351942 100644 --- a/services/ssoadmin/pom.xml +++ b/services/ssoadmin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ssoadmin AWS Java SDK :: Services :: SSO Admin diff --git a/services/ssooidc/pom.xml b/services/ssooidc/pom.xml index ee103d4ee99d..7cbe16b3befe 100644 --- a/services/ssooidc/pom.xml +++ b/services/ssooidc/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ssooidc AWS Java SDK :: Services :: SSO OIDC diff --git a/services/storagegateway/pom.xml b/services/storagegateway/pom.xml index 7873997a6290..9c6262b5e554 100644 --- a/services/storagegateway/pom.xml +++ b/services/storagegateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT storagegateway AWS Java SDK :: Services :: AWS Storage Gateway diff --git a/services/sts/pom.xml b/services/sts/pom.xml index e95210d214f1..56e370c6fc40 100644 --- a/services/sts/pom.xml +++ b/services/sts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT sts AWS Java SDK :: Services :: AWS STS diff --git a/services/supplychain/pom.xml b/services/supplychain/pom.xml index a149df97dca5..82fef88a3eec 100644 --- a/services/supplychain/pom.xml +++ b/services/supplychain/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT supplychain AWS Java SDK :: Services :: Supply Chain diff --git a/services/support/pom.xml b/services/support/pom.xml index f00d6814e93e..26f2404a10b9 100644 --- a/services/support/pom.xml +++ b/services/support/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT support AWS Java SDK :: Services :: AWS Support diff --git a/services/supportapp/pom.xml b/services/supportapp/pom.xml index 56d47408f0ab..482f3e9594a1 100644 --- a/services/supportapp/pom.xml +++ b/services/supportapp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT supportapp AWS Java SDK :: Services :: Support App diff --git a/services/sustainability/pom.xml b/services/sustainability/pom.xml index c8a392a3b11c..8de73426aa8c 100644 --- a/services/sustainability/pom.xml +++ b/services/sustainability/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT sustainability AWS Java SDK :: Services :: Sustainability diff --git a/services/swf/pom.xml b/services/swf/pom.xml index 4c2e02b48c15..2b234a3bfae6 100644 --- a/services/swf/pom.xml +++ b/services/swf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT swf AWS Java SDK :: Services :: Amazon SWF diff --git a/services/synthetics/pom.xml b/services/synthetics/pom.xml index 5d3cdfa4307f..ce65701e1109 100644 --- a/services/synthetics/pom.xml +++ b/services/synthetics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT synthetics AWS Java SDK :: Services :: Synthetics diff --git a/services/taxsettings/pom.xml b/services/taxsettings/pom.xml index 31c8089ada50..96ab221bc8f7 100644 --- a/services/taxsettings/pom.xml +++ b/services/taxsettings/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT taxsettings AWS Java SDK :: Services :: Tax Settings diff --git a/services/textract/pom.xml b/services/textract/pom.xml index 108d8d7fbea2..994b8bd4ac2d 100644 --- a/services/textract/pom.xml +++ b/services/textract/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT textract AWS Java SDK :: Services :: Textract diff --git a/services/timestreaminfluxdb/pom.xml b/services/timestreaminfluxdb/pom.xml index ae4944cd0aba..5966952181c2 100644 --- a/services/timestreaminfluxdb/pom.xml +++ b/services/timestreaminfluxdb/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT timestreaminfluxdb AWS Java SDK :: Services :: Timestream Influx DB diff --git a/services/timestreamquery/pom.xml b/services/timestreamquery/pom.xml index cc9c87a996ba..010e3408e756 100644 --- a/services/timestreamquery/pom.xml +++ b/services/timestreamquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT timestreamquery AWS Java SDK :: Services :: Timestream Query diff --git a/services/timestreamwrite/pom.xml b/services/timestreamwrite/pom.xml index cf0f6c19c3eb..c091c619f2b5 100644 --- a/services/timestreamwrite/pom.xml +++ b/services/timestreamwrite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT timestreamwrite AWS Java SDK :: Services :: Timestream Write diff --git a/services/tnb/pom.xml b/services/tnb/pom.xml index cfad204dab5a..5463eb9591dc 100644 --- a/services/tnb/pom.xml +++ b/services/tnb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT tnb AWS Java SDK :: Services :: Tnb diff --git a/services/transcribe/pom.xml b/services/transcribe/pom.xml index 88cb1f6ca5cb..2bdd1d8edbfa 100644 --- a/services/transcribe/pom.xml +++ b/services/transcribe/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT transcribe AWS Java SDK :: Services :: Transcribe diff --git a/services/transcribestreaming/pom.xml b/services/transcribestreaming/pom.xml index dd4e6300f79a..db4f58d231c7 100644 --- a/services/transcribestreaming/pom.xml +++ b/services/transcribestreaming/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT transcribestreaming AWS Java SDK :: Services :: AWS Transcribe Streaming diff --git a/services/transfer/pom.xml b/services/transfer/pom.xml index 4d1df3fddd66..0627a7ede550 100644 --- a/services/transfer/pom.xml +++ b/services/transfer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT transfer AWS Java SDK :: Services :: Transfer diff --git a/services/translate/pom.xml b/services/translate/pom.xml index 59685ee178a3..804eb6eebf2d 100644 --- a/services/translate/pom.xml +++ b/services/translate/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 translate diff --git a/services/trustedadvisor/pom.xml b/services/trustedadvisor/pom.xml index 7f5d12d05fb8..c54d60fc5277 100644 --- a/services/trustedadvisor/pom.xml +++ b/services/trustedadvisor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT trustedadvisor AWS Java SDK :: Services :: Trusted Advisor diff --git a/services/uxc/pom.xml b/services/uxc/pom.xml index d330fc7cb2fd..95d2eb4062c9 100644 --- a/services/uxc/pom.xml +++ b/services/uxc/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT uxc AWS Java SDK :: Services :: Uxc diff --git a/services/verifiedpermissions/pom.xml b/services/verifiedpermissions/pom.xml index 8554e8b5b9a7..7e599e7e1c3e 100644 --- a/services/verifiedpermissions/pom.xml +++ b/services/verifiedpermissions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT verifiedpermissions AWS Java SDK :: Services :: Verified Permissions diff --git a/services/voiceid/pom.xml b/services/voiceid/pom.xml index 53eff220e5ed..8fee7df2e725 100644 --- a/services/voiceid/pom.xml +++ b/services/voiceid/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT voiceid AWS Java SDK :: Services :: Voice ID diff --git a/services/vpclattice/pom.xml b/services/vpclattice/pom.xml index 27c4a1a4b8d9..885708a6122c 100644 --- a/services/vpclattice/pom.xml +++ b/services/vpclattice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT vpclattice AWS Java SDK :: Services :: VPC Lattice diff --git a/services/waf/pom.xml b/services/waf/pom.xml index 02a60f826adf..8d5fe4032355 100644 --- a/services/waf/pom.xml +++ b/services/waf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT waf AWS Java SDK :: Services :: AWS WAF diff --git a/services/wafv2/pom.xml b/services/wafv2/pom.xml index d4398a865911..8023d3830dbc 100644 --- a/services/wafv2/pom.xml +++ b/services/wafv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT wafv2 AWS Java SDK :: Services :: WAFV2 diff --git a/services/wellarchitected/pom.xml b/services/wellarchitected/pom.xml index bf5c29b109b8..6cee3d1efce3 100644 --- a/services/wellarchitected/pom.xml +++ b/services/wellarchitected/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT wellarchitected AWS Java SDK :: Services :: Well Architected diff --git a/services/wickr/pom.xml b/services/wickr/pom.xml index a9fcb527a5a2..b2253a794d0b 100644 --- a/services/wickr/pom.xml +++ b/services/wickr/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT wickr AWS Java SDK :: Services :: Wickr diff --git a/services/wisdom/pom.xml b/services/wisdom/pom.xml index b2b1275cebe5..0f6f5b0715ce 100644 --- a/services/wisdom/pom.xml +++ b/services/wisdom/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT wisdom AWS Java SDK :: Services :: Wisdom diff --git a/services/workdocs/pom.xml b/services/workdocs/pom.xml index 3489aa639af5..20a67fa2bfa1 100644 --- a/services/workdocs/pom.xml +++ b/services/workdocs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT workdocs AWS Java SDK :: Services :: Amazon WorkDocs diff --git a/services/workmail/pom.xml b/services/workmail/pom.xml index 44f42a62f2a9..0f331a3e5945 100644 --- a/services/workmail/pom.xml +++ b/services/workmail/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 workmail diff --git a/services/workmailmessageflow/pom.xml b/services/workmailmessageflow/pom.xml index bcaf3e5cc3e2..87fe1cb38d68 100644 --- a/services/workmailmessageflow/pom.xml +++ b/services/workmailmessageflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT workmailmessageflow AWS Java SDK :: Services :: WorkMailMessageFlow diff --git a/services/workspaces/pom.xml b/services/workspaces/pom.xml index 443f359cfbb2..432d438bc4b5 100644 --- a/services/workspaces/pom.xml +++ b/services/workspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT workspaces AWS Java SDK :: Services :: Amazon WorkSpaces diff --git a/services/workspacesinstances/pom.xml b/services/workspacesinstances/pom.xml index 2daa78f1a8fd..6424dceef18c 100644 --- a/services/workspacesinstances/pom.xml +++ b/services/workspacesinstances/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT workspacesinstances AWS Java SDK :: Services :: Workspaces Instances diff --git a/services/workspacesthinclient/pom.xml b/services/workspacesthinclient/pom.xml index 38745f9599c6..49cf1f9e4aaa 100644 --- a/services/workspacesthinclient/pom.xml +++ b/services/workspacesthinclient/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT workspacesthinclient AWS Java SDK :: Services :: Work Spaces Thin Client diff --git a/services/workspacesweb/pom.xml b/services/workspacesweb/pom.xml index 6224cf79cb20..78f30e9bc81c 100644 --- a/services/workspacesweb/pom.xml +++ b/services/workspacesweb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT workspacesweb AWS Java SDK :: Services :: Work Spaces Web diff --git a/services/xray/pom.xml b/services/xray/pom.xml index 7e410678a541..6f45900e82ba 100644 --- a/services/xray/pom.xml +++ b/services/xray/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT xray AWS Java SDK :: Services :: AWS X-Ray diff --git a/test/architecture-tests/pom.xml b/test/architecture-tests/pom.xml index 72fea91ca557..cec8bf47d122 100644 --- a/test/architecture-tests/pom.xml +++ b/test/architecture-tests/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ../../pom.xml diff --git a/test/auth-tests/pom.xml b/test/auth-tests/pom.xml index d4ce862ad1d6..21c4e71e5509 100644 --- a/test/auth-tests/pom.xml +++ b/test/auth-tests/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/bundle-logging-bridge-binding-test/pom.xml b/test/bundle-logging-bridge-binding-test/pom.xml index 13b4d5481ccb..2a53f81cf017 100644 --- a/test/bundle-logging-bridge-binding-test/pom.xml +++ b/test/bundle-logging-bridge-binding-test/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/bundle-shading-tests/pom.xml b/test/bundle-shading-tests/pom.xml index ec9c19013505..867fa633040c 100644 --- a/test/bundle-shading-tests/pom.xml +++ b/test/bundle-shading-tests/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/codegen-generated-classes-test/pom.xml b/test/codegen-generated-classes-test/pom.xml index 250ffa308b02..777258378381 100644 --- a/test/codegen-generated-classes-test/pom.xml +++ b/test/codegen-generated-classes-test/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ../../pom.xml diff --git a/test/crt-unavailable-tests/pom.xml b/test/crt-unavailable-tests/pom.xml index e726ad67cbde..f6b18136119f 100644 --- a/test/crt-unavailable-tests/pom.xml +++ b/test/crt-unavailable-tests/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/http-client-benchmarks/pom.xml b/test/http-client-benchmarks/pom.xml index 963aea76980c..453c413abe1b 100644 --- a/test/http-client-benchmarks/pom.xml +++ b/test/http-client-benchmarks/pom.xml @@ -19,7 +19,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ../../pom.xml diff --git a/test/http-client-tests/pom.xml b/test/http-client-tests/pom.xml index 4583effb82c9..14c6e4fdcaa6 100644 --- a/test/http-client-tests/pom.xml +++ b/test/http-client-tests/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ../../pom.xml http-client-tests diff --git a/test/module-path-tests/pom.xml b/test/module-path-tests/pom.xml index 857f7cc09003..ad84b1f2108e 100644 --- a/test/module-path-tests/pom.xml +++ b/test/module-path-tests/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/old-client-version-compatibility-test/pom.xml b/test/old-client-version-compatibility-test/pom.xml index ec549f756803..8c5fa82e3549 100644 --- a/test/old-client-version-compatibility-test/pom.xml +++ b/test/old-client-version-compatibility-test/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ../../pom.xml diff --git a/test/protocol-tests-core/pom.xml b/test/protocol-tests-core/pom.xml index 88f924204a63..a347ae020d88 100644 --- a/test/protocol-tests-core/pom.xml +++ b/test/protocol-tests-core/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/protocol-tests/pom.xml b/test/protocol-tests/pom.xml index 9b7df0ad4459..229d953ae929 100644 --- a/test/protocol-tests/pom.xml +++ b/test/protocol-tests/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/region-testing/pom.xml b/test/region-testing/pom.xml index c6eb8bf1b251..e78a0445415f 100644 --- a/test/region-testing/pom.xml +++ b/test/region-testing/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/ruleset-testing-core/pom.xml b/test/ruleset-testing-core/pom.xml index 5c05d2a5c83e..3990003d16cc 100644 --- a/test/ruleset-testing-core/pom.xml +++ b/test/ruleset-testing-core/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/s3-benchmarks/pom.xml b/test/s3-benchmarks/pom.xml index 4363bf611ecd..cf63339314df 100644 --- a/test/s3-benchmarks/pom.xml +++ b/test/s3-benchmarks/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/s3-tests/pom.xml b/test/s3-tests/pom.xml index 47828858aec3..308535226575 100644 --- a/test/s3-tests/pom.xml +++ b/test/s3-tests/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/sdk-benchmarks/pom.xml b/test/sdk-benchmarks/pom.xml index b4f30f4fa0b1..c5c01adf555d 100644 --- a/test/sdk-benchmarks/pom.xml +++ b/test/sdk-benchmarks/pom.xml @@ -19,7 +19,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ../../pom.xml diff --git a/test/sdk-native-image-test/pom.xml b/test/sdk-native-image-test/pom.xml index cc759cfca884..c96c048f357e 100644 --- a/test/sdk-native-image-test/pom.xml +++ b/test/sdk-native-image-test/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/service-test-utils/pom.xml b/test/service-test-utils/pom.xml index 4aec549453df..094355bb6507 100644 --- a/test/service-test-utils/pom.xml +++ b/test/service-test-utils/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ../../pom.xml service-test-utils diff --git a/test/stability-tests/pom.xml b/test/stability-tests/pom.xml index 877927e6d0c2..00eeb7bf412c 100644 --- a/test/stability-tests/pom.xml +++ b/test/stability-tests/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/test-utils/pom.xml b/test/test-utils/pom.xml index b05685908ce9..8c26ce7e5e3b 100644 --- a/test/test-utils/pom.xml +++ b/test/test-utils/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ../../pom.xml test-utils diff --git a/test/tests-coverage-reporting/pom.xml b/test/tests-coverage-reporting/pom.xml index 8daa0c7bc078..46bb325ae2dd 100644 --- a/test/tests-coverage-reporting/pom.xml +++ b/test/tests-coverage-reporting/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/v2-migration-tests/pom.xml b/test/v2-migration-tests/pom.xml index 2f4389d3148a..033d357bcb1c 100644 --- a/test/v2-migration-tests/pom.xml +++ b/test/v2-migration-tests/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ../.. diff --git a/third-party/pom.xml b/third-party/pom.xml index 7d746d1b51ed..776d76550d70 100644 --- a/third-party/pom.xml +++ b/third-party/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT third-party diff --git a/third-party/third-party-jackson-core/pom.xml b/third-party/third-party-jackson-core/pom.xml index 734f675ea43a..ebe812ac2858 100644 --- a/third-party/third-party-jackson-core/pom.xml +++ b/third-party/third-party-jackson-core/pom.xml @@ -20,7 +20,7 @@ third-party software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 diff --git a/third-party/third-party-jackson-dataformat-cbor/pom.xml b/third-party/third-party-jackson-dataformat-cbor/pom.xml index 5789b38d56aa..d825d9f3bd17 100644 --- a/third-party/third-party-jackson-dataformat-cbor/pom.xml +++ b/third-party/third-party-jackson-dataformat-cbor/pom.xml @@ -20,7 +20,7 @@ third-party software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 diff --git a/third-party/third-party-slf4j-api/pom.xml b/third-party/third-party-slf4j-api/pom.xml index e7730c8fc6c5..ae4cc4d17680 100644 --- a/third-party/third-party-slf4j-api/pom.xml +++ b/third-party/third-party-slf4j-api/pom.xml @@ -20,7 +20,7 @@ third-party software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 diff --git a/utils-lite/pom.xml b/utils-lite/pom.xml index d19eebf04ce9..7020357d0286 100644 --- a/utils-lite/pom.xml +++ b/utils-lite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT utils-lite AWS Java SDK :: Utils Lite diff --git a/utils/pom.xml b/utils/pom.xml index e74389b326e0..b9741aeebcd4 100644 --- a/utils/pom.xml +++ b/utils/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT 4.0.0 diff --git a/v2-migration/pom.xml b/v2-migration/pom.xml index 7727b585b875..8e03de7669e1 100644 --- a/v2-migration/pom.xml +++ b/v2-migration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.42.36-SNAPSHOT + 2.43.0-SNAPSHOT ../pom.xml From dfa4c34f0378eef8ef57ea7077cec4f5e2d85e02 Mon Sep 17 00:00:00 2001 From: Alex Woods Date: Thu, 16 Apr 2026 14:21:58 -0700 Subject: [PATCH 6/7] Fix Expect100ContinueHeaderTest --- .../Expect100ContinueHeaderTest.java | 17 +++++++++++++++-- 1 file changed, 15 insertions(+), 2 deletions(-) diff --git a/services/s3/src/test/java/software/amazon/awssdk/services/s3/functionaltests/Expect100ContinueHeaderTest.java b/services/s3/src/test/java/software/amazon/awssdk/services/s3/functionaltests/Expect100ContinueHeaderTest.java index f84027b57dd2..e8f46caab9fb 100644 --- a/services/s3/src/test/java/software/amazon/awssdk/services/s3/functionaltests/Expect100ContinueHeaderTest.java +++ b/services/s3/src/test/java/software/amazon/awssdk/services/s3/functionaltests/Expect100ContinueHeaderTest.java @@ -96,6 +96,9 @@ void setup(WireMockRuntimeInfo wmRuntimeInfo) { .requestChecksumCalculation(RequestChecksumCalculation.WHEN_REQUIRED) .responseChecksumValidation(ResponseChecksumValidation.WHEN_REQUIRED) .forcePathStyle(true) + .serviceConfiguration(S3Configuration.builder() + .expectContinueThresholdInBytes(0L) + .build()) .credentialsProvider(staticCredentials()) .build(); @@ -106,6 +109,9 @@ void setup(WireMockRuntimeInfo wmRuntimeInfo) { .requestChecksumCalculation(RequestChecksumCalculation.WHEN_REQUIRED) .responseChecksumValidation(ResponseChecksumValidation.WHEN_REQUIRED) .forcePathStyle(true) + .serviceConfiguration(S3Configuration.builder() + .expectContinueThresholdInBytes(0L) + .build()) .credentialsProvider(staticCredentials()) .build(); } @@ -290,6 +296,7 @@ private static Stream expectContinueConfigProvider() { .build(); S3Configuration enabledConfig = S3Configuration.builder() .expectContinueEnabled(true) + .expectContinueThresholdInBytes(0L) .build(); return Stream.of( @@ -381,7 +388,10 @@ private S3Client buildSyncClient(String clientType, WireMockRuntimeInfo wmInfo, .requestChecksumCalculation(RequestChecksumCalculation.WHEN_REQUIRED) .responseChecksumValidation(ResponseChecksumValidation.WHEN_REQUIRED) .forcePathStyle(true) - .serviceConfiguration(config != null ? config : S3Configuration.builder().build()) + .serviceConfiguration(config != null ? config + : S3Configuration.builder() + .expectContinueThresholdInBytes(0L) + .build()) .credentialsProvider(staticCredentials()) .build(); } @@ -406,7 +416,10 @@ private S3AsyncClient buildAsyncClient(String clientType, WireMockRuntimeInfo wm .requestChecksumCalculation(RequestChecksumCalculation.WHEN_REQUIRED) .responseChecksumValidation(ResponseChecksumValidation.WHEN_REQUIRED) .forcePathStyle(true) - .serviceConfiguration(config != null ? config : S3Configuration.builder().build()) + .serviceConfiguration(config != null ? config + : S3Configuration.builder() + .expectContinueThresholdInBytes(0L) + .build()) .credentialsProvider(staticCredentials()) .build(); } From 6fca4135e3539872ab30a4ac585b78e44734bfdc Mon Sep 17 00:00:00 2001 From: Alex Woods Date: Thu, 16 Apr 2026 14:22:15 -0700 Subject: [PATCH 7/7] Revert "Bump minor version" This reverts commit 037d3fd2c681c8b151fc14a16e69a7fde625a9eb. --- .changes/{2.42.x => }/2.42.0.json | 0 .changes/{2.42.x => }/2.42.1.json | 0 .changes/{2.42.x => }/2.42.10.json | 0 .changes/{2.42.x => }/2.42.11.json | 0 .changes/{2.42.x => }/2.42.12.json | 0 .changes/{2.42.x => }/2.42.13.json | 0 .changes/{2.42.x => }/2.42.14.json | 0 .changes/{2.42.x => }/2.42.15.json | 0 .changes/{2.42.x => }/2.42.16.json | 0 .changes/{2.42.x => }/2.42.17.json | 0 .changes/{2.42.x => }/2.42.18.json | 0 .changes/{2.42.x => }/2.42.19.json | 0 .changes/{2.42.x => }/2.42.2.json | 0 .changes/{2.42.x => }/2.42.20.json | 0 .changes/{2.42.x => }/2.42.21.json | 0 .changes/{2.42.x => }/2.42.22.json | 0 .changes/{2.42.x => }/2.42.23.json | 0 .changes/{2.42.x => }/2.42.24.json | 0 .changes/{2.42.x => }/2.42.25.json | 0 .changes/{2.42.x => }/2.42.26.json | 0 .changes/{2.42.x => }/2.42.27.json | 0 .changes/{2.42.x => }/2.42.28.json | 0 .changes/{2.42.x => }/2.42.29.json | 0 .changes/{2.42.x => }/2.42.3.json | 0 .changes/{2.42.x => }/2.42.30.json | 0 .changes/{2.42.x => }/2.42.31.json | 0 .changes/{2.42.x => }/2.42.32.json | 0 .changes/{2.42.x => }/2.42.33.json | 0 .changes/{2.42.x => }/2.42.34.json | 0 .changes/{2.42.x => }/2.42.35.json | 0 .changes/{2.42.x => }/2.42.4.json | 0 .changes/{2.42.x => }/2.42.5.json | 0 .changes/{2.42.x => }/2.42.6.json | 0 .changes/{2.42.x => }/2.42.7.json | 0 .changes/{2.42.x => }/2.42.8.json | 0 .changes/{2.42.x => }/2.42.9.json | 0 CHANGELOG.md | 1344 ++++++++++++++++ archetypes/archetype-app-quickstart/pom.xml | 2 +- archetypes/archetype-lambda/pom.xml | 2 +- archetypes/archetype-tools/pom.xml | 2 +- archetypes/pom.xml | 2 +- aws-sdk-java/pom.xml | 2 +- bom-internal/pom.xml | 2 +- bom/pom.xml | 2 +- bundle-logging-bridge/pom.xml | 2 +- bundle-sdk/pom.xml | 2 +- bundle/pom.xml | 2 +- changelogs/2.42.x-CHANGELOG.md | 1345 ----------------- codegen-lite-maven-plugin/pom.xml | 2 +- codegen-lite/pom.xml | 2 +- codegen-maven-plugin/pom.xml | 2 +- codegen/pom.xml | 2 +- core/annotations/pom.xml | 2 +- core/arns/pom.xml | 2 +- core/auth-crt/pom.xml | 2 +- core/auth/pom.xml | 2 +- core/aws-core/pom.xml | 2 +- core/checksums-spi/pom.xml | 2 +- core/checksums/pom.xml | 2 +- core/crt-core/pom.xml | 2 +- core/endpoints-spi/pom.xml | 2 +- core/http-auth-aws-crt/pom.xml | 2 +- core/http-auth-aws-eventstream/pom.xml | 2 +- core/http-auth-aws/pom.xml | 2 +- core/http-auth-spi/pom.xml | 2 +- core/http-auth/pom.xml | 2 +- core/identity-spi/pom.xml | 2 +- core/imds/pom.xml | 2 +- core/json-utils/pom.xml | 2 +- core/metrics-spi/pom.xml | 2 +- core/pom.xml | 2 +- core/profiles/pom.xml | 2 +- core/protocols/aws-cbor-protocol/pom.xml | 2 +- core/protocols/aws-json-protocol/pom.xml | 2 +- core/protocols/aws-query-protocol/pom.xml | 2 +- core/protocols/aws-xml-protocol/pom.xml | 2 +- core/protocols/pom.xml | 2 +- core/protocols/protocol-core/pom.xml | 2 +- core/protocols/smithy-rpcv2-protocol/pom.xml | 2 +- core/regions/pom.xml | 2 +- core/retries-spi/pom.xml | 2 +- core/retries/pom.xml | 2 +- core/sdk-core/pom.xml | 2 +- http-client-spi/pom.xml | 2 +- http-clients/apache-client/pom.xml | 2 +- http-clients/apache5-client/pom.xml | 2 +- http-clients/aws-crt-client/pom.xml | 2 +- http-clients/netty-nio-client/pom.xml | 2 +- http-clients/pom.xml | 2 +- http-clients/url-connection-client/pom.xml | 2 +- .../cloudwatch-metric-publisher/pom.xml | 2 +- .../emf-metric-logging-publisher/pom.xml | 2 +- metric-publishers/pom.xml | 2 +- pom.xml | 2 +- release-scripts/pom.xml | 2 +- services-custom/dynamodb-enhanced/pom.xml | 2 +- services-custom/iam-policy-builder/pom.xml | 2 +- services-custom/pom.xml | 2 +- .../s3-event-notifications/pom.xml | 2 +- services-custom/s3-transfer-manager/pom.xml | 2 +- services-custom/sns-message-manager/pom.xml | 2 +- services/accessanalyzer/pom.xml | 2 +- services/account/pom.xml | 2 +- services/acm/pom.xml | 2 +- services/acmpca/pom.xml | 2 +- services/aiops/pom.xml | 2 +- services/amp/pom.xml | 2 +- services/amplify/pom.xml | 2 +- services/amplifybackend/pom.xml | 2 +- services/amplifyuibuilder/pom.xml | 2 +- services/apigateway/pom.xml | 2 +- services/apigatewaymanagementapi/pom.xml | 2 +- services/apigatewayv2/pom.xml | 2 +- services/appconfig/pom.xml | 2 +- services/appconfigdata/pom.xml | 2 +- services/appfabric/pom.xml | 2 +- services/appflow/pom.xml | 2 +- services/appintegrations/pom.xml | 2 +- services/applicationautoscaling/pom.xml | 2 +- services/applicationcostprofiler/pom.xml | 2 +- services/applicationdiscovery/pom.xml | 2 +- services/applicationinsights/pom.xml | 2 +- services/applicationsignals/pom.xml | 2 +- services/appmesh/pom.xml | 2 +- services/apprunner/pom.xml | 2 +- services/appstream/pom.xml | 2 +- services/appsync/pom.xml | 2 +- services/arcregionswitch/pom.xml | 2 +- services/arczonalshift/pom.xml | 2 +- services/artifact/pom.xml | 2 +- services/athena/pom.xml | 2 +- services/auditmanager/pom.xml | 2 +- services/autoscaling/pom.xml | 2 +- services/autoscalingplans/pom.xml | 2 +- services/b2bi/pom.xml | 2 +- services/backup/pom.xml | 2 +- services/backupgateway/pom.xml | 2 +- services/backupsearch/pom.xml | 2 +- services/batch/pom.xml | 2 +- services/bcmdashboards/pom.xml | 2 +- services/bcmdataexports/pom.xml | 2 +- services/bcmpricingcalculator/pom.xml | 2 +- services/bcmrecommendedactions/pom.xml | 2 +- services/bedrock/pom.xml | 2 +- services/bedrockagent/pom.xml | 2 +- services/bedrockagentcore/pom.xml | 2 +- services/bedrockagentcorecontrol/pom.xml | 2 +- services/bedrockagentruntime/pom.xml | 2 +- services/bedrockdataautomation/pom.xml | 2 +- services/bedrockdataautomationruntime/pom.xml | 2 +- services/bedrockruntime/pom.xml | 2 +- services/billing/pom.xml | 2 +- services/billingconductor/pom.xml | 2 +- services/braket/pom.xml | 2 +- services/budgets/pom.xml | 2 +- services/chatbot/pom.xml | 2 +- services/chime/pom.xml | 2 +- services/chimesdkidentity/pom.xml | 2 +- services/chimesdkmediapipelines/pom.xml | 2 +- services/chimesdkmeetings/pom.xml | 2 +- services/chimesdkmessaging/pom.xml | 2 +- services/chimesdkvoice/pom.xml | 2 +- services/cleanrooms/pom.xml | 2 +- services/cleanroomsml/pom.xml | 2 +- services/cloud9/pom.xml | 2 +- services/cloudcontrol/pom.xml | 2 +- services/clouddirectory/pom.xml | 2 +- services/cloudformation/pom.xml | 2 +- services/cloudfront/pom.xml | 2 +- services/cloudfrontkeyvaluestore/pom.xml | 2 +- services/cloudhsm/pom.xml | 2 +- services/cloudhsmv2/pom.xml | 2 +- services/cloudsearch/pom.xml | 2 +- services/cloudsearchdomain/pom.xml | 2 +- services/cloudtrail/pom.xml | 2 +- services/cloudtraildata/pom.xml | 2 +- services/cloudwatch/pom.xml | 2 +- services/cloudwatchevents/pom.xml | 2 +- services/cloudwatchlogs/pom.xml | 2 +- services/codeartifact/pom.xml | 2 +- services/codebuild/pom.xml | 2 +- services/codecatalyst/pom.xml | 2 +- services/codecommit/pom.xml | 2 +- services/codeconnections/pom.xml | 2 +- services/codedeploy/pom.xml | 2 +- services/codeguruprofiler/pom.xml | 2 +- services/codegurureviewer/pom.xml | 2 +- services/codegurusecurity/pom.xml | 2 +- services/codepipeline/pom.xml | 2 +- services/codestarconnections/pom.xml | 2 +- services/codestarnotifications/pom.xml | 2 +- services/cognitoidentity/pom.xml | 2 +- services/cognitoidentityprovider/pom.xml | 2 +- services/cognitosync/pom.xml | 2 +- services/comprehend/pom.xml | 2 +- services/comprehendmedical/pom.xml | 2 +- services/computeoptimizer/pom.xml | 2 +- services/computeoptimizerautomation/pom.xml | 2 +- services/config/pom.xml | 2 +- services/connect/pom.xml | 2 +- services/connectcampaigns/pom.xml | 2 +- services/connectcampaignsv2/pom.xml | 2 +- services/connectcases/pom.xml | 2 +- services/connectcontactlens/pom.xml | 2 +- services/connecthealth/pom.xml | 2 +- services/connectparticipant/pom.xml | 2 +- services/controlcatalog/pom.xml | 2 +- services/controltower/pom.xml | 2 +- services/costandusagereport/pom.xml | 2 +- services/costexplorer/pom.xml | 2 +- services/costoptimizationhub/pom.xml | 2 +- services/customerprofiles/pom.xml | 2 +- services/databasemigration/pom.xml | 2 +- services/databrew/pom.xml | 2 +- services/dataexchange/pom.xml | 2 +- services/datapipeline/pom.xml | 2 +- services/datasync/pom.xml | 2 +- services/datazone/pom.xml | 2 +- services/dax/pom.xml | 2 +- services/deadline/pom.xml | 2 +- services/detective/pom.xml | 2 +- services/devicefarm/pom.xml | 2 +- services/devopsagent/pom.xml | 2 +- services/devopsguru/pom.xml | 2 +- services/directconnect/pom.xml | 2 +- services/directory/pom.xml | 2 +- services/directoryservicedata/pom.xml | 2 +- services/dlm/pom.xml | 2 +- services/docdb/pom.xml | 2 +- services/docdbelastic/pom.xml | 2 +- services/drs/pom.xml | 2 +- services/dsql/pom.xml | 2 +- services/dynamodb/pom.xml | 2 +- services/ebs/pom.xml | 2 +- services/ec2/pom.xml | 2 +- services/ec2instanceconnect/pom.xml | 2 +- services/ecr/pom.xml | 2 +- services/ecrpublic/pom.xml | 2 +- services/ecs/pom.xml | 2 +- services/efs/pom.xml | 2 +- services/eks/pom.xml | 2 +- services/eksauth/pom.xml | 2 +- services/elasticache/pom.xml | 2 +- services/elasticbeanstalk/pom.xml | 2 +- services/elasticloadbalancing/pom.xml | 2 +- services/elasticloadbalancingv2/pom.xml | 2 +- services/elasticsearch/pom.xml | 2 +- services/elementalinference/pom.xml | 2 +- services/emr/pom.xml | 2 +- services/emrcontainers/pom.xml | 2 +- services/emrserverless/pom.xml | 2 +- services/entityresolution/pom.xml | 2 +- services/eventbridge/pom.xml | 2 +- services/evs/pom.xml | 2 +- services/finspace/pom.xml | 2 +- services/finspacedata/pom.xml | 2 +- services/firehose/pom.xml | 2 +- services/fis/pom.xml | 2 +- services/fms/pom.xml | 2 +- services/forecast/pom.xml | 2 +- services/forecastquery/pom.xml | 2 +- services/frauddetector/pom.xml | 2 +- services/freetier/pom.xml | 2 +- services/fsx/pom.xml | 2 +- services/gamelift/pom.xml | 2 +- services/gameliftstreams/pom.xml | 2 +- services/geomaps/pom.xml | 2 +- services/geoplaces/pom.xml | 2 +- services/georoutes/pom.xml | 2 +- services/glacier/pom.xml | 2 +- services/globalaccelerator/pom.xml | 2 +- services/glue/pom.xml | 2 +- services/grafana/pom.xml | 2 +- services/greengrass/pom.xml | 2 +- services/greengrassv2/pom.xml | 2 +- services/groundstation/pom.xml | 2 +- services/guardduty/pom.xml | 2 +- services/health/pom.xml | 2 +- services/healthlake/pom.xml | 2 +- services/iam/pom.xml | 2 +- services/identitystore/pom.xml | 2 +- services/imagebuilder/pom.xml | 2 +- services/inspector/pom.xml | 2 +- services/inspector2/pom.xml | 2 +- services/inspectorscan/pom.xml | 2 +- services/interconnect/pom.xml | 2 +- services/internetmonitor/pom.xml | 2 +- services/invoicing/pom.xml | 2 +- services/iot/pom.xml | 2 +- services/iotdataplane/pom.xml | 2 +- services/iotdeviceadvisor/pom.xml | 2 +- services/iotevents/pom.xml | 2 +- services/ioteventsdata/pom.xml | 2 +- services/iotfleetwise/pom.xml | 2 +- services/iotjobsdataplane/pom.xml | 2 +- services/iotmanagedintegrations/pom.xml | 2 +- services/iotsecuretunneling/pom.xml | 2 +- services/iotsitewise/pom.xml | 2 +- services/iotthingsgraph/pom.xml | 2 +- services/iottwinmaker/pom.xml | 2 +- services/iotwireless/pom.xml | 2 +- services/ivs/pom.xml | 2 +- services/ivschat/pom.xml | 2 +- services/ivsrealtime/pom.xml | 2 +- services/kafka/pom.xml | 2 +- services/kafkaconnect/pom.xml | 2 +- services/kendra/pom.xml | 2 +- services/kendraranking/pom.xml | 2 +- services/keyspaces/pom.xml | 2 +- services/keyspacesstreams/pom.xml | 2 +- services/kinesis/pom.xml | 2 +- services/kinesisanalytics/pom.xml | 2 +- services/kinesisanalyticsv2/pom.xml | 2 +- services/kinesisvideo/pom.xml | 2 +- services/kinesisvideoarchivedmedia/pom.xml | 2 +- services/kinesisvideomedia/pom.xml | 2 +- services/kinesisvideosignaling/pom.xml | 2 +- services/kinesisvideowebrtcstorage/pom.xml | 2 +- services/kms/pom.xml | 2 +- services/lakeformation/pom.xml | 2 +- services/lambda/pom.xml | 2 +- services/launchwizard/pom.xml | 2 +- services/lexmodelbuilding/pom.xml | 2 +- services/lexmodelsv2/pom.xml | 2 +- services/lexruntime/pom.xml | 2 +- services/lexruntimev2/pom.xml | 2 +- services/licensemanager/pom.xml | 2 +- .../licensemanagerlinuxsubscriptions/pom.xml | 2 +- .../licensemanagerusersubscriptions/pom.xml | 2 +- services/lightsail/pom.xml | 2 +- services/location/pom.xml | 2 +- services/lookoutequipment/pom.xml | 2 +- services/m2/pom.xml | 2 +- services/machinelearning/pom.xml | 2 +- services/macie2/pom.xml | 2 +- services/mailmanager/pom.xml | 2 +- services/managedblockchain/pom.xml | 2 +- services/managedblockchainquery/pom.xml | 2 +- services/marketplaceagreement/pom.xml | 2 +- services/marketplacecatalog/pom.xml | 2 +- services/marketplacecommerceanalytics/pom.xml | 2 +- services/marketplacedeployment/pom.xml | 2 +- services/marketplacediscovery/pom.xml | 2 +- services/marketplaceentitlement/pom.xml | 2 +- services/marketplacemetering/pom.xml | 2 +- services/marketplacereporting/pom.xml | 2 +- services/mediaconnect/pom.xml | 2 +- services/mediaconvert/pom.xml | 2 +- services/medialive/pom.xml | 2 +- services/mediapackage/pom.xml | 2 +- services/mediapackagev2/pom.xml | 2 +- services/mediapackagevod/pom.xml | 2 +- services/mediastore/pom.xml | 2 +- services/mediastoredata/pom.xml | 2 +- services/mediatailor/pom.xml | 2 +- services/medicalimaging/pom.xml | 2 +- services/memorydb/pom.xml | 2 +- services/mgn/pom.xml | 2 +- services/migrationhub/pom.xml | 2 +- services/migrationhubconfig/pom.xml | 2 +- services/migrationhuborchestrator/pom.xml | 2 +- services/migrationhubrefactorspaces/pom.xml | 2 +- services/migrationhubstrategy/pom.xml | 2 +- services/mpa/pom.xml | 2 +- services/mq/pom.xml | 2 +- services/mturk/pom.xml | 2 +- services/mwaa/pom.xml | 2 +- services/mwaaserverless/pom.xml | 2 +- services/neptune/pom.xml | 2 +- services/neptunedata/pom.xml | 2 +- services/neptunegraph/pom.xml | 2 +- services/networkfirewall/pom.xml | 2 +- services/networkflowmonitor/pom.xml | 2 +- services/networkmanager/pom.xml | 2 +- services/networkmonitor/pom.xml | 2 +- services/notifications/pom.xml | 2 +- services/notificationscontacts/pom.xml | 2 +- services/novaact/pom.xml | 2 +- services/oam/pom.xml | 2 +- services/observabilityadmin/pom.xml | 2 +- services/odb/pom.xml | 2 +- services/omics/pom.xml | 2 +- services/opensearch/pom.xml | 2 +- services/opensearchserverless/pom.xml | 2 +- services/organizations/pom.xml | 2 +- services/osis/pom.xml | 2 +- services/outposts/pom.xml | 2 +- services/panorama/pom.xml | 2 +- services/partnercentralaccount/pom.xml | 2 +- services/partnercentralbenefits/pom.xml | 2 +- services/partnercentralchannel/pom.xml | 2 +- services/partnercentralselling/pom.xml | 2 +- services/paymentcryptography/pom.xml | 2 +- services/paymentcryptographydata/pom.xml | 2 +- services/pcaconnectorad/pom.xml | 2 +- services/pcaconnectorscep/pom.xml | 2 +- services/pcs/pom.xml | 2 +- services/personalize/pom.xml | 2 +- services/personalizeevents/pom.xml | 2 +- services/personalizeruntime/pom.xml | 2 +- services/pi/pom.xml | 2 +- services/pinpoint/pom.xml | 2 +- services/pinpointemail/pom.xml | 2 +- services/pinpointsmsvoice/pom.xml | 2 +- services/pinpointsmsvoicev2/pom.xml | 2 +- services/pipes/pom.xml | 2 +- services/polly/pom.xml | 2 +- services/pom.xml | 2 +- services/pricing/pom.xml | 2 +- services/proton/pom.xml | 2 +- services/qapps/pom.xml | 2 +- services/qbusiness/pom.xml | 2 +- services/qconnect/pom.xml | 2 +- services/quicksight/pom.xml | 2 +- services/ram/pom.xml | 2 +- services/rbin/pom.xml | 2 +- services/rds/pom.xml | 2 +- services/rdsdata/pom.xml | 2 +- services/redshift/pom.xml | 2 +- services/redshiftdata/pom.xml | 2 +- services/redshiftserverless/pom.xml | 2 +- services/rekognition/pom.xml | 2 +- services/repostspace/pom.xml | 2 +- services/resiliencehub/pom.xml | 2 +- services/resourceexplorer2/pom.xml | 2 +- services/resourcegroups/pom.xml | 2 +- services/resourcegroupstaggingapi/pom.xml | 2 +- services/rolesanywhere/pom.xml | 2 +- services/route53/pom.xml | 2 +- services/route53domains/pom.xml | 2 +- services/route53globalresolver/pom.xml | 2 +- services/route53profiles/pom.xml | 2 +- services/route53recoverycluster/pom.xml | 2 +- services/route53recoverycontrolconfig/pom.xml | 2 +- services/route53recoveryreadiness/pom.xml | 2 +- services/route53resolver/pom.xml | 2 +- services/rtbfabric/pom.xml | 2 +- services/rum/pom.xml | 2 +- services/s3/pom.xml | 2 +- services/s3control/pom.xml | 2 +- services/s3files/pom.xml | 2 +- services/s3outposts/pom.xml | 2 +- services/s3tables/pom.xml | 2 +- services/s3vectors/pom.xml | 2 +- services/sagemaker/pom.xml | 2 +- services/sagemakera2iruntime/pom.xml | 2 +- services/sagemakeredge/pom.xml | 2 +- services/sagemakerfeaturestoreruntime/pom.xml | 2 +- services/sagemakergeospatial/pom.xml | 2 +- services/sagemakermetrics/pom.xml | 2 +- services/sagemakerruntime/pom.xml | 2 +- services/sagemakerruntimehttp2/pom.xml | 2 +- services/savingsplans/pom.xml | 2 +- services/scheduler/pom.xml | 2 +- services/schemas/pom.xml | 2 +- services/secretsmanager/pom.xml | 2 +- services/securityagent/pom.xml | 2 +- services/securityhub/pom.xml | 2 +- services/securityir/pom.xml | 2 +- services/securitylake/pom.xml | 2 +- .../serverlessapplicationrepository/pom.xml | 2 +- services/servicecatalog/pom.xml | 2 +- services/servicecatalogappregistry/pom.xml | 2 +- services/servicediscovery/pom.xml | 2 +- services/servicequotas/pom.xml | 2 +- services/ses/pom.xml | 2 +- services/sesv2/pom.xml | 2 +- services/sfn/pom.xml | 2 +- services/shield/pom.xml | 2 +- services/signer/pom.xml | 2 +- services/signerdata/pom.xml | 2 +- services/signin/pom.xml | 2 +- services/simpledbv2/pom.xml | 2 +- services/simspaceweaver/pom.xml | 2 +- services/snowball/pom.xml | 2 +- services/snowdevicemanagement/pom.xml | 2 +- services/sns/pom.xml | 2 +- services/socialmessaging/pom.xml | 2 +- services/sqs/pom.xml | 2 +- services/ssm/pom.xml | 2 +- services/ssmcontacts/pom.xml | 2 +- services/ssmguiconnect/pom.xml | 2 +- services/ssmincidents/pom.xml | 2 +- services/ssmquicksetup/pom.xml | 2 +- services/ssmsap/pom.xml | 2 +- services/sso/pom.xml | 2 +- services/ssoadmin/pom.xml | 2 +- services/ssooidc/pom.xml | 2 +- services/storagegateway/pom.xml | 2 +- services/sts/pom.xml | 2 +- services/supplychain/pom.xml | 2 +- services/support/pom.xml | 2 +- services/supportapp/pom.xml | 2 +- services/sustainability/pom.xml | 2 +- services/swf/pom.xml | 2 +- services/synthetics/pom.xml | 2 +- services/taxsettings/pom.xml | 2 +- services/textract/pom.xml | 2 +- services/timestreaminfluxdb/pom.xml | 2 +- services/timestreamquery/pom.xml | 2 +- services/timestreamwrite/pom.xml | 2 +- services/tnb/pom.xml | 2 +- services/transcribe/pom.xml | 2 +- services/transcribestreaming/pom.xml | 2 +- services/transfer/pom.xml | 2 +- services/translate/pom.xml | 2 +- services/trustedadvisor/pom.xml | 2 +- services/uxc/pom.xml | 2 +- services/verifiedpermissions/pom.xml | 2 +- services/voiceid/pom.xml | 2 +- services/vpclattice/pom.xml | 2 +- services/waf/pom.xml | 2 +- services/wafv2/pom.xml | 2 +- services/wellarchitected/pom.xml | 2 +- services/wickr/pom.xml | 2 +- services/wisdom/pom.xml | 2 +- services/workdocs/pom.xml | 2 +- services/workmail/pom.xml | 2 +- services/workmailmessageflow/pom.xml | 2 +- services/workspaces/pom.xml | 2 +- services/workspacesinstances/pom.xml | 2 +- services/workspacesthinclient/pom.xml | 2 +- services/workspacesweb/pom.xml | 2 +- services/xray/pom.xml | 2 +- test/architecture-tests/pom.xml | 2 +- test/auth-tests/pom.xml | 2 +- .../pom.xml | 2 +- test/bundle-shading-tests/pom.xml | 2 +- test/codegen-generated-classes-test/pom.xml | 2 +- test/crt-unavailable-tests/pom.xml | 2 +- test/http-client-benchmarks/pom.xml | 2 +- test/http-client-tests/pom.xml | 2 +- test/module-path-tests/pom.xml | 2 +- .../pom.xml | 2 +- test/protocol-tests-core/pom.xml | 2 +- test/protocol-tests/pom.xml | 2 +- test/region-testing/pom.xml | 2 +- test/ruleset-testing-core/pom.xml | 2 +- test/s3-benchmarks/pom.xml | 2 +- test/s3-tests/pom.xml | 2 +- test/sdk-benchmarks/pom.xml | 2 +- test/sdk-native-image-test/pom.xml | 2 +- test/service-test-utils/pom.xml | 2 +- test/stability-tests/pom.xml | 2 +- test/test-utils/pom.xml | 2 +- test/tests-coverage-reporting/pom.xml | 2 +- test/v2-migration-tests/pom.xml | 2 +- third-party/pom.xml | 2 +- third-party/third-party-jackson-core/pom.xml | 2 +- .../pom.xml | 2 +- third-party/third-party-slf4j-api/pom.xml | 2 +- utils-lite/pom.xml | 2 +- utils/pom.xml | 2 +- v2-migration/pom.xml | 2 +- 554 files changed, 1860 insertions(+), 1861 deletions(-) rename .changes/{2.42.x => }/2.42.0.json (100%) rename .changes/{2.42.x => }/2.42.1.json (100%) rename .changes/{2.42.x => }/2.42.10.json (100%) rename .changes/{2.42.x => }/2.42.11.json (100%) rename .changes/{2.42.x => }/2.42.12.json (100%) rename .changes/{2.42.x => }/2.42.13.json (100%) rename .changes/{2.42.x => }/2.42.14.json (100%) rename .changes/{2.42.x => }/2.42.15.json (100%) rename .changes/{2.42.x => }/2.42.16.json (100%) rename .changes/{2.42.x => }/2.42.17.json (100%) rename .changes/{2.42.x => }/2.42.18.json (100%) rename .changes/{2.42.x => }/2.42.19.json (100%) rename .changes/{2.42.x => }/2.42.2.json (100%) rename .changes/{2.42.x => }/2.42.20.json (100%) rename .changes/{2.42.x => }/2.42.21.json (100%) rename .changes/{2.42.x => }/2.42.22.json (100%) rename .changes/{2.42.x => }/2.42.23.json (100%) rename .changes/{2.42.x => }/2.42.24.json (100%) rename .changes/{2.42.x => }/2.42.25.json (100%) rename .changes/{2.42.x => }/2.42.26.json (100%) rename .changes/{2.42.x => }/2.42.27.json (100%) rename .changes/{2.42.x => }/2.42.28.json (100%) rename .changes/{2.42.x => }/2.42.29.json (100%) rename .changes/{2.42.x => }/2.42.3.json (100%) rename .changes/{2.42.x => }/2.42.30.json (100%) rename .changes/{2.42.x => }/2.42.31.json (100%) rename .changes/{2.42.x => }/2.42.32.json (100%) rename .changes/{2.42.x => }/2.42.33.json (100%) rename .changes/{2.42.x => }/2.42.34.json (100%) rename .changes/{2.42.x => }/2.42.35.json (100%) rename .changes/{2.42.x => }/2.42.4.json (100%) rename .changes/{2.42.x => }/2.42.5.json (100%) rename .changes/{2.42.x => }/2.42.6.json (100%) rename .changes/{2.42.x => }/2.42.7.json (100%) rename .changes/{2.42.x => }/2.42.8.json (100%) rename .changes/{2.42.x => }/2.42.9.json (100%) delete mode 100644 changelogs/2.42.x-CHANGELOG.md diff --git a/.changes/2.42.x/2.42.0.json b/.changes/2.42.0.json similarity index 100% rename from .changes/2.42.x/2.42.0.json rename to .changes/2.42.0.json diff --git a/.changes/2.42.x/2.42.1.json b/.changes/2.42.1.json similarity index 100% rename from .changes/2.42.x/2.42.1.json rename to .changes/2.42.1.json diff --git a/.changes/2.42.x/2.42.10.json b/.changes/2.42.10.json similarity index 100% rename from .changes/2.42.x/2.42.10.json rename to .changes/2.42.10.json diff --git a/.changes/2.42.x/2.42.11.json b/.changes/2.42.11.json similarity index 100% rename from .changes/2.42.x/2.42.11.json rename to .changes/2.42.11.json diff --git a/.changes/2.42.x/2.42.12.json b/.changes/2.42.12.json similarity index 100% rename from .changes/2.42.x/2.42.12.json rename to .changes/2.42.12.json diff --git a/.changes/2.42.x/2.42.13.json b/.changes/2.42.13.json similarity index 100% rename from .changes/2.42.x/2.42.13.json rename to .changes/2.42.13.json diff --git a/.changes/2.42.x/2.42.14.json b/.changes/2.42.14.json similarity index 100% rename from .changes/2.42.x/2.42.14.json rename to .changes/2.42.14.json diff --git a/.changes/2.42.x/2.42.15.json b/.changes/2.42.15.json similarity index 100% rename from .changes/2.42.x/2.42.15.json rename to .changes/2.42.15.json diff --git a/.changes/2.42.x/2.42.16.json b/.changes/2.42.16.json similarity index 100% rename from .changes/2.42.x/2.42.16.json rename to .changes/2.42.16.json diff --git a/.changes/2.42.x/2.42.17.json b/.changes/2.42.17.json similarity index 100% rename from .changes/2.42.x/2.42.17.json rename to .changes/2.42.17.json diff --git a/.changes/2.42.x/2.42.18.json b/.changes/2.42.18.json similarity index 100% rename from .changes/2.42.x/2.42.18.json rename to .changes/2.42.18.json diff --git a/.changes/2.42.x/2.42.19.json b/.changes/2.42.19.json similarity index 100% rename from .changes/2.42.x/2.42.19.json rename to .changes/2.42.19.json diff --git a/.changes/2.42.x/2.42.2.json b/.changes/2.42.2.json similarity index 100% rename from .changes/2.42.x/2.42.2.json rename to .changes/2.42.2.json diff --git a/.changes/2.42.x/2.42.20.json b/.changes/2.42.20.json similarity index 100% rename from .changes/2.42.x/2.42.20.json rename to .changes/2.42.20.json diff --git a/.changes/2.42.x/2.42.21.json b/.changes/2.42.21.json similarity index 100% rename from .changes/2.42.x/2.42.21.json rename to .changes/2.42.21.json diff --git a/.changes/2.42.x/2.42.22.json b/.changes/2.42.22.json similarity index 100% rename from .changes/2.42.x/2.42.22.json rename to .changes/2.42.22.json diff --git a/.changes/2.42.x/2.42.23.json b/.changes/2.42.23.json similarity index 100% rename from .changes/2.42.x/2.42.23.json rename to .changes/2.42.23.json diff --git a/.changes/2.42.x/2.42.24.json b/.changes/2.42.24.json similarity index 100% rename from .changes/2.42.x/2.42.24.json rename to .changes/2.42.24.json diff --git a/.changes/2.42.x/2.42.25.json b/.changes/2.42.25.json similarity index 100% rename from .changes/2.42.x/2.42.25.json rename to .changes/2.42.25.json diff --git a/.changes/2.42.x/2.42.26.json b/.changes/2.42.26.json similarity index 100% rename from .changes/2.42.x/2.42.26.json rename to .changes/2.42.26.json diff --git a/.changes/2.42.x/2.42.27.json b/.changes/2.42.27.json similarity index 100% rename from .changes/2.42.x/2.42.27.json rename to .changes/2.42.27.json diff --git a/.changes/2.42.x/2.42.28.json b/.changes/2.42.28.json similarity index 100% rename from .changes/2.42.x/2.42.28.json rename to .changes/2.42.28.json diff --git a/.changes/2.42.x/2.42.29.json b/.changes/2.42.29.json similarity index 100% rename from .changes/2.42.x/2.42.29.json rename to .changes/2.42.29.json diff --git a/.changes/2.42.x/2.42.3.json b/.changes/2.42.3.json similarity index 100% rename from .changes/2.42.x/2.42.3.json rename to .changes/2.42.3.json diff --git a/.changes/2.42.x/2.42.30.json b/.changes/2.42.30.json similarity index 100% rename from .changes/2.42.x/2.42.30.json rename to .changes/2.42.30.json diff --git a/.changes/2.42.x/2.42.31.json b/.changes/2.42.31.json similarity index 100% rename from .changes/2.42.x/2.42.31.json rename to .changes/2.42.31.json diff --git a/.changes/2.42.x/2.42.32.json b/.changes/2.42.32.json similarity index 100% rename from .changes/2.42.x/2.42.32.json rename to .changes/2.42.32.json diff --git a/.changes/2.42.x/2.42.33.json b/.changes/2.42.33.json similarity index 100% rename from .changes/2.42.x/2.42.33.json rename to .changes/2.42.33.json diff --git a/.changes/2.42.x/2.42.34.json b/.changes/2.42.34.json similarity index 100% rename from .changes/2.42.x/2.42.34.json rename to .changes/2.42.34.json diff --git a/.changes/2.42.x/2.42.35.json b/.changes/2.42.35.json similarity index 100% rename from .changes/2.42.x/2.42.35.json rename to .changes/2.42.35.json diff --git a/.changes/2.42.x/2.42.4.json b/.changes/2.42.4.json similarity index 100% rename from .changes/2.42.x/2.42.4.json rename to .changes/2.42.4.json diff --git a/.changes/2.42.x/2.42.5.json b/.changes/2.42.5.json similarity index 100% rename from .changes/2.42.x/2.42.5.json rename to .changes/2.42.5.json diff --git a/.changes/2.42.x/2.42.6.json b/.changes/2.42.6.json similarity index 100% rename from .changes/2.42.x/2.42.6.json rename to .changes/2.42.6.json diff --git a/.changes/2.42.x/2.42.7.json b/.changes/2.42.7.json similarity index 100% rename from .changes/2.42.x/2.42.7.json rename to .changes/2.42.7.json diff --git a/.changes/2.42.x/2.42.8.json b/.changes/2.42.8.json similarity index 100% rename from .changes/2.42.x/2.42.8.json rename to .changes/2.42.8.json diff --git a/.changes/2.42.x/2.42.9.json b/.changes/2.42.9.json similarity index 100% rename from .changes/2.42.x/2.42.9.json rename to .changes/2.42.9.json diff --git a/CHANGELOG.md b/CHANGELOG.md index a9233d91ad29..afe9c0d8df90 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1 +1,1345 @@ #### 👋 _Looking for changelogs for older versions? You can find them in the [changelogs](./changelogs) directory._ +# __2.42.35__ __2026-04-16__ +## __AWS DevOps Agent Service__ + - ### Features + - Deprecate the userId from the Chat operations. This update also removes support of AllowVendedLogDeliveryForResource API from AWS SDKs. + +## __AWS Elemental MediaConvert__ + - ### Features + - Adds support for Elemental Inference powered smart crop feature, enabling video verticalization + +## __AWS SDK for Java v2__ + - ### Features + - Add HTTP client configuration type metadata to the User-Agent header, tracking whether the HTTP client was auto-detected from the classpath, an explicit client instance or client builder configured by the customer. + - Updated endpoint and partition metadata. + + - ### Bugfixes + - Fixed an issue where using a getObject ResponsePublisher as a putObject request body with the CRT HTTP client could cause the SDK to hang on retry when the server returns a retryable error. + +## __Amazon AppStream__ + - ### Features + - Add content redirection to Update Stack + +## __Amazon Bedrock AgentCore__ + - ### Features + - Introducing NamespacePath in AgentCore Memory to support hierarchical prefix based memory record retrieval. + +## __Amazon CloudWatch__ + - ### Features + - Update documentation of alarm mute rules start and end date fields + +## __Amazon CloudWatch Logs__ + - ### Features + - Endpoint update for CloudWatch Logs Streaming APIs. + +## __Amazon Cognito Identity Provider__ + - ### Features + - Adds support for passkey-based multi-factor authentication in Cognito User Pools. Users can authenticate securely using FIDO2-compliant passkeys with user verification, enabling passwordless MFA flows while maintaining backward compatibility with password-based authentication + +## __Amazon Connect Cases__ + - ### Features + - Added error handling for service quota limits + +## __Amazon Connect Customer Profiles__ + - ### Features + - Amazon Connect Customer Profiles adds RecommenderSchema CRUD APIs for custom ML training columns. CreateRecommender and CreateRecommenderFilter now accept optional RecommenderSchemaName. + +## __Amazon Connect Service__ + - ### Features + - This release updates the Amazon Connect Rules CRUD APIs to support a new EventSourceName - OnEmailAnalysisAvailable. Use this event source to trigger rules when conversational analytics results are available for email contacts. + +## __Amazon DataZone__ + - ### Features + - Launching SMUS IAM domain SDK support + +## __Amazon Relational Database Service__ + - ### Features + - Adds a new DescribeServerlessV2PlatformVersions API to describe platform version properties for Aurora Serverless v2. Also introduces a new valid maintenance action value for serverless platform version updates. + +## __Amazon SNS Message Manager__ + - ### Features + - This change introduces the SNS Message Manager for 2.x, a library used to parse and validate messages received from SNS. This aims to provide the same functionality as [SnsMessageManager](https://docs.aws.amazon.com/AWSJavaSDK/latest/javadoc/com/amazonaws/services/sns/message/SnsMessageManager.html) from 1.x. + +## __Apache 5 HTTP Client__ + - ### Features + - Update `httpcore5` to `5.4.2`. + +## __Auto Scaling__ + - ### Features + - This release adds support for specifying Availability Zone IDs as an alternative to Availability Zone names when creating or updating Auto Scaling groups. + +## __Elastic Disaster Recovery Service__ + - ### Features + - Updating regex for identification of AWS Regions. + +# __2.42.34__ __2026-04-13__ +## __AWS Glue__ + - ### Features + - AWS Glue now defaults to Glue version 5.1 for newly created jobs if the Glue version is not specified in the request, and UpdateJob now preserves the existing Glue version of a job when the Glue version is not specified in the update request. + +## __AWS SDK for Java v2__ + - ### Features + - Updated endpoint and partition metadata. + +## __AWS SecurityHub__ + - ### Features + - Provide organizational unit scoping capability for GetFindingsV2, GetFindingStatisticsV2, GetResourcesV2, GetResourcesStatisticsV2 APIs. + +## __AWSDeadlineCloud__ + - ### Features + - Adds GetMonitorSettings and UpdateMonitorSettings APIs to Deadline Cloud. Enables reading and writing monitor settings as key-value pairs (up to 64 keys per monitor). UpdateMonitorSettings supports upsert and delete (via empty value) semantics and is idempotent. + +## __Amazon Connect Customer Profiles__ + - ### Features + - This release introduces changes to SegmentDefinition APIs to support sorting by attributes. + +## __Amazon DynamoDB Enhanced Client__ + - ### Bugfixes + - Fix AutoGeneratedTimestampRecordExtension failing on @DynamoDbConvertedBy list attributes + +## __Amazon Macie 2__ + - ### Features + - This release adds an optional expectedBucketOwner field to the Macie S3 export configuration, allowing customers to verify bucket ownership before Macie writes results to the destination bucket. + +## __Interconnect__ + - ### Features + - Initial release of AWS Interconnect -- a managed private connectivity service that enables you to create high-speed network connections between your AWS Virtual Private Clouds (VPCs) and your VPCs on other public clouds or your on-premise networks. + +# __2.42.33__ __2026-04-10__ +## __AWS DevOps Agent Service__ + - ### Features + - Devops Agent now supports associate Splunk, Datadog and custom MCP server to an Agent Space. + +## __AWS Elemental MediaConvert__ + - ### Features + - Adds support for MV-HEVC video output and clear lead for AV1 DRM output. + +## __Amazon Connect Service__ + - ### Features + - Conversational Analytics for Email + +## __Amazon EC2 Container Service__ + - ### Features + - Minor updates to exceptions for completeness + +## __Amazon SageMaker Service__ + - ### Features + - Support new SageMaker StartClusterHealthCheck API for on-demand DHC on Hyperpod EKS cluster. Support updated CreateCluster, UpdateCluster, DescribeCluster, BatchAddClusterNodes APIs for flexible instance group on HyperPod cluster + +## __CloudWatch Observability Admin Service__ + - ### Features + - CloudWatch Observability Admin adds support for multi-region telemetry evaluation and telemetry enablement rules. + +## __EC2 Image Builder__ + - ### Features + - Image pipelines can now automatically apply tags to images they create. Set the imageTags property when creating or updating your pipelines to get started. + +## __Netty NIO HTTP Client__ + - ### Bugfixes + - Added idle body write detection to proactively close connections when no request body data is written within the write timeout period. + +## __RTBFabric__ + - ### Features + - Adds optional health check configuration for Responder Gateways with ASG Managed Endpoints. When provided, RTB Fabric continuously probes customers' instance IPs and routes traffic only to healthy ones, reducing errors during deployments, scaling events, and instance failures. + +# __2.42.32__ __2026-04-09__ +## __AWS Billing and Cost Management Dashboards__ + - ### Features + - Scheduled email reports of Billing and Cost Management Dashboards + +## __AWS MediaConnect__ + - ### Features + - Adds support for MediaLive Channel-type Router Inputs. + +## __Amazon Bedrock AgentCore__ + - ### Features + - Introducing support for SearchRegistryRecords API on AgentCoreRegistry + +## __Amazon Bedrock AgentCore Control__ + - ### Features + - Initial release for CRUDL in AgentCore Registry Service + +## __Amazon SageMaker Service__ + - ### Features + - Release support for g7e instance types for SageMaker HyperPod + +## __Redshift Data API Service__ + - ### Features + - The BatchExecuteStatement API now supports named SQL parameters, enabling secure batch queries with parameterized values. This enhancement helps prevent SQL injection vulnerabilities and improves query reusability. + +# __2.42.31__ __2026-04-08__ +## __AWS Backup__ + - ### Features + - Adding EKS specific backup vault notification types for AWS Backup. + +## __AWS Elemental MediaLive__ + - ### Features + - MediaLive is adding support for MediaConnect Router by supporting a new output type called MEDIACONNECT ROUTER. This new output type will provide seamless encrypted transport between your MediaLive channel and MediaConnect Router. + +## __AWS Marketplace Discovery__ + - ### Features + - AWS Marketplace Discovery API provides an interface that enables programmatic access to the AWS Marketplace catalog, including searching and browsing listings, retrieving product details and fulfillment options, and accessing public and private offer pricing and terms. + +## __AWS Outposts__ + - ### Features + - Add AWS Outposts APIs to view renewal pricing options and submit renewal requests for Outpost contracts + +## __Amazon DynamoDB Enhanced Client__ + - ### Features + - Added support for @DynamoDbAutoGeneratedTimestampAttribute on attributes within nested objects. + +## __Amazon Elastic Container Registry__ + - ### Features + - Add UnableToListUpstreamImageReferrersException in ListImageReferrers + +## __Amazon Interactive Video Service RealTime__ + - ### Features + - Adds support for Amazon IVS real-time streaming redundant ingest. + +## __Elastic Disaster Recovery Service__ + - ### Features + - This changes adds support for modifying the replication configuration to support data replication using IPv6. + +# __2.42.30__ __2026-04-07__ +## __AWS DataSync__ + - ### Features + - Allow IAM role ARNs with IAM Paths for "SecretAccessRoleArn" field in "CustomSecretConfig" + +## __AWS Lambda__ + - ### Features + - Launching Lambda integration with S3 Files as a new file system configuration. + +## __AWS Outposts__ + - ### Features + - This change allows listAssets to surface pending and non-compute asset information. Adds the INSTALLING asset state enum and the STORAGE, POWERSHELF, SWITCH, and NETWORKING AssetTypes. + +## __AWS SDK for Java v2__ + - ### Features + - Updated endpoint and partition metadata. + +## __Access Analyzer__ + - ### Features + - Revert previous additions of API changes. + +## __Amazon Bedrock AgentCore__ + - ### Features + - This release includes support for 1) InvokeBrowser API, enabling OS-level control of AgentCore Browser Tool sessions through mouse actions, keyboard input, and screenshots. 2) Added documentation noting that empty sessions are automatically deleted after one day in the ListSessions API. + +## __Amazon Connect Service__ + - ### Features + - The voice enhancement mode used by the agent can now be viewed on the contact record via the DescribeContact api. + +## __Amazon DataZone__ + - ### Features + - Update Configurations and registerS3AccessGrantLocation as public attributes for cfn + +## __Amazon EC2 Container Service__ + - ### Features + - This release provides the functionality of mounting Amazon S3 Files to Amazon ECS tasks by adding support for the new S3FilesVolumeConfiguration parameter in ECS RegisterTaskDefinition API. + +## __Amazon Elastic Compute Cloud__ + - ### Features + - EC2 Capacity Manager adds new dimensions for grouping and filtering capacity metrics, including tag-based dimensions and Account Name. + +## __Amazon Elastic Kubernetes Service__ + - ### Features + - EKS MNG WarmPool feature to support ASG WarmPool feature. + +## __Amazon S3 Files__ + - ### Features + - Support for S3 Files, a new shared file system that connects any AWS compute directly with your data in Amazon S3. It provides fast, direct access to all of your S3 data as files with full file system semantics and low-latency performance, without your data ever leaving S3. + +## __Amazon Simple Storage Service__ + - ### Features + - Updated list of the valid AWS Region values for the LocationConstraint parameter for general purpose buckets. + +## __Braket__ + - ### Features + - Added support for t3, g6, and g6e instance types for Hybrid Jobs. + +## __RTBFabric__ + - ### Features + - AWS RTB Fabric External Responder gateways now support HTTP in addition to HTTPS for inbound external links. Gateways can accept bid requests on port 80 or serve both protocols simultaneously via listener configuration, giving customers flexible transport options for their bidding infrastructure + +# __2.42.29__ __2026-04-06__ +## __AWS MediaTailor__ + - ### Features + - This change adds support for Tagging the resource types Programs and Prefetch Schedules + +## __AWS SDK for Java v2__ + - ### Features + - Updated endpoint and partition metadata. + + - ### Bugfixes + - Add business metrics tracking for precomputed checksum headers in requests. + +## __AWS Transfer Family__ + - ### Features + - AWS Transfer Family Connectors now support IPv6 connectivity, enabling outbound connections to remote SFTP or AS2 servers using IPv4-only or dual-stack (IPv4 and IPv6) configurations based on network requirements. + +## __AWSDeadlineCloud__ + - ### Features + - Added 8 batch APIs (BatchGetJob, BatchGetStep, BatchGetTask, BatchGetSession, BatchGetSessionAction, BatchGetWorker, BatchUpdateJob, BatchUpdateTask) for bulk operations. Monitors can now use an Identity Center instance in a different region via the identityCenterRegion parameter. + +## __Access Analyzer__ + - ### Features + - Brookie helps customers preview the impact of SCPs before deployment using historical access activity. It evaluates attached policies and proposed policy updates using collected access activity through CloudTrail authorization events and reports where currently allowed access will be denied. + +## __Amazon Data Lifecycle Manager__ + - ### Features + - This release adds support for Fast Snapshot Restore AvailabilityZone Ids in Amazon Data Lifecycle Manager EBS snapshot lifecycle policies. + +## __Amazon GuardDuty__ + - ### Features + - Migrated to Smithy. No functional changes + +## __Amazon Lightsail__ + - ### Features + - This release adds support for the Asia Pacific (Malaysia) (ap-southeast-5) Region. + +## __Amazon Location Service Maps V2__ + - ### Features + - This release updates API reference documentation for Amazon Location Service Maps APIs to reflect regional restrictions for Grab Maps users + +## __Amazon Q Connect__ + - ### Features + - Added optional originRequestId parameter to SendMessageRequest and ListSpans response in Amazon Q in Connect to support request tracing across service boundaries. + +## __Apache 5 HTTP Client__ + - ### Bugfixes + - Fixed a connection leak that could occur when the thread waiting to acquire a connection from the pool is interrupted. Fixes [#6786](https://github.com/aws/aws-sdk-java-v2/issues/6786). + +## __Netty NIO HTTP Client__ + - ### Bugfixes + - Include channel diagnostics in Read/Write timeout error messages to aid debugging. + +# __2.42.28__ __2026-04-03__ +## __AWS Elemental MediaLive__ + - ### Features + - AWS Elemental MediaLive released a new features that allows customers to use HLG 2020 as a color space for AV1 video codec. + +## __AWS Organizations__ + - ### Features + - Updates close Account quota for member accounts in an Organization. + +## __Agents for Amazon Bedrock__ + - ### Features + - Added strict parameter to ToolSpecification to allow users to enforce strict JSON schema adherence for tool input schemas. + +## __Amazon Bedrock__ + - ### Features + - Amazon Bedrock Guardrails enforcement configuration APIs now support selective guarding controls for system prompts as well as user and assistant messages, along with SDK support for Amazon Bedrock resource policy APIs. + +## __Amazon Bedrock AgentCore Control__ + - ### Features + - Documentation Update for Adds support for three-legged (Authorization Code grant type) OAuth along with predefined MCP tool schema configuration for Amazon Bedrock AgentCore gateway MCP server targets. + +## __Amazon CloudWatch Logs__ + - ### Features + - Added queryDuration, bytesScanned, and userIdentity fields to the QueryInfo response object returned by DescribeQueries. Customers can now view detailed query cost information including who ran the query, how long it took, and the volume of data scanned. + +## __Amazon Lightsail__ + - ### Features + - Add support for tagging of Alarm resource type + +## __EC2 Image Builder__ + - ### Features + - Updated pagination token validation for ListContainerRecipes API to support maximum size of 65K characters + +## __Payment Cryptography Control Plane__ + - ### Features + - Adds optional support to retrieve previously generated import and export tokens to simplify import and export functions + +# __2.42.27__ __2026-04-02__ +## __AWS CRT Async HTTP Client__ + - ### Features + - Add HTTP/2 support in the AWS CRT Async HTTP Client. + +## __AWS Price List Service__ + - ### Features + - This release increases the MaxResults parameter of the GetAttributeValues API from 100 to 10000. + +## __AWS SDK for Java v2__ + - ### Features + - Updated endpoint and partition metadata. + +## __AWSDeadlineCloud__ + - ### Features + - AWS Deadline Cloud now supports configurable scheduling on each queue. The scheduling configuration controls how workers are distributed across jobs. + +## __Amazon AppStream__ + - ### Features + - Amazon WorkSpaces Applications now supports drain mode for instances in multi-session fleets. This capability allows administrators to instruct individual fleet instances to stop accepting new user sessions while allowing existing sessions to continue uninterrupted. + +## __Amazon Bedrock AgentCore Control__ + - ### Features + - Adds support for three-legged (Authorization Code grant type) OAuth along with predefined MCP tool schema configuration for Amazon Bedrock AgentCore gateway MCP server targets. + +## __Amazon Bedrock Runtime__ + - ### Features + - Relax ToolUseId pattern to allow dots and colons + +## __Amazon CloudWatch__ + - ### Features + - CloudWatch now supports OTel enrichment to make vended metrics for supported AWS resources queryable via PromQL with resource ARN and tag labels, and PromQL alarms for metrics ingested via the OTLP endpoint with multi-contributor evaluation. + +## __Amazon CloudWatch Logs__ + - ### Features + - We are pleased to announce that our logs transformation csv processor now has a destination field, allowing you to specify under which parent node parsed columns be placed under. + +## __Amazon Connect Service__ + - ### Features + - Include CUSTOMER to evaluation target and participant role. Support Korean, Japanese and Simplified Chinese in evaluation forms. + +## __Amazon GameLift__ + - ### Features + - Amazon GameLift Servers now includes a ComputeName field in game session API responses, making it easier to identify which compute is hosting a game session without cross-referencing IP addresses. + +## __Amazon Location Service Places V2__ + - ### Features + - This release updates API reference documentation for Amazon Location Service Places APIs to reflect regional restrictions for Grab Maps users in ReverseGeocode, Suggest, SearchText, and GetPlace operations + +## __Data Automation for Amazon Bedrock__ + - ### Features + - Data Automation Library is a BDA capability that lets you create reusable entity resources to improve extraction accuracy. Libraries support Custom Vocabulary entities that enhance speech recognition for audio and video content with domain-specific terminology shared across projects + +# __2.42.26__ __2026-04-01__ +## __AWS Health Imaging__ + - ### Features + - Added new boolean flag to persist metadata updates to all primary image sets in the same study as the requested image set. + +## __Amazon Bedrock__ + - ### Features + - Adds support for Bedrock Batch Inference Job Progress Monitoring + +## __Amazon Bedrock AgentCore__ + - ### Features + - Added the ability to filter out empty sessions when listing sessions. Customers can now retrieve only sessions that still contain events, eliminating the need to check each session individually. No changes required for existing integrations. + +## __Amazon Bedrock AgentCore Control__ + - ### Features + - Adds support for VPC egress private endpoints for Amazon Bedrock AgentCore gateway targets, enabling private connectivity through managed VPC Lattice resources. Also adds IAM credential provider for gateway targets, enabling IAM-based authentication to target endpoints + +## __Amazon EC2 Container Service__ + - ### Features + - Amazon ECS now supports Managed Daemons with dedicated APIs for registering daemon task definitions, creating daemons, and managing daemon deployments. + +## __Amazon ElastiCache__ + - ### Features + - Updated SnapshotRetentionLimit documentation for ServerlessCache to correctly describe the parameter as number of days (max 35) instead of number of snapshots. + +## __Amazon Elasticsearch Service__ + - ### Features + - Adding Policy-Min-TLS-1-2-RFC9151-FIPS-2024-08 as TLS Policy in Supported Regions + +## __Amazon Location Service Routes V2__ + - ### Features + - This release makes RoutingBoundary optional in CalculateRouteMatrix, set StopDuration with a maximum value of 49999 for CalculateRoutes, set TrailerCount with a maximum value of 4, and introduces region restrictions for Grab Maps users. + +## __Amazon OpenSearch Service__ + - ### Features + - Adding Policy-Min-TLS-1-2-RFC9151-FIPS-2024-08 as TLS Policy in Supported Regions + +## __Apache 5 HTTP Client__ + - ### Features + - Disable Expect 100-Continue by default in the Apache5 HTTP Client. + +# __2.42.25__ __2026-03-31__ +## __AWS CRT HTTP Client__ + - ### Bugfixes + - Enabled default connection health monitoring for the AWS CRT HTTP client. Connections that remain stalled below 1 byte per second for the duration the read/write timeout (default 30 seconds) are now automatically terminated. This behavior can be overridden via ConnectionHealthConfiguration. + +## __AWS Certificate Manager__ + - ### Features + - Adds support for searching for ACM certificates using the new SearchCertificates API. + +## __AWS Data Exchange__ + - ### Features + - Support Tags for AWS Data Exchange resource Assets + +## __AWS Database Migration Service__ + - ### Features + - To successfully connect to the IBM DB2 LUW database server, you may need to specify additional security parameters that are passed to the JDBC driver. These parameters are EncryptionAlgorithm and SecurityMechanism. Both parameters accept integer values. + +## __AWS DevOps Agent Service__ + - ### Features + - AWS DevOps Agent service General Availability release. + +## __AWS Marketplace Agreement Service__ + - ### Features + - This release adds 8 new APIs for AWS Marketplace sellers. 4 APIs for Cancellations (Send, List, Get, Cancel action on AgreementCancellationRequest), 3 APIs for Billing Adjustments (BatchCreate, List, Get action on BillingAdjustmentRequest), and 1 API to List Invoices (ListAgreementInvoiceLineItems) + +## __AWS Organizations__ + - ### Features + - Added Path field to Account and OrganizationalUnit objects in AWS Organizations API responses. + +## __AWS S3 Control__ + - ### Features + - Adding an optional auditContext parameter to S3 Access Grants credential vending API GetDataAccess to enable job-level audit correlation in S3 CloudTrail logs + +## __AWS SDK for Java v2__ + - ### Features + - Update Netty to 4.1.132 + - Contributed by: [@mrdziuban](https://github.com/mrdziuban) + +## __AWS SDK for Java v2 Migration Tool__ + - ### Bugfixes + - Fix bug for v1 getUserMetaDataOf transform + +## __AWS Security Agent__ + - ### Features + - AWS Security Agent is a service that proactively secures applications throughout the development lifecycle with automated security reviews and on-demand penetration testing. + +## __AWS Sustainability__ + - ### Features + - This is the first release of the AWS Sustainability SDK, which enables customers to access their sustainability impact data via API. + +## __Amazon CloudFront__ + - ### Features + - This release adds bring your own IP (BYOIP) IPv6 support to CloudFront's CreateAnycastIpList and UpdateAnycastIpList API through the IpamCidrConfigs field. + +## __Amazon DataZone__ + - ### Features + - Adds environmentConfigurationName field to CreateEnvironmentInput and UpdateEnvironmentInput, so that Domain Owners can now recover orphaned environments by recreating deleted configurations with the same name, and will auto-recover orphaned environments + +## __Amazon DynamoDB Enhanced Client__ + - ### Bugfixes + - Returning correct operation name for DeleteTableOperation + +## __Amazon Elastic Compute Cloud__ + - ### Features + - This release updates the examples in the documentation for DescribeRegions and DescribeAvailabilityZones. + +## __Amazon Kinesis Analytics__ + - ### Features + - Support for Flink 2.2 in Managed Service for Apache Flink + +## __Amazon Location Service Maps V2__ + - ### Features + - This release expands map customization options with adjustable contour line density, dark mode support for Hybrid and Satellite views, enhanced traffic information across multiple map styles, and transit and truck travel modes for Monochrome and Hybrid map styles. + +## __Amazon OpenSearch Service__ + - ### Features + - Support RegisterCapability, GetCapability, DeregisterCapability API for AI Assistant feature management for OpenSearch UI Applications + +## __Amazon Pinpoint SMS Voice V2__ + - ### Features + - This release adds RCS for Business messaging and Notify support. RCS lets you create and manage agents, send and receive messages in the US and Canada via SendTextMessage API, and configure SMS fallback. Notify lets you send templated OTP messages globally in minutes with no phone number required. + +## __Amazon QuickSight__ + - ### Features + - Adds StartAutomationJob and DescribeAutomationJob APIs for automation jobs. Adds three custom permission capabilities that allow admins to control whether users can manage Spaces and chat agents. Adds an OAuthClientCredentials structure to provide OAuth 2.0 client credentials inline to data sources. + +## __Amazon S3 Tables__ + - ### Features + - S3 Tables now supports nested types when creating tables. Users can define complex column schemas using struct, list, and map types. These types can be composed together to model complex, hierarchical data structures within table schemas. + +## __Amazon Simple Storage Service__ + - ### Features + - Add Bucket Metrics configuration support to directory buckets + +## __CloudWatch Observability Admin Service__ + - ### Features + - This release adds the Bedrock and Security Hub resource types for Omnia Enablement launch for March 31. + +## __MailManager__ + - ### Features + - Amazon SES Mail Manager now supports optional TLS policy for accepting unencrypted connections and mTLS authentication for ingress endpoints with configurable trust stores. Two new rule actions are available, Bounce for sending non-delivery reports and Lambda invocation for custom email processing. + +## __Partner Central Selling API__ + - ### Features + - Adding EURO Currency for MRR Amount + +## __odb__ + - ### Features + - Adds support for EC2 Placement Group integration with ODB Network. The GetOdbNetwork and ListOdbNetworks API responses now include the ec2PlacementGroupIds field. + +## __Contributors__ +Special thanks to the following contributors to this release: + +[@mrdziuban](https://github.com/mrdziuban) +# __2.42.24__ __2026-03-30__ +## __AWS DevOps Agent Service__ + - ### Features + - AWS DevOps Agent General Availability. + +## __AWS Lake Formation__ + - ### Features + - Add setSourceIdentity to DataLakeSettings Parameters + +## __AWS SDK for Java v2__ + - ### Bugfixes + - Optimized JSON serialization by skipping null field marshalling for payload fields + +## __AWSDeadlineCloud__ + - ### Features + - AWS Deadline Cloud now supports three new fleet auto scaling settings. With scale out rate, you can configure how quickly workers launch. With worker idle duration, you can set how long workers wait before shutting down. With standby worker count, you can keep idle workers ready for fast job start. + +## __Amazon AppStream__ + - ### Features + - Add support for URL Redirection + +## __Amazon Bedrock AgentCore__ + - ### Features + - Adds Ground Truth support for AgentCore Evaluations (Evaluate) + +## __Amazon CloudWatch Logs__ + - ### Features + - Adds Lookup Tables to CloudWatch Logs for log enrichment using CSV key-value data with KMS encryption support. + +## __Amazon DynamoDB Enhanced Client__ + - ### Bugfixes + - Improved performance by caching partition and sort key name lookups in StaticTableMetadata. + +## __Amazon EC2 Container Service__ + - ### Features + - Adding Local Storage support for ECS Managed Instances by introducing a new field "localStorageConfiguration" for CreateCapacityProvider and UpdateCapacityProvider APIs. + +## __Amazon GameLift__ + - ### Features + - Update CreateScript API documentation. + +## __Amazon OpenSearch Service__ + - ### Features + - Added Cluster Insights API's In OpenSearch Service SDK. + +## __Amazon SageMaker Service__ + - ### Features + - Added support for placement strategy and consolidation for SageMaker inference component endpoints. Customers can now configure how inference component copies are distributed across instances and availability zones (AZs), and enable automatic consolidation to optimizes resource utilization. + +## __Auto Scaling__ + - ### Features + - Adds support for new instance lifecycle states introduced by the instance lifecycle policy and replace root volume features. + +## __Partner Central Account API__ + - ### Features + - KYB Supplemental Form enables partners who fail business verification to submit additional details and supporting documentation through a self-service form, triggering an automated re-verification without requiring manual intervention from support teams. + +# __2.42.23__ __2026-03-27__ +## __Amazon Bedrock AgentCore__ + - ### Features + - Adding AgentCore Code Interpreter Node.js Runtime Support with an optional runtime field + +## __Amazon Bedrock AgentCore Control__ + - ### Features + - Adds support for custom code-based evaluators using customer-managed Lambda functions. + +## __Amazon NeptuneData__ + - ### Features + - Minor formatting changes to remove unnecessary symbols. + +## __Amazon Omics__ + - ### Features + - AWS HealthOmics now supports VPC networking, allowing users to connect runs to external resources with NAT gateway, AWS VPC resources, and more. New Configuration APIs support configuring VPC settings. StartRun API now accepts networkingMode and configurationName parameters to enable VPC networking. + +## __Apache 5 HTTP Client__ + - ### Bugfixes + - Fixed an issue in the Apache 5 HTTP client where requests could fail with `"Endpoint not acquired / already released"`. These failures are now converted to retryable I/O errors. + +# __2.42.22__ __2026-03-26__ +## __AWS Billing and Cost Management Data Exports__ + - ### Features + - With this release we are providing an option to accounts to have their export delivered to an S3 bucket that is not owned by the account. + +## __AWS SDK for Java v2__ + - ### Features + - Updated endpoint and partition metadata. + +## __Amazon CloudWatch EMF Metric Publisher__ + - ### Features + - Add `PropertiesFactory` and `propertiesFactory` to `EmfMetricLoggingPublisher.Builder`, enabling users to enrich EMF records with custom key-value properties derived from the metric collection or ambient context, searchable in CloudWatch Logs Insights. See [#6595](https://github.com/aws/aws-sdk-java-v2/issues/6595). + - Contributed by: [@humanzz](https://github.com/humanzz) + +## __Amazon CloudWatch Logs__ + - ### Features + - This release adds parameter support to saved queries in CloudWatch Logs Insights. Define reusable query templates with named placeholders, invoke them using start query. Available in Console, CLI and SDK + +## __Amazon EMR__ + - ### Features + - Add StepExecutionRoleArn to RunJobFlow API + +## __Amazon SageMaker Service__ + - ### Features + - Release support for ml.r5d.16xlarge instance types for SageMaker HyperPod + +## __Timestream InfluxDB__ + - ### Features + - Timestream for InfluxDB adds support for customer defined maintenance windows. This allows customers to define maintenance schedule during resource creation and updates + +## __Contributors__ +Special thanks to the following contributors to this release: + +[@humanzz](https://github.com/humanzz) +# __2.42.21__ __2026-03-25__ +## __AWS Batch__ + - ### Features + - Documentation-only update for AWS Batch. + +## __AWS Marketplace Agreement Service__ + - ### Features + - The Variable Payments APIs enable AWS Marketplace Sellers to perform manage their payment requests (send, get, list, cancel). + +## __AWS SDK for Java v2__ + - ### Bugfixes + - Fix bug in CachedSupplier that retries aggressively after many consecutive failures + +## __AWS User Experience Customization__ + - ### Features + - GA release of AccountCustomizations, used to manage account color, visible services, and visible regions settings in the AWS Management Console. + +## __Amazon CloudWatch Application Signals__ + - ### Features + - This release adds support for creating SLOs on RUM appMonitors, Synthetics canaries and services. + +## __Amazon Polly__ + - ### Features + - Add support for Mu-law and A-law codecs for output format + +## __Amazon S3__ + - ### Features + - Add support for maxInFlightParts to multipart upload (PutObject) in MultipartS3AsyncClient. + +## __AmazonApiGatewayV2__ + - ### Features + - Added DISABLE IN PROGRESS and DISABLE FAILED Portal statuses. + +# __2.42.20__ __2026-03-24__ +## __AWS Elemental MediaPackage v2__ + - ### Features + - Reduces the minimum allowed value for startOverWindowSeconds from 60 to 0, allowing customers to effectively disable the start-over window. + +## __AWS Parallel Computing Service__ + - ### Features + - This release adds support for custom slurmdbd and cgroup configuration in AWS PCS. Customers can now specify slurmdbd and cgroup settings to configure database accounting and reporting for their HPC workloads, and control resource allocation and limits for compute jobs. + +## __Amazon Bedrock AgentCore Control__ + - ### Features + - Adds SDK support for 1) Persist session state in AgentCore Runtime via filesystemConfigurations in CreateAgentRuntime, UpdateAgentRuntime, and GetAgentRuntime APIs, 2) Optional name-based filtering on AgentCore ListBrowserProfiles API. + +## __Amazon GameLift__ + - ### Features + - Amazon GameLift Servers launches UDP ping beacons in the Beijing and Ningxia (China) Regions to help measure real-time network latency for multiplayer games. The ListLocations API is now available in these regions to provide endpoint domain and port information as part of the locations list. + +## __Amazon Relational Database Service__ + - ### Features + - Adds support in Aurora PostgreSQL serverless databases for express configuration based creation through WithExpressConfiguration in CreateDbCluster API, and for restoring clusters using RestoreDBClusterToPointInTime and RestoreDBClusterFromSnapshot APIs. + +## __OpenSearch Service Serverless__ + - ### Features + - Adds support for updating the vector options field for existing collections. + +# __2.42.19__ __2026-03-23__ +## __AWS Batch__ + - ### Features + - AWS Batch AMI Visibility feature support. Adds read-only batchImageStatus to Ec2Configuration to provide visibility on the status of Batch-vended AMIs used by Compute Environments. + +## __Amazon Connect Cases__ + - ### Features + - You can now use the UpdateRelatedItem API to update the content of comments and custom related items associated with a case. + +## __Amazon Lightsail__ + - ### Features + - Add support for tagging of ContactMethod resource type + +## __Amazon Omics__ + - ### Features + - Adds support for batch workflow runs in Amazon Omics, enabling users to submit, manage, and monitor multiple runs as a single batch. Includes APIs to create, cancel, and delete batches, track submission statuses and counts, list runs within a batch, and configure default settings. + +## __Amazon S3__ + - ### Features + - Added support of Request-level credentials override in DefaultS3CrtAsyncClient. See [#5354](https://github.com/aws/aws-sdk-java-v2/issues/5354). + +## __Netty NIO HTTP Client__ + - ### Bugfixes + - Fixed an issue where requests with `Expect: 100-continue` over TLS could hang indefinitely when no response is received, because the read timeout handler was prematurely removed by TLS handshake data. + +# __2.42.18__ __2026-03-20__ +## __AWS Backup__ + - ### Features + - Fix Typo for S3Backup Options ( S3BackupACLs to BackupACLs) + +## __AWS SDK for Java v2__ + - ### Features + - Updated endpoint and partition metadata. + + - ### Bugfixes + - Fix bug in CachedSupplier that disabled InstanceProfileCredentialsProvider credential refreshing after 58 consecutive failures. + +## __Amazon DynamoDB__ + - ### Features + - Adding ReplicaArn to ReplicaDescription of a global table replica + +## __Amazon OpenSearch Service__ + - ### Features + - Added support for Amazon Managed Service for Prometheus (AMP) as a connected data source in OpenSearch UI. Now users can analyze Prometheus metrics in OpenSearch UI without data copy. + +## __Amazon Verified Permissions__ + - ### Features + - Adds support for Policy Store Aliases, Policy Names, and Policy Template Names. These are customizable identifiers that can be used in place of Policy Store ids, Policy ids, and Policy Template ids respectively in Amazon Verified Permissions APIs. + +# __2.42.17__ __2026-03-19__ +## __AWS Batch__ + - ### Features + - AWS Batch now supports quota management, enabling administrators to allocate shared compute resources across teams and projects through quota shares with capacity limits, resource-sharing strategies, and priority-based preemption - currently available for SageMaker Training job queues. + +## __AWS SDK for Java v2__ + - ### Features + - Updated endpoint and partition metadata. + +## __Amazon Bedrock AgentCore__ + - ### Features + - This release includes SDK support for the following new features on AgentCore Built In Tools. 1. Enterprise Policies for AgentCore Browser Tool. 2. Root CA Configuration Support for AgentCore Browser Tool and Code Interpreter. 3. API changes to AgentCore Browser Profile APIs + +## __Amazon Bedrock AgentCore Control__ + - ### Features + - Adds support for the following new features. 1. Enterprise Policies support for AgentCore Browser Tool. 2. Root CA Configuration support for AgentCore Browser Tool and Code Interpreter. + +## __Amazon Elastic Compute Cloud__ + - ### Features + - Amazon EC2 Fleet instant mode now supports launching instances into Interruptible Capacity Reservations, enabling customers to use spare capacity shared by Capacity Reservation owners within their AWS Organization. + +## __Amazon Polly__ + - ### Features + - Added bi-directional streaming functionality through a new API, StartSpeechSynthesisStream. This API allows streaming input text through inbound events and receiving audio as part of an output stream simultaneously. + +## __CloudWatch Observability Admin Service__ + - ### Features + - Adding a new field in the CreateCentralizationRuleForOrganization, UpdateCentralizationRuleForOrganization API and updating the GetCentralizationRuleForOrganization API response to include the new field + +# __2.42.16__ __2026-03-18__ +## __AWS Elemental MediaConvert__ + - ### Features + - This update adds additional bitrate options for Dolby AC-4 audio outputs. + +## __Amazon DynamoDB Enhanced Client__ + - ### Bugfixes + - Fix NullPointerException in `EnhancedType.hashCode()`, `EnhancedType.equals()`, and `EnhancedType.toString()` when using wildcard types. + +## __Amazon Elastic Compute Cloud__ + - ### Features + - The DescribeInstanceTypes API now returns default connection tracking timeout values for TCP, UDP, and UDP stream via the new connectionTrackingConfiguration field on NetworkInfo. + +# __2.42.15__ __2026-03-17__ +## __AWS Glue__ + - ### Features + - Provide approval to overwrite existing Lake Formation permissions on all child resources with the default permissions specified in 'CreateTableDefaultPermissions' and 'CreateDatabaseDefaultPermissions' when updating catalog. Allowed values are ["Accept","Deny"] . + +## __Amazon Bedrock AgentCore Control__ + - ### Features + - Deprecating namespaces field and adding namespaceTemplates. + +## __Amazon DynamoDB Enhanced Client__ + - ### Features + - Improved performance of UpdateExpression conversion by replacing Stream.concat chains and String.format with direct iteration and StringJoiner. + +## __Amazon EMR__ + - ### Features + - Add S3LoggingConfiguration to Control LogUploads + +# __2.42.14__ __2026-03-16__ +## __AWS SDK for Java v2__ + - ### Features + - Updated endpoint and partition metadata. + +## __Amazon Bedrock__ + - ### Features + - You can now generate policy scenarios on demand using the new GENERATE POLICY SCENARIOS build workflow type. Scenarios will no longer be automatically generated during INGEST CONTENT, REFINE POLICY, and IMPORT POLICY workflows, resulting in faster completion times for these operations. + +## __Amazon Bedrock AgentCore__ + - ### Features + - Provide support to perform deterministic operations on agent runtime through shell command executions via the new InvokeAgentRuntimeCommand API + +## __Amazon Bedrock AgentCore Control__ + - ### Features + - Supporting hosting of public ECR Container Images in AgentCore Runtime + +## __Amazon EC2 Container Service__ + - ### Features + - Amazon ECS now supports configuring whether tags are propagated to the EC2 Instance Metadata Service (IMDS) for instances launched by the Managed Instances capacity provider. This gives customers control over tag visibility in IMDS when using ECS Managed Instances. + +# __2.42.13__ __2026-03-13__ +## __AWS Config__ + - ### Features + - Fix pagination support for DescribeConformancePackCompliance, and update OrganizationConfigRule InputParameters max length to match ConfigRule. + +## __AWS Elemental MediaConvert__ + - ### Features + - This update adds support for Dolby AC-4 audio output, frame rate conversion between non-Dolby Vision inputs to Dolby Vision outputs, and clear lead CMAF HLS output. + +## __AWS Elemental MediaLive__ + - ### Features + - Documents the VideoDescription.ScalingBehavior.SMART(underscore)CROP enum value. + +## __AWS Glue__ + - ### Features + - Add QuerySessionContext to BatchGetPartitionRequest + +## __AWS SDK for Java v2__ + - ### Features + - Updated endpoint and partition metadata. + + - ### Bugfixes + - upgrade maven-compiler-plugin to 3.14.1 + - Contributed by: [@sullis](https://github.com/sullis) + +## __Amazon API Gateway__ + - ### Features + - API Gateway now supports an additional security policy "SecurityPolicy-TLS13-1-2-FIPS-PFS-PQ-2025-09" for REST APIs and custom domain names. The new policy is compliant with TLS 1.3, Federal Information Processing Standards (FIPS), Perfect Forward Secrecy (PFS), and post-quantum (PQ) cryptography + +## __Amazon Connect Service__ + - ### Features + - Deprecating PredefinedNotificationID field + +## __Amazon GameLift Streams__ + - ### Features + - Feature launch that enables customers to connect streaming sessions to their own VPCs running in AWS. + +## __Amazon Interactive Video Service RealTime__ + - ### Features + - Updates maximum reconnect window seconds from 60 to 300 for participant replication + +## __Amazon QuickSight__ + - ### Features + - The change adds a new capability named ManageSharedFolders in Custom Permissions + +## __Amazon S3__ + - ### Features + - Added `expectContinueEnabled` to `S3Configuration` to control the `Expect: 100-continue` header on PutObject and UploadPart requests. When set to `false`, the SDK stops adding the header. For Apache HTTP client users, to have `ApacheHttpClient.builder().expectContinueEnabled()` fully control the header, set `expectContinueEnabled(false)` on `S3Configuration`. + +## __Application Migration Service__ + - ### Features + - Network Migration APIs are now publicly available for direct programmatic access. Customers can now call Network Migration APIs directly without going through AWS Transform (ATX), enabling automation, integration with existing tools, and self-service migration workflows. + +## __Contributors__ +Special thanks to the following contributors to this release: + +[@sullis](https://github.com/sullis) +# __2.42.12__ __2026-03-12__ +## __AWS DataSync__ + - ### Features + - DataSync's 3 location types, Hadoop Distributed File System (HDFS), FSx for Windows File Server (FSx Windows), and FSx for NetApp ONTAP (FSx ONTAP) now have credentials managed via Secrets Manager, which may be encrypted with service keys or be configured to use customer-managed keys or secret. + +## __AWS SDK for Java v2__ + - ### Features + - Updated endpoint and partition metadata. + + - ### Bugfixes + - Updating Lakefromation Access Grants Plugin version to 1.4.1 + - Contributed by: [@akhilyendluri](https://github.com/akhilyendluri) + +## __Amazon Cloudfront__ + - ### Features + - Add support for resourceUrlPattern to `CloudFrontUtilities.getCookiesForCustomPolicy`. + +## __Amazon DynamoDB Enhanced Client__ + - ### Features + - Added dynamoDbClient() and dynamoDbAsyncClient() default methods to DynamoDbEnhancedClient and DynamoDbEnhancedAsyncClient interfaces to allow access to the underlying low-level client. Fixes [#6654](https://github.com/aws/aws-sdk-java-v2/issues/6654) + +## __Amazon Elastic Container Registry__ + - ### Features + - Add Chainguard to PTC upstreamRegistry enum + +## __Amazon Simple Storage Service__ + - ### Features + - Adds support for account regional namespaces for general purpose buckets. The account regional namespace is a reserved subdivision of the global bucket namespace where only your account can create general purpose buckets. + +## __S3 Transfer Manager__ + - ### Bugfixes + - Fix inaccurate progress tracking for in-memory uploads in the Java-based S3TransferManager. + +## __Contributors__ +Special thanks to the following contributors to this release: + +[@akhilyendluri](https://github.com/akhilyendluri) +# __2.42.11__ __2026-03-11__ +## __AWS CRT-based S3 Client__ + - ### Bugfixes + - Only log `SSL Certificate verification is disabled` warning if trustAllCertificatesEnabled is set to true. + - Contributed by: [@bsmelo](https://github.com/bsmelo) + +## __AWS SDK for Java v2__ + - ### Features + - Updated endpoint and partition metadata. + + - ### Bugfixes + - Updating Lakeformation Access Grants Plugin version to 1.4 + +## __AWS SDK for Java v2 Migration Tool__ + - ### Bugfixes + - Strip quotes in getETag response + +## __Amazon Connect Customer Profiles__ + - ### Features + - Today, Amazon Connect is announcing the ability to filter (include or exclude) recommendations based on properties of items and interactions. + +## __Amazon DynamoDB Enhanced Client__ + - ### Features + - Improved performance by adding a fast path avoiding wrapping of String and Byte types + +## __Amazon Elastic Kubernetes Service__ + - ### Features + - Adds support for a new tier in controlPlaneScalingConfig on EKS Clusters. + +## __Amazon Polly__ + - ### Features + - Added support for the new voices - Ambre (fr-FR), Beatrice (it-IT), Florian (fr-FR), Lennart (de-DE), Lorenzo (it-IT) and Tiffany (en-US). They are available as a Generative voices only. + +## __Amazon S3__ + - ### Bugfixes + - Fixed misleading checksum mismatch error message for S3 GetObject that incorrectly referenced uploading. See [#6324](https://github.com/aws/aws-sdk-java-v2/issues/6324). + +## __Amazon SageMaker Service__ + - ### Features + - SageMaker training plans allow you to extend your existing training plans to avoid workload interruptions without workload reconfiguration. When a training plan is approaching expiration, you can extend it directly through the SageMaker AI console or programmatically using the API or AWS CLI. + +## __Amazon SimpleDB v2__ + - ### Features + - Introduced Amazon SimpleDB export functionality enabling domain data export to S3 in JSON format. Added three new APIs StartDomainExport, GetExport, and ListExports via SimpleDBv2 service. Supports cross-region exports and KMS encryption. + +## __Amazon WorkSpaces__ + - ### Features + - Added WINDOWS SERVER 2025 OperatingSystemName. + +## __Contributors__ +Special thanks to the following contributors to this release: + +[@bsmelo](https://github.com/bsmelo) +# __2.42.10__ __2026-03-10__ +## __AWS Database Migration Service__ + - ### Features + - Not need to include to any release notes. The only change is to correct LoadTimeout unit from milliseconds to seconds in RedshiftSettings + +## __AWS SDK for Java v2__ + - ### Features + - Updated endpoint and partition metadata. + +## __AWS SDK for Java v2 Code Generator__ + - ### Features + - Improve model validation error message for operations missing request URI. + +## __Amazon Bedrock AgentCore Control__ + - ### Features + - Adding first class support for AG-UI protocol in AgentCore Runtime. + +## __Amazon Connect Cases__ + - ### Features + - Added functionality for the Required and Hidden case rule types to be conditionally evaluated on up to 5 conditions. + +## __Amazon Lex Model Building V2__ + - ### Features + - This release introduces a new generative AI feature called Lex Bot Analyzer. This feature leverage AI to analyze the bot configuration against AWS Lex best practices to identify configuration issues and provides recommendations. + +## __Managed Streaming for Kafka__ + - ### Features + - Add dual stack endpoint to SDK + +# __2.42.9__ __2026-03-09__ +## __AWS Identity and Access Management__ + - ### Features + - Added support for CloudWatch Logs long-term API keys, currently available in Preview + +## __AWS SDK for Java v2__ + - ### Bugfixes + - Implement reset() for XxHashChecksum to allow checksum reuse. + +## __Amazon OpenSearch Service__ + - ### Features + - This change enables cross-account and cross-region access for DataSources. Customers can now define access policies on their datasources to allow other AWS accounts to access and query their data. + +## __Amazon Route 53 Global Resolver__ + - ### Features + - Adds support for dual stack Global Resolvers and Dictionary-based Domain Generation Firewall Advanced Protection. + +## __Application Migration Service__ + - ### Features + - Adds support for new storeSnapshotOnLocalZone field in ReplicationConfiguration and updateReplicationConfiguration + +# __2.42.8__ __2026-03-06__ +## __AWS Billing and Cost Management Data Exports__ + - ### Features + - Fixed wrong endpoint resolutions in few regions. Added AWS CFN resource schema for BCM Data Exports. Added max value validation for pagination parameter. Fixed ARN format validation for BCM Data Exports resources. Updated size constraints for table properties. Added AccessDeniedException error. + +## __AWS SDK for Java v2__ + - ### Features + - Updated endpoint and partition metadata. + +## __AWSDeadlineCloud__ + - ### Features + - AWS Deadline Cloud now supports cost scale factors for farms, enabling studios to adjust reported costs to reflect their actual rendering economics. Adjusted costs are reflected in Deadline Cloud's Usage Explorer and Budgets. + +## __Amazon AppIntegrations Service__ + - ### Features + - This release adds support for webhooks, allowing customers to create an Event Integration with a webhook source. + +## __Amazon Bedrock__ + - ### Features + - Amazon Bedrock Guardrails account-level enforcement APIs now support lists for model inclusion and exclusion from guardrail enforcement. + +## __Amazon Bedrock AgentCore Control__ + - ### Features + - Adds support for streaming memory records in AgentCore Memory + +## __Amazon Connect Service__ + - ### Features + - Amazon Connect now supports the ability to programmatically configure and run automated tests for contact center experiences for Chat. Integrate testing into CICD pipelines, run multiple tests at scale, and retrieve results via API to automate validation of chat interactions and workflows. + +## __Amazon GameLift Streams__ + - ### Features + - Added new Gen6 stream classes based on the EC2 G6f instance family. These stream classes provide cost-optimized options for streaming well-optimized or lower-fidelity games on Windows environments. + +## __Amazon Simple Email Service__ + - ### Features + - Adds support for longer email message header values, increasing the maximum length from 870 to 995 characters for RFC 5322 compliance. + +# __2.42.7__ __2026-03-05__ +## __AWS Multi-party Approval__ + - ### Features + - Updates to multi-party approval (MPA) service to add support for approval team baseline operations. + +## __AWS SDK for Java v2__ + - ### Features + - Updated endpoint and partition metadata. + + - ### Bugfixes + - Fixed a thread leak in ResponseInputStream and ResponsePublisher where the internal timeout scheduler thread persisted for the lifetime of the JVM, even when no streams were active. The thread now terminates after being idle for 60 seconds. + +## __AWS Savings Plans__ + - ### Features + - Added support for OpenSearch and Neptune Analytics to Database Savings Plans. + +## __Amazon Elastic Compute Cloud__ + - ### Features + - Added metadata field to CapacityAllocation. + +## __Amazon GuardDuty__ + - ### Features + - Added MALICIOUS FILE to IndicatorType enum in MDC Sequence + +## __Amazon SageMaker Service__ + - ### Features + - Adds support for S3 Bucket Ownership validation for SageMaker Managed MLflow. + +## __Connect Health__ + - ### Features + - Connect-Health SDK is AWS's unified SDK for the Amazon Connect Health offering. It allows healthcare developers to integrate purpose-built agents - such as patient insights, ambient documentation, and medical coding - into their existing applications, including EHRs, telehealth, and revenue cycle. + +# __2.42.6__ __2026-03-04__ +## __AWS Elastic Beanstalk__ + - ### Features + - As part of this release, Beanstalk introduce a new info type - analyze for request environment info and retrieve environment info operations. When customers request an Al analysis, Elastic Beanstalk runs a script on an instance in their environment and returns an analysis of events, health and logs. + +## __Amazon Connect Service__ + - ### Features + - Added support for configuring additional email addresses on queues in Amazon Connect. Agents can now select an outbound email address and associate additional email addresses for replying to or initiating emails. + +## __Amazon Elasticsearch Service__ + - ### Features + - Adds support for DeploymentStrategyOptions. + +## __Amazon GameLift__ + - ### Features + - Amazon GameLift Servers now offers DDoS protection for Linux-based EC2 and Container Fleets on SDKv5. The player gateway proxy relay network provides traffic validation, per-player rate limiting, and game server IP address obfuscation all with negligible added latency and no additional cost. + +## __Amazon OpenSearch Service__ + - ### Features + - Adding support for DeploymentStrategyOptions + +## __Amazon QuickSight__ + - ### Features + - Added several new values for Capabilities, increased visual limit per sheet from previous limit to 75, renamed Quick Suite to Quick in several places. + +# __2.42.5__ __2026-03-03__ +## __AWS SDK for Java v2__ + - ### Features + - Updated endpoint and partition metadata. + +## __Amazon Bedrock AgentCore Control__ + - ### Features + - Support for AgentCore Policy GA + +## __Amazon CloudWatch Logs__ + - ### Features + - CloudWatch Logs updates- Added support for the PutBearerTokenAuthentication API to enable or disable bearer token authentication on a log group. For more information, see CloudWatch Logs API documentation. + +## __Amazon DataZone__ + - ### Features + - Adding QueryGraph operation to DataZone SDK + +## __Amazon SageMaker Service__ + - ### Features + - This release adds b300 and g7e instance types for SageMaker inference endpoints. + +## __Partner Central Channel API__ + - ### Features + - Adds the Resold Unified Operations support plan and removes the Resold Business support plan in the CreateRelationship and UpdateRelationship APIs + +# __2.42.4__ __2026-02-27__ +## __ARC - Region switch__ + - ### Features + - Post-Recovery Workflows enable customers to maintain comprehensive disaster recovery automation. This allows customer SREs and leadership to have complete recovery orchestration from failover through post-recovery preparation, ensuring Regions remain ready for subsequent recovery events. + +## __AWS Batch__ + - ### Features + - This feature allows customers to specify the minimum time (in minutes) that AWS Batch keeps instances running in a compute environment after all jobs on the instance complete + +## __AWS Health APIs and Notifications__ + - ### Features + - Updates the regex for validating availabilityZone strings used in the describe events filters. + +## __AWS Resource Access Manager__ + - ### Features + - Resource owners can now specify ResourceShareConfiguration request parameter for CreateResourceShare API including RetainSharingOnAccountLeaveOrganization boolean parameter + +## __Amazon Bedrock__ + - ### Features + - Added four new model lifecycle date fields, startOfLifeTime, endOfLifeTime, legacyTime, and publicExtendedAccessTime. Adds support for using the Converse API with Bedrock Batch inference jobs. + +## __Amazon Cognito Identity Provider__ + - ### Features + - Cognito is introducing a two-secret rotation model for app clients, enabling seamless credential rotation without downtime. Dedicated APIs support passing in a custom secret. Custom secrets need to be at least 24 characters. This eliminates reconfiguration needs and reduces security risks. + +## __Amazon Connect Customer Profiles__ + - ### Features + - This release introduces an optional SourcePriority parameter to the ProfileObjectType APIs, allowing you to control the precedence of object types when ingesting data from multiple sources. Additionally, WebAnalytics and Device have been added as new StandardIdentifier values. + +## __Amazon Connect Service__ + - ### Features + - Deprecate EvaluationReviewMetadata's CreatedBy and CreatedTime, add EvaluationReviewMetadata's RequestedBy and RequestedTime + +## __Amazon Keyspaces Streams__ + - ### Features + - Added support for Change Data Capture (CDC) streams with Duration DataType. + +## __Amazon Transcribe Streaming Service__ + - ### Features + - AWS Transcribe Streaming now supports specifying a resumption window for the stream through the SessionResumeWindow parameter, allowing customers to reconnect to their streams for a longer duration beyond stream start time. + +## __odb__ + - ### Features + - ODB Networking Route Management is a feature improvement which allows for implicit creation and deletion of EC2 Routes in the Peer Network Route Table designated by the customer via new optional input. This feature release is combined with Multiple App-VPC functionality for ODB Network Peering(s). + +# __2.42.3__ __2026-02-26__ +## __AWS Backup Gateway__ + - ### Features + - This release updates GetGateway API to include deprecationDate and softwareVersion in the response, enabling customers to track gateway software versions and upcoming deprecation dates. + +## __AWS Marketplace Entitlement Service__ + - ### Features + - Added License Arn as a new optional filter for GetEntitlements and LicenseArn field in each entitlement in the response. + +## __AWS SecurityHub__ + - ### Features + - Security Hub added EXTENDED PLAN integration type to DescribeProductsV2 and added metadata.product.vendor name GroupBy support to GetFindingStatisticsV2 + +## __AWSMarketplace Metering__ + - ### Features + - Added LicenseArn to ResolveCustomer response and BatchMeterUsage usage records. BatchMeterUsage now accepts LicenseArn in each UsageRecord to report usage at the license level. Added InvalidLicenseException error response for invalid license parameters. + +## __Amazon EC2 Container Service__ + - ### Features + - Adding support for Capacity Reservations for ECS Managed Instances by introducing a new "capacityOptionType" value of "RESERVED" and new field "capacityReservations" for CreateCapacityProvider and UpdateCapacityProvider APIs. + +## __Amazon Elastic Compute Cloud__ + - ### Features + - Add c8id, m8id and hpc8a instance types. + +## __Apache 5 HTTP Client__ + - ### Features + - Update `httpcore5` to `5.4.1`. + +# __2.42.2__ __2026-02-25__ +## __AWS Batch__ + - ### Features + - AWS Batch documentation update for service job capacity units. + +## __AWS SDK for Java v2__ + - ### Features + - Updated endpoint and partition metadata. + +## __AWS WAFV2__ + - ### Features + - AWS WAF now supports GetTopPathStatisticsByTraffic that provides aggregated statistics on the top URI paths accessed by bot traffic. Use this operation to see which paths receive the most bot traffic, identify the specific bots accessing them, and filter by category, organization, or bot name. + +## __Amazon Elastic Compute Cloud__ + - ### Features + - Add support for EC2 Capacity Blocks in Local Zones. + +## __Amazon Elastic Container Registry__ + - ### Features + - Update repository name regex to comply with OCI Distribution Specification + +## __Amazon Neptune__ + - ### Features + - Neptune global clusters now supports tags + +# __2.42.1__ __2026-02-24__ +## __AWS Elemental Inference__ + - ### Features + - Initial GA launch for AWS Elemental Inference including capabilities of Smart Crop and Live Event Clipping + +## __AWS Elemental MediaLive__ + - ### Features + - AWS Elemental MediaLive - Added support for Elemental Inference for Smart Cropping and Clipping features for MediaLive. + +## __Amazon CloudWatch__ + - ### Features + - This release adds the APIs (PutAlarmMuteRule, ListAlarmMuteRules, GetAlarmMuteRule and DeleteAlarmMuteRule) to manage a new Cloudwatch resource, AlarmMuteRules. AlarmMuteRules allow customers to temporarily mute alarm notifications during expected downtime periods. + +## __Amazon Elastic Compute Cloud__ + - ### Features + - Adds httpTokensEnforced property to ModifyInstanceMetadataDefaults API. Set per account or manage organization-wide using declarative policies to prevent IMDSv1-enabled instance launch and block attempts to enable IMDSv1 on existing IMDSv2-only instances. + +## __Amazon Elasticsearch Service__ + - ### Features + - Fixed HTTP binding for DescribeDomainAutoTunes API to correctly pass request parameters as query parameters in the HTTP request. + +## __Amazon OpenSearch Service__ + - ### Features + - Fixed HTTP binding for DescribeDomainAutoTunes API to correctly pass request parameters as query parameters in the HTTP request. + +## __CloudWatch Observability Admin Service__ + - ### Features + - Adding a new field in the CreateCentralizationRuleForOrganization, UpdateCentralizationRuleForOrganization API and updating the GetCentralizationRuleForOrganization API response to include the new field + +## __Partner Central Selling API__ + - ### Features + - Added support for filtering opportunities by target close date in the ListOpportunities API. You can now filter results to return opportunities with a target close date before or after a specified date, enabling more precise opportunity searches based on expected closure timelines. + +# __2.42.0__ __2026-02-23__ +## __AWS Control Catalog__ + - ### Features + - Updated ExemptedPrincipalArns parameter documentation for improved accuracy + +## __AWS MediaTailor__ + - ### Features + - Updated endpoint rule set for dualstack endpoints. Added a new opt-in option to log raw ad decision server requests for Playback Configurations. + +## __AWS SDK for Java v2__ + - ### Features + - Add support for additional checksum algorithms: XXHASH64, XXHASH3, XXHASH128, SHA512. + - Updated endpoint and partition metadata. + +## __AWS Wickr Admin API__ + - ### Features + - AWS Wickr now provides APIs to manage your Wickr OpenTDF integration. These APIs enable you to test and save your OpenTDF configuration allowing you to manage rooms based on Trusted Data Format attributes. + +## __Amazon Bedrock__ + - ### Features + - Automated Reasoning checks in Amazon Bedrock Guardrails now support fidelity report generation. The new workflow type assesses policy coverage and accuracy against customer documents. The GetAutomatedReasoningPolicyBuildWorkflowResultAssets API adds support for the three new asset types. + +## __Amazon Connect Cases__ + - ### Features + - SearchCases API can now accept 25 fields in the request and response as opposed to the previous limit of 10. DeleteField's hard limit of 100 fields per domain has been lifted. + +## __Amazon DataZone__ + - ### Features + - Add workflow properties support to connections APIs + +## __Amazon DynamoDB__ + - ### Features + - This change supports the creation of multi-account global tables. It adds one new arguments to UpdateTable, GlobalTableSettingsReplicationMode. + +## __Amazon QuickSight__ + - ### Features + - Adds support for SEMISTRUCT to InputColumn Type + diff --git a/archetypes/archetype-app-quickstart/pom.xml b/archetypes/archetype-app-quickstart/pom.xml index 1300852ef15a..2ee5ca83b43d 100644 --- a/archetypes/archetype-app-quickstart/pom.xml +++ b/archetypes/archetype-app-quickstart/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 diff --git a/archetypes/archetype-lambda/pom.xml b/archetypes/archetype-lambda/pom.xml index 441f0bf6626b..d5c9bbc191e1 100644 --- a/archetypes/archetype-lambda/pom.xml +++ b/archetypes/archetype-lambda/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 archetype-lambda diff --git a/archetypes/archetype-tools/pom.xml b/archetypes/archetype-tools/pom.xml index 2fe4fa545b9d..f31cd09c1f3c 100644 --- a/archetypes/archetype-tools/pom.xml +++ b/archetypes/archetype-tools/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 diff --git a/archetypes/pom.xml b/archetypes/pom.xml index f51f6eadf8e3..658fd84b5db6 100644 --- a/archetypes/pom.xml +++ b/archetypes/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 archetypes diff --git a/aws-sdk-java/pom.xml b/aws-sdk-java/pom.xml index d9d42c6510df..b5c84f3a7699 100644 --- a/aws-sdk-java/pom.xml +++ b/aws-sdk-java/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ../pom.xml aws-sdk-java diff --git a/bom-internal/pom.xml b/bom-internal/pom.xml index f8c8a732685c..9c65a1b1b41d 100644 --- a/bom-internal/pom.xml +++ b/bom-internal/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 diff --git a/bom/pom.xml b/bom/pom.xml index c894d989cb24..c2e184f57cb9 100644 --- a/bom/pom.xml +++ b/bom/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ../pom.xml bom diff --git a/bundle-logging-bridge/pom.xml b/bundle-logging-bridge/pom.xml index 59dca2ee0f96..6ef6802f53fc 100644 --- a/bundle-logging-bridge/pom.xml +++ b/bundle-logging-bridge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT bundle-logging-bridge jar diff --git a/bundle-sdk/pom.xml b/bundle-sdk/pom.xml index 1fe823c12bc5..001932c1b77c 100644 --- a/bundle-sdk/pom.xml +++ b/bundle-sdk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT bundle-sdk jar diff --git a/bundle/pom.xml b/bundle/pom.xml index fa2df31454bb..4e6ed251d747 100644 --- a/bundle/pom.xml +++ b/bundle/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT bundle jar diff --git a/changelogs/2.42.x-CHANGELOG.md b/changelogs/2.42.x-CHANGELOG.md deleted file mode 100644 index afe9c0d8df90..000000000000 --- a/changelogs/2.42.x-CHANGELOG.md +++ /dev/null @@ -1,1345 +0,0 @@ - #### 👋 _Looking for changelogs for older versions? You can find them in the [changelogs](./changelogs) directory._ -# __2.42.35__ __2026-04-16__ -## __AWS DevOps Agent Service__ - - ### Features - - Deprecate the userId from the Chat operations. This update also removes support of AllowVendedLogDeliveryForResource API from AWS SDKs. - -## __AWS Elemental MediaConvert__ - - ### Features - - Adds support for Elemental Inference powered smart crop feature, enabling video verticalization - -## __AWS SDK for Java v2__ - - ### Features - - Add HTTP client configuration type metadata to the User-Agent header, tracking whether the HTTP client was auto-detected from the classpath, an explicit client instance or client builder configured by the customer. - - Updated endpoint and partition metadata. - - - ### Bugfixes - - Fixed an issue where using a getObject ResponsePublisher as a putObject request body with the CRT HTTP client could cause the SDK to hang on retry when the server returns a retryable error. - -## __Amazon AppStream__ - - ### Features - - Add content redirection to Update Stack - -## __Amazon Bedrock AgentCore__ - - ### Features - - Introducing NamespacePath in AgentCore Memory to support hierarchical prefix based memory record retrieval. - -## __Amazon CloudWatch__ - - ### Features - - Update documentation of alarm mute rules start and end date fields - -## __Amazon CloudWatch Logs__ - - ### Features - - Endpoint update for CloudWatch Logs Streaming APIs. - -## __Amazon Cognito Identity Provider__ - - ### Features - - Adds support for passkey-based multi-factor authentication in Cognito User Pools. Users can authenticate securely using FIDO2-compliant passkeys with user verification, enabling passwordless MFA flows while maintaining backward compatibility with password-based authentication - -## __Amazon Connect Cases__ - - ### Features - - Added error handling for service quota limits - -## __Amazon Connect Customer Profiles__ - - ### Features - - Amazon Connect Customer Profiles adds RecommenderSchema CRUD APIs for custom ML training columns. CreateRecommender and CreateRecommenderFilter now accept optional RecommenderSchemaName. - -## __Amazon Connect Service__ - - ### Features - - This release updates the Amazon Connect Rules CRUD APIs to support a new EventSourceName - OnEmailAnalysisAvailable. Use this event source to trigger rules when conversational analytics results are available for email contacts. - -## __Amazon DataZone__ - - ### Features - - Launching SMUS IAM domain SDK support - -## __Amazon Relational Database Service__ - - ### Features - - Adds a new DescribeServerlessV2PlatformVersions API to describe platform version properties for Aurora Serverless v2. Also introduces a new valid maintenance action value for serverless platform version updates. - -## __Amazon SNS Message Manager__ - - ### Features - - This change introduces the SNS Message Manager for 2.x, a library used to parse and validate messages received from SNS. This aims to provide the same functionality as [SnsMessageManager](https://docs.aws.amazon.com/AWSJavaSDK/latest/javadoc/com/amazonaws/services/sns/message/SnsMessageManager.html) from 1.x. - -## __Apache 5 HTTP Client__ - - ### Features - - Update `httpcore5` to `5.4.2`. - -## __Auto Scaling__ - - ### Features - - This release adds support for specifying Availability Zone IDs as an alternative to Availability Zone names when creating or updating Auto Scaling groups. - -## __Elastic Disaster Recovery Service__ - - ### Features - - Updating regex for identification of AWS Regions. - -# __2.42.34__ __2026-04-13__ -## __AWS Glue__ - - ### Features - - AWS Glue now defaults to Glue version 5.1 for newly created jobs if the Glue version is not specified in the request, and UpdateJob now preserves the existing Glue version of a job when the Glue version is not specified in the update request. - -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - -## __AWS SecurityHub__ - - ### Features - - Provide organizational unit scoping capability for GetFindingsV2, GetFindingStatisticsV2, GetResourcesV2, GetResourcesStatisticsV2 APIs. - -## __AWSDeadlineCloud__ - - ### Features - - Adds GetMonitorSettings and UpdateMonitorSettings APIs to Deadline Cloud. Enables reading and writing monitor settings as key-value pairs (up to 64 keys per monitor). UpdateMonitorSettings supports upsert and delete (via empty value) semantics and is idempotent. - -## __Amazon Connect Customer Profiles__ - - ### Features - - This release introduces changes to SegmentDefinition APIs to support sorting by attributes. - -## __Amazon DynamoDB Enhanced Client__ - - ### Bugfixes - - Fix AutoGeneratedTimestampRecordExtension failing on @DynamoDbConvertedBy list attributes - -## __Amazon Macie 2__ - - ### Features - - This release adds an optional expectedBucketOwner field to the Macie S3 export configuration, allowing customers to verify bucket ownership before Macie writes results to the destination bucket. - -## __Interconnect__ - - ### Features - - Initial release of AWS Interconnect -- a managed private connectivity service that enables you to create high-speed network connections between your AWS Virtual Private Clouds (VPCs) and your VPCs on other public clouds or your on-premise networks. - -# __2.42.33__ __2026-04-10__ -## __AWS DevOps Agent Service__ - - ### Features - - Devops Agent now supports associate Splunk, Datadog and custom MCP server to an Agent Space. - -## __AWS Elemental MediaConvert__ - - ### Features - - Adds support for MV-HEVC video output and clear lead for AV1 DRM output. - -## __Amazon Connect Service__ - - ### Features - - Conversational Analytics for Email - -## __Amazon EC2 Container Service__ - - ### Features - - Minor updates to exceptions for completeness - -## __Amazon SageMaker Service__ - - ### Features - - Support new SageMaker StartClusterHealthCheck API for on-demand DHC on Hyperpod EKS cluster. Support updated CreateCluster, UpdateCluster, DescribeCluster, BatchAddClusterNodes APIs for flexible instance group on HyperPod cluster - -## __CloudWatch Observability Admin Service__ - - ### Features - - CloudWatch Observability Admin adds support for multi-region telemetry evaluation and telemetry enablement rules. - -## __EC2 Image Builder__ - - ### Features - - Image pipelines can now automatically apply tags to images they create. Set the imageTags property when creating or updating your pipelines to get started. - -## __Netty NIO HTTP Client__ - - ### Bugfixes - - Added idle body write detection to proactively close connections when no request body data is written within the write timeout period. - -## __RTBFabric__ - - ### Features - - Adds optional health check configuration for Responder Gateways with ASG Managed Endpoints. When provided, RTB Fabric continuously probes customers' instance IPs and routes traffic only to healthy ones, reducing errors during deployments, scaling events, and instance failures. - -# __2.42.32__ __2026-04-09__ -## __AWS Billing and Cost Management Dashboards__ - - ### Features - - Scheduled email reports of Billing and Cost Management Dashboards - -## __AWS MediaConnect__ - - ### Features - - Adds support for MediaLive Channel-type Router Inputs. - -## __Amazon Bedrock AgentCore__ - - ### Features - - Introducing support for SearchRegistryRecords API on AgentCoreRegistry - -## __Amazon Bedrock AgentCore Control__ - - ### Features - - Initial release for CRUDL in AgentCore Registry Service - -## __Amazon SageMaker Service__ - - ### Features - - Release support for g7e instance types for SageMaker HyperPod - -## __Redshift Data API Service__ - - ### Features - - The BatchExecuteStatement API now supports named SQL parameters, enabling secure batch queries with parameterized values. This enhancement helps prevent SQL injection vulnerabilities and improves query reusability. - -# __2.42.31__ __2026-04-08__ -## __AWS Backup__ - - ### Features - - Adding EKS specific backup vault notification types for AWS Backup. - -## __AWS Elemental MediaLive__ - - ### Features - - MediaLive is adding support for MediaConnect Router by supporting a new output type called MEDIACONNECT ROUTER. This new output type will provide seamless encrypted transport between your MediaLive channel and MediaConnect Router. - -## __AWS Marketplace Discovery__ - - ### Features - - AWS Marketplace Discovery API provides an interface that enables programmatic access to the AWS Marketplace catalog, including searching and browsing listings, retrieving product details and fulfillment options, and accessing public and private offer pricing and terms. - -## __AWS Outposts__ - - ### Features - - Add AWS Outposts APIs to view renewal pricing options and submit renewal requests for Outpost contracts - -## __Amazon DynamoDB Enhanced Client__ - - ### Features - - Added support for @DynamoDbAutoGeneratedTimestampAttribute on attributes within nested objects. - -## __Amazon Elastic Container Registry__ - - ### Features - - Add UnableToListUpstreamImageReferrersException in ListImageReferrers - -## __Amazon Interactive Video Service RealTime__ - - ### Features - - Adds support for Amazon IVS real-time streaming redundant ingest. - -## __Elastic Disaster Recovery Service__ - - ### Features - - This changes adds support for modifying the replication configuration to support data replication using IPv6. - -# __2.42.30__ __2026-04-07__ -## __AWS DataSync__ - - ### Features - - Allow IAM role ARNs with IAM Paths for "SecretAccessRoleArn" field in "CustomSecretConfig" - -## __AWS Lambda__ - - ### Features - - Launching Lambda integration with S3 Files as a new file system configuration. - -## __AWS Outposts__ - - ### Features - - This change allows listAssets to surface pending and non-compute asset information. Adds the INSTALLING asset state enum and the STORAGE, POWERSHELF, SWITCH, and NETWORKING AssetTypes. - -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - -## __Access Analyzer__ - - ### Features - - Revert previous additions of API changes. - -## __Amazon Bedrock AgentCore__ - - ### Features - - This release includes support for 1) InvokeBrowser API, enabling OS-level control of AgentCore Browser Tool sessions through mouse actions, keyboard input, and screenshots. 2) Added documentation noting that empty sessions are automatically deleted after one day in the ListSessions API. - -## __Amazon Connect Service__ - - ### Features - - The voice enhancement mode used by the agent can now be viewed on the contact record via the DescribeContact api. - -## __Amazon DataZone__ - - ### Features - - Update Configurations and registerS3AccessGrantLocation as public attributes for cfn - -## __Amazon EC2 Container Service__ - - ### Features - - This release provides the functionality of mounting Amazon S3 Files to Amazon ECS tasks by adding support for the new S3FilesVolumeConfiguration parameter in ECS RegisterTaskDefinition API. - -## __Amazon Elastic Compute Cloud__ - - ### Features - - EC2 Capacity Manager adds new dimensions for grouping and filtering capacity metrics, including tag-based dimensions and Account Name. - -## __Amazon Elastic Kubernetes Service__ - - ### Features - - EKS MNG WarmPool feature to support ASG WarmPool feature. - -## __Amazon S3 Files__ - - ### Features - - Support for S3 Files, a new shared file system that connects any AWS compute directly with your data in Amazon S3. It provides fast, direct access to all of your S3 data as files with full file system semantics and low-latency performance, without your data ever leaving S3. - -## __Amazon Simple Storage Service__ - - ### Features - - Updated list of the valid AWS Region values for the LocationConstraint parameter for general purpose buckets. - -## __Braket__ - - ### Features - - Added support for t3, g6, and g6e instance types for Hybrid Jobs. - -## __RTBFabric__ - - ### Features - - AWS RTB Fabric External Responder gateways now support HTTP in addition to HTTPS for inbound external links. Gateways can accept bid requests on port 80 or serve both protocols simultaneously via listener configuration, giving customers flexible transport options for their bidding infrastructure - -# __2.42.29__ __2026-04-06__ -## __AWS MediaTailor__ - - ### Features - - This change adds support for Tagging the resource types Programs and Prefetch Schedules - -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - - - ### Bugfixes - - Add business metrics tracking for precomputed checksum headers in requests. - -## __AWS Transfer Family__ - - ### Features - - AWS Transfer Family Connectors now support IPv6 connectivity, enabling outbound connections to remote SFTP or AS2 servers using IPv4-only or dual-stack (IPv4 and IPv6) configurations based on network requirements. - -## __AWSDeadlineCloud__ - - ### Features - - Added 8 batch APIs (BatchGetJob, BatchGetStep, BatchGetTask, BatchGetSession, BatchGetSessionAction, BatchGetWorker, BatchUpdateJob, BatchUpdateTask) for bulk operations. Monitors can now use an Identity Center instance in a different region via the identityCenterRegion parameter. - -## __Access Analyzer__ - - ### Features - - Brookie helps customers preview the impact of SCPs before deployment using historical access activity. It evaluates attached policies and proposed policy updates using collected access activity through CloudTrail authorization events and reports where currently allowed access will be denied. - -## __Amazon Data Lifecycle Manager__ - - ### Features - - This release adds support for Fast Snapshot Restore AvailabilityZone Ids in Amazon Data Lifecycle Manager EBS snapshot lifecycle policies. - -## __Amazon GuardDuty__ - - ### Features - - Migrated to Smithy. No functional changes - -## __Amazon Lightsail__ - - ### Features - - This release adds support for the Asia Pacific (Malaysia) (ap-southeast-5) Region. - -## __Amazon Location Service Maps V2__ - - ### Features - - This release updates API reference documentation for Amazon Location Service Maps APIs to reflect regional restrictions for Grab Maps users - -## __Amazon Q Connect__ - - ### Features - - Added optional originRequestId parameter to SendMessageRequest and ListSpans response in Amazon Q in Connect to support request tracing across service boundaries. - -## __Apache 5 HTTP Client__ - - ### Bugfixes - - Fixed a connection leak that could occur when the thread waiting to acquire a connection from the pool is interrupted. Fixes [#6786](https://github.com/aws/aws-sdk-java-v2/issues/6786). - -## __Netty NIO HTTP Client__ - - ### Bugfixes - - Include channel diagnostics in Read/Write timeout error messages to aid debugging. - -# __2.42.28__ __2026-04-03__ -## __AWS Elemental MediaLive__ - - ### Features - - AWS Elemental MediaLive released a new features that allows customers to use HLG 2020 as a color space for AV1 video codec. - -## __AWS Organizations__ - - ### Features - - Updates close Account quota for member accounts in an Organization. - -## __Agents for Amazon Bedrock__ - - ### Features - - Added strict parameter to ToolSpecification to allow users to enforce strict JSON schema adherence for tool input schemas. - -## __Amazon Bedrock__ - - ### Features - - Amazon Bedrock Guardrails enforcement configuration APIs now support selective guarding controls for system prompts as well as user and assistant messages, along with SDK support for Amazon Bedrock resource policy APIs. - -## __Amazon Bedrock AgentCore Control__ - - ### Features - - Documentation Update for Adds support for three-legged (Authorization Code grant type) OAuth along with predefined MCP tool schema configuration for Amazon Bedrock AgentCore gateway MCP server targets. - -## __Amazon CloudWatch Logs__ - - ### Features - - Added queryDuration, bytesScanned, and userIdentity fields to the QueryInfo response object returned by DescribeQueries. Customers can now view detailed query cost information including who ran the query, how long it took, and the volume of data scanned. - -## __Amazon Lightsail__ - - ### Features - - Add support for tagging of Alarm resource type - -## __EC2 Image Builder__ - - ### Features - - Updated pagination token validation for ListContainerRecipes API to support maximum size of 65K characters - -## __Payment Cryptography Control Plane__ - - ### Features - - Adds optional support to retrieve previously generated import and export tokens to simplify import and export functions - -# __2.42.27__ __2026-04-02__ -## __AWS CRT Async HTTP Client__ - - ### Features - - Add HTTP/2 support in the AWS CRT Async HTTP Client. - -## __AWS Price List Service__ - - ### Features - - This release increases the MaxResults parameter of the GetAttributeValues API from 100 to 10000. - -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - -## __AWSDeadlineCloud__ - - ### Features - - AWS Deadline Cloud now supports configurable scheduling on each queue. The scheduling configuration controls how workers are distributed across jobs. - -## __Amazon AppStream__ - - ### Features - - Amazon WorkSpaces Applications now supports drain mode for instances in multi-session fleets. This capability allows administrators to instruct individual fleet instances to stop accepting new user sessions while allowing existing sessions to continue uninterrupted. - -## __Amazon Bedrock AgentCore Control__ - - ### Features - - Adds support for three-legged (Authorization Code grant type) OAuth along with predefined MCP tool schema configuration for Amazon Bedrock AgentCore gateway MCP server targets. - -## __Amazon Bedrock Runtime__ - - ### Features - - Relax ToolUseId pattern to allow dots and colons - -## __Amazon CloudWatch__ - - ### Features - - CloudWatch now supports OTel enrichment to make vended metrics for supported AWS resources queryable via PromQL with resource ARN and tag labels, and PromQL alarms for metrics ingested via the OTLP endpoint with multi-contributor evaluation. - -## __Amazon CloudWatch Logs__ - - ### Features - - We are pleased to announce that our logs transformation csv processor now has a destination field, allowing you to specify under which parent node parsed columns be placed under. - -## __Amazon Connect Service__ - - ### Features - - Include CUSTOMER to evaluation target and participant role. Support Korean, Japanese and Simplified Chinese in evaluation forms. - -## __Amazon GameLift__ - - ### Features - - Amazon GameLift Servers now includes a ComputeName field in game session API responses, making it easier to identify which compute is hosting a game session without cross-referencing IP addresses. - -## __Amazon Location Service Places V2__ - - ### Features - - This release updates API reference documentation for Amazon Location Service Places APIs to reflect regional restrictions for Grab Maps users in ReverseGeocode, Suggest, SearchText, and GetPlace operations - -## __Data Automation for Amazon Bedrock__ - - ### Features - - Data Automation Library is a BDA capability that lets you create reusable entity resources to improve extraction accuracy. Libraries support Custom Vocabulary entities that enhance speech recognition for audio and video content with domain-specific terminology shared across projects - -# __2.42.26__ __2026-04-01__ -## __AWS Health Imaging__ - - ### Features - - Added new boolean flag to persist metadata updates to all primary image sets in the same study as the requested image set. - -## __Amazon Bedrock__ - - ### Features - - Adds support for Bedrock Batch Inference Job Progress Monitoring - -## __Amazon Bedrock AgentCore__ - - ### Features - - Added the ability to filter out empty sessions when listing sessions. Customers can now retrieve only sessions that still contain events, eliminating the need to check each session individually. No changes required for existing integrations. - -## __Amazon Bedrock AgentCore Control__ - - ### Features - - Adds support for VPC egress private endpoints for Amazon Bedrock AgentCore gateway targets, enabling private connectivity through managed VPC Lattice resources. Also adds IAM credential provider for gateway targets, enabling IAM-based authentication to target endpoints - -## __Amazon EC2 Container Service__ - - ### Features - - Amazon ECS now supports Managed Daemons with dedicated APIs for registering daemon task definitions, creating daemons, and managing daemon deployments. - -## __Amazon ElastiCache__ - - ### Features - - Updated SnapshotRetentionLimit documentation for ServerlessCache to correctly describe the parameter as number of days (max 35) instead of number of snapshots. - -## __Amazon Elasticsearch Service__ - - ### Features - - Adding Policy-Min-TLS-1-2-RFC9151-FIPS-2024-08 as TLS Policy in Supported Regions - -## __Amazon Location Service Routes V2__ - - ### Features - - This release makes RoutingBoundary optional in CalculateRouteMatrix, set StopDuration with a maximum value of 49999 for CalculateRoutes, set TrailerCount with a maximum value of 4, and introduces region restrictions for Grab Maps users. - -## __Amazon OpenSearch Service__ - - ### Features - - Adding Policy-Min-TLS-1-2-RFC9151-FIPS-2024-08 as TLS Policy in Supported Regions - -## __Apache 5 HTTP Client__ - - ### Features - - Disable Expect 100-Continue by default in the Apache5 HTTP Client. - -# __2.42.25__ __2026-03-31__ -## __AWS CRT HTTP Client__ - - ### Bugfixes - - Enabled default connection health monitoring for the AWS CRT HTTP client. Connections that remain stalled below 1 byte per second for the duration the read/write timeout (default 30 seconds) are now automatically terminated. This behavior can be overridden via ConnectionHealthConfiguration. - -## __AWS Certificate Manager__ - - ### Features - - Adds support for searching for ACM certificates using the new SearchCertificates API. - -## __AWS Data Exchange__ - - ### Features - - Support Tags for AWS Data Exchange resource Assets - -## __AWS Database Migration Service__ - - ### Features - - To successfully connect to the IBM DB2 LUW database server, you may need to specify additional security parameters that are passed to the JDBC driver. These parameters are EncryptionAlgorithm and SecurityMechanism. Both parameters accept integer values. - -## __AWS DevOps Agent Service__ - - ### Features - - AWS DevOps Agent service General Availability release. - -## __AWS Marketplace Agreement Service__ - - ### Features - - This release adds 8 new APIs for AWS Marketplace sellers. 4 APIs for Cancellations (Send, List, Get, Cancel action on AgreementCancellationRequest), 3 APIs for Billing Adjustments (BatchCreate, List, Get action on BillingAdjustmentRequest), and 1 API to List Invoices (ListAgreementInvoiceLineItems) - -## __AWS Organizations__ - - ### Features - - Added Path field to Account and OrganizationalUnit objects in AWS Organizations API responses. - -## __AWS S3 Control__ - - ### Features - - Adding an optional auditContext parameter to S3 Access Grants credential vending API GetDataAccess to enable job-level audit correlation in S3 CloudTrail logs - -## __AWS SDK for Java v2__ - - ### Features - - Update Netty to 4.1.132 - - Contributed by: [@mrdziuban](https://github.com/mrdziuban) - -## __AWS SDK for Java v2 Migration Tool__ - - ### Bugfixes - - Fix bug for v1 getUserMetaDataOf transform - -## __AWS Security Agent__ - - ### Features - - AWS Security Agent is a service that proactively secures applications throughout the development lifecycle with automated security reviews and on-demand penetration testing. - -## __AWS Sustainability__ - - ### Features - - This is the first release of the AWS Sustainability SDK, which enables customers to access their sustainability impact data via API. - -## __Amazon CloudFront__ - - ### Features - - This release adds bring your own IP (BYOIP) IPv6 support to CloudFront's CreateAnycastIpList and UpdateAnycastIpList API through the IpamCidrConfigs field. - -## __Amazon DataZone__ - - ### Features - - Adds environmentConfigurationName field to CreateEnvironmentInput and UpdateEnvironmentInput, so that Domain Owners can now recover orphaned environments by recreating deleted configurations with the same name, and will auto-recover orphaned environments - -## __Amazon DynamoDB Enhanced Client__ - - ### Bugfixes - - Returning correct operation name for DeleteTableOperation - -## __Amazon Elastic Compute Cloud__ - - ### Features - - This release updates the examples in the documentation for DescribeRegions and DescribeAvailabilityZones. - -## __Amazon Kinesis Analytics__ - - ### Features - - Support for Flink 2.2 in Managed Service for Apache Flink - -## __Amazon Location Service Maps V2__ - - ### Features - - This release expands map customization options with adjustable contour line density, dark mode support for Hybrid and Satellite views, enhanced traffic information across multiple map styles, and transit and truck travel modes for Monochrome and Hybrid map styles. - -## __Amazon OpenSearch Service__ - - ### Features - - Support RegisterCapability, GetCapability, DeregisterCapability API for AI Assistant feature management for OpenSearch UI Applications - -## __Amazon Pinpoint SMS Voice V2__ - - ### Features - - This release adds RCS for Business messaging and Notify support. RCS lets you create and manage agents, send and receive messages in the US and Canada via SendTextMessage API, and configure SMS fallback. Notify lets you send templated OTP messages globally in minutes with no phone number required. - -## __Amazon QuickSight__ - - ### Features - - Adds StartAutomationJob and DescribeAutomationJob APIs for automation jobs. Adds three custom permission capabilities that allow admins to control whether users can manage Spaces and chat agents. Adds an OAuthClientCredentials structure to provide OAuth 2.0 client credentials inline to data sources. - -## __Amazon S3 Tables__ - - ### Features - - S3 Tables now supports nested types when creating tables. Users can define complex column schemas using struct, list, and map types. These types can be composed together to model complex, hierarchical data structures within table schemas. - -## __Amazon Simple Storage Service__ - - ### Features - - Add Bucket Metrics configuration support to directory buckets - -## __CloudWatch Observability Admin Service__ - - ### Features - - This release adds the Bedrock and Security Hub resource types for Omnia Enablement launch for March 31. - -## __MailManager__ - - ### Features - - Amazon SES Mail Manager now supports optional TLS policy for accepting unencrypted connections and mTLS authentication for ingress endpoints with configurable trust stores. Two new rule actions are available, Bounce for sending non-delivery reports and Lambda invocation for custom email processing. - -## __Partner Central Selling API__ - - ### Features - - Adding EURO Currency for MRR Amount - -## __odb__ - - ### Features - - Adds support for EC2 Placement Group integration with ODB Network. The GetOdbNetwork and ListOdbNetworks API responses now include the ec2PlacementGroupIds field. - -## __Contributors__ -Special thanks to the following contributors to this release: - -[@mrdziuban](https://github.com/mrdziuban) -# __2.42.24__ __2026-03-30__ -## __AWS DevOps Agent Service__ - - ### Features - - AWS DevOps Agent General Availability. - -## __AWS Lake Formation__ - - ### Features - - Add setSourceIdentity to DataLakeSettings Parameters - -## __AWS SDK for Java v2__ - - ### Bugfixes - - Optimized JSON serialization by skipping null field marshalling for payload fields - -## __AWSDeadlineCloud__ - - ### Features - - AWS Deadline Cloud now supports three new fleet auto scaling settings. With scale out rate, you can configure how quickly workers launch. With worker idle duration, you can set how long workers wait before shutting down. With standby worker count, you can keep idle workers ready for fast job start. - -## __Amazon AppStream__ - - ### Features - - Add support for URL Redirection - -## __Amazon Bedrock AgentCore__ - - ### Features - - Adds Ground Truth support for AgentCore Evaluations (Evaluate) - -## __Amazon CloudWatch Logs__ - - ### Features - - Adds Lookup Tables to CloudWatch Logs for log enrichment using CSV key-value data with KMS encryption support. - -## __Amazon DynamoDB Enhanced Client__ - - ### Bugfixes - - Improved performance by caching partition and sort key name lookups in StaticTableMetadata. - -## __Amazon EC2 Container Service__ - - ### Features - - Adding Local Storage support for ECS Managed Instances by introducing a new field "localStorageConfiguration" for CreateCapacityProvider and UpdateCapacityProvider APIs. - -## __Amazon GameLift__ - - ### Features - - Update CreateScript API documentation. - -## __Amazon OpenSearch Service__ - - ### Features - - Added Cluster Insights API's In OpenSearch Service SDK. - -## __Amazon SageMaker Service__ - - ### Features - - Added support for placement strategy and consolidation for SageMaker inference component endpoints. Customers can now configure how inference component copies are distributed across instances and availability zones (AZs), and enable automatic consolidation to optimizes resource utilization. - -## __Auto Scaling__ - - ### Features - - Adds support for new instance lifecycle states introduced by the instance lifecycle policy and replace root volume features. - -## __Partner Central Account API__ - - ### Features - - KYB Supplemental Form enables partners who fail business verification to submit additional details and supporting documentation through a self-service form, triggering an automated re-verification without requiring manual intervention from support teams. - -# __2.42.23__ __2026-03-27__ -## __Amazon Bedrock AgentCore__ - - ### Features - - Adding AgentCore Code Interpreter Node.js Runtime Support with an optional runtime field - -## __Amazon Bedrock AgentCore Control__ - - ### Features - - Adds support for custom code-based evaluators using customer-managed Lambda functions. - -## __Amazon NeptuneData__ - - ### Features - - Minor formatting changes to remove unnecessary symbols. - -## __Amazon Omics__ - - ### Features - - AWS HealthOmics now supports VPC networking, allowing users to connect runs to external resources with NAT gateway, AWS VPC resources, and more. New Configuration APIs support configuring VPC settings. StartRun API now accepts networkingMode and configurationName parameters to enable VPC networking. - -## __Apache 5 HTTP Client__ - - ### Bugfixes - - Fixed an issue in the Apache 5 HTTP client where requests could fail with `"Endpoint not acquired / already released"`. These failures are now converted to retryable I/O errors. - -# __2.42.22__ __2026-03-26__ -## __AWS Billing and Cost Management Data Exports__ - - ### Features - - With this release we are providing an option to accounts to have their export delivered to an S3 bucket that is not owned by the account. - -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - -## __Amazon CloudWatch EMF Metric Publisher__ - - ### Features - - Add `PropertiesFactory` and `propertiesFactory` to `EmfMetricLoggingPublisher.Builder`, enabling users to enrich EMF records with custom key-value properties derived from the metric collection or ambient context, searchable in CloudWatch Logs Insights. See [#6595](https://github.com/aws/aws-sdk-java-v2/issues/6595). - - Contributed by: [@humanzz](https://github.com/humanzz) - -## __Amazon CloudWatch Logs__ - - ### Features - - This release adds parameter support to saved queries in CloudWatch Logs Insights. Define reusable query templates with named placeholders, invoke them using start query. Available in Console, CLI and SDK - -## __Amazon EMR__ - - ### Features - - Add StepExecutionRoleArn to RunJobFlow API - -## __Amazon SageMaker Service__ - - ### Features - - Release support for ml.r5d.16xlarge instance types for SageMaker HyperPod - -## __Timestream InfluxDB__ - - ### Features - - Timestream for InfluxDB adds support for customer defined maintenance windows. This allows customers to define maintenance schedule during resource creation and updates - -## __Contributors__ -Special thanks to the following contributors to this release: - -[@humanzz](https://github.com/humanzz) -# __2.42.21__ __2026-03-25__ -## __AWS Batch__ - - ### Features - - Documentation-only update for AWS Batch. - -## __AWS Marketplace Agreement Service__ - - ### Features - - The Variable Payments APIs enable AWS Marketplace Sellers to perform manage their payment requests (send, get, list, cancel). - -## __AWS SDK for Java v2__ - - ### Bugfixes - - Fix bug in CachedSupplier that retries aggressively after many consecutive failures - -## __AWS User Experience Customization__ - - ### Features - - GA release of AccountCustomizations, used to manage account color, visible services, and visible regions settings in the AWS Management Console. - -## __Amazon CloudWatch Application Signals__ - - ### Features - - This release adds support for creating SLOs on RUM appMonitors, Synthetics canaries and services. - -## __Amazon Polly__ - - ### Features - - Add support for Mu-law and A-law codecs for output format - -## __Amazon S3__ - - ### Features - - Add support for maxInFlightParts to multipart upload (PutObject) in MultipartS3AsyncClient. - -## __AmazonApiGatewayV2__ - - ### Features - - Added DISABLE IN PROGRESS and DISABLE FAILED Portal statuses. - -# __2.42.20__ __2026-03-24__ -## __AWS Elemental MediaPackage v2__ - - ### Features - - Reduces the minimum allowed value for startOverWindowSeconds from 60 to 0, allowing customers to effectively disable the start-over window. - -## __AWS Parallel Computing Service__ - - ### Features - - This release adds support for custom slurmdbd and cgroup configuration in AWS PCS. Customers can now specify slurmdbd and cgroup settings to configure database accounting and reporting for their HPC workloads, and control resource allocation and limits for compute jobs. - -## __Amazon Bedrock AgentCore Control__ - - ### Features - - Adds SDK support for 1) Persist session state in AgentCore Runtime via filesystemConfigurations in CreateAgentRuntime, UpdateAgentRuntime, and GetAgentRuntime APIs, 2) Optional name-based filtering on AgentCore ListBrowserProfiles API. - -## __Amazon GameLift__ - - ### Features - - Amazon GameLift Servers launches UDP ping beacons in the Beijing and Ningxia (China) Regions to help measure real-time network latency for multiplayer games. The ListLocations API is now available in these regions to provide endpoint domain and port information as part of the locations list. - -## __Amazon Relational Database Service__ - - ### Features - - Adds support in Aurora PostgreSQL serverless databases for express configuration based creation through WithExpressConfiguration in CreateDbCluster API, and for restoring clusters using RestoreDBClusterToPointInTime and RestoreDBClusterFromSnapshot APIs. - -## __OpenSearch Service Serverless__ - - ### Features - - Adds support for updating the vector options field for existing collections. - -# __2.42.19__ __2026-03-23__ -## __AWS Batch__ - - ### Features - - AWS Batch AMI Visibility feature support. Adds read-only batchImageStatus to Ec2Configuration to provide visibility on the status of Batch-vended AMIs used by Compute Environments. - -## __Amazon Connect Cases__ - - ### Features - - You can now use the UpdateRelatedItem API to update the content of comments and custom related items associated with a case. - -## __Amazon Lightsail__ - - ### Features - - Add support for tagging of ContactMethod resource type - -## __Amazon Omics__ - - ### Features - - Adds support for batch workflow runs in Amazon Omics, enabling users to submit, manage, and monitor multiple runs as a single batch. Includes APIs to create, cancel, and delete batches, track submission statuses and counts, list runs within a batch, and configure default settings. - -## __Amazon S3__ - - ### Features - - Added support of Request-level credentials override in DefaultS3CrtAsyncClient. See [#5354](https://github.com/aws/aws-sdk-java-v2/issues/5354). - -## __Netty NIO HTTP Client__ - - ### Bugfixes - - Fixed an issue where requests with `Expect: 100-continue` over TLS could hang indefinitely when no response is received, because the read timeout handler was prematurely removed by TLS handshake data. - -# __2.42.18__ __2026-03-20__ -## __AWS Backup__ - - ### Features - - Fix Typo for S3Backup Options ( S3BackupACLs to BackupACLs) - -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - - - ### Bugfixes - - Fix bug in CachedSupplier that disabled InstanceProfileCredentialsProvider credential refreshing after 58 consecutive failures. - -## __Amazon DynamoDB__ - - ### Features - - Adding ReplicaArn to ReplicaDescription of a global table replica - -## __Amazon OpenSearch Service__ - - ### Features - - Added support for Amazon Managed Service for Prometheus (AMP) as a connected data source in OpenSearch UI. Now users can analyze Prometheus metrics in OpenSearch UI without data copy. - -## __Amazon Verified Permissions__ - - ### Features - - Adds support for Policy Store Aliases, Policy Names, and Policy Template Names. These are customizable identifiers that can be used in place of Policy Store ids, Policy ids, and Policy Template ids respectively in Amazon Verified Permissions APIs. - -# __2.42.17__ __2026-03-19__ -## __AWS Batch__ - - ### Features - - AWS Batch now supports quota management, enabling administrators to allocate shared compute resources across teams and projects through quota shares with capacity limits, resource-sharing strategies, and priority-based preemption - currently available for SageMaker Training job queues. - -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - -## __Amazon Bedrock AgentCore__ - - ### Features - - This release includes SDK support for the following new features on AgentCore Built In Tools. 1. Enterprise Policies for AgentCore Browser Tool. 2. Root CA Configuration Support for AgentCore Browser Tool and Code Interpreter. 3. API changes to AgentCore Browser Profile APIs - -## __Amazon Bedrock AgentCore Control__ - - ### Features - - Adds support for the following new features. 1. Enterprise Policies support for AgentCore Browser Tool. 2. Root CA Configuration support for AgentCore Browser Tool and Code Interpreter. - -## __Amazon Elastic Compute Cloud__ - - ### Features - - Amazon EC2 Fleet instant mode now supports launching instances into Interruptible Capacity Reservations, enabling customers to use spare capacity shared by Capacity Reservation owners within their AWS Organization. - -## __Amazon Polly__ - - ### Features - - Added bi-directional streaming functionality through a new API, StartSpeechSynthesisStream. This API allows streaming input text through inbound events and receiving audio as part of an output stream simultaneously. - -## __CloudWatch Observability Admin Service__ - - ### Features - - Adding a new field in the CreateCentralizationRuleForOrganization, UpdateCentralizationRuleForOrganization API and updating the GetCentralizationRuleForOrganization API response to include the new field - -# __2.42.16__ __2026-03-18__ -## __AWS Elemental MediaConvert__ - - ### Features - - This update adds additional bitrate options for Dolby AC-4 audio outputs. - -## __Amazon DynamoDB Enhanced Client__ - - ### Bugfixes - - Fix NullPointerException in `EnhancedType.hashCode()`, `EnhancedType.equals()`, and `EnhancedType.toString()` when using wildcard types. - -## __Amazon Elastic Compute Cloud__ - - ### Features - - The DescribeInstanceTypes API now returns default connection tracking timeout values for TCP, UDP, and UDP stream via the new connectionTrackingConfiguration field on NetworkInfo. - -# __2.42.15__ __2026-03-17__ -## __AWS Glue__ - - ### Features - - Provide approval to overwrite existing Lake Formation permissions on all child resources with the default permissions specified in 'CreateTableDefaultPermissions' and 'CreateDatabaseDefaultPermissions' when updating catalog. Allowed values are ["Accept","Deny"] . - -## __Amazon Bedrock AgentCore Control__ - - ### Features - - Deprecating namespaces field and adding namespaceTemplates. - -## __Amazon DynamoDB Enhanced Client__ - - ### Features - - Improved performance of UpdateExpression conversion by replacing Stream.concat chains and String.format with direct iteration and StringJoiner. - -## __Amazon EMR__ - - ### Features - - Add S3LoggingConfiguration to Control LogUploads - -# __2.42.14__ __2026-03-16__ -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - -## __Amazon Bedrock__ - - ### Features - - You can now generate policy scenarios on demand using the new GENERATE POLICY SCENARIOS build workflow type. Scenarios will no longer be automatically generated during INGEST CONTENT, REFINE POLICY, and IMPORT POLICY workflows, resulting in faster completion times for these operations. - -## __Amazon Bedrock AgentCore__ - - ### Features - - Provide support to perform deterministic operations on agent runtime through shell command executions via the new InvokeAgentRuntimeCommand API - -## __Amazon Bedrock AgentCore Control__ - - ### Features - - Supporting hosting of public ECR Container Images in AgentCore Runtime - -## __Amazon EC2 Container Service__ - - ### Features - - Amazon ECS now supports configuring whether tags are propagated to the EC2 Instance Metadata Service (IMDS) for instances launched by the Managed Instances capacity provider. This gives customers control over tag visibility in IMDS when using ECS Managed Instances. - -# __2.42.13__ __2026-03-13__ -## __AWS Config__ - - ### Features - - Fix pagination support for DescribeConformancePackCompliance, and update OrganizationConfigRule InputParameters max length to match ConfigRule. - -## __AWS Elemental MediaConvert__ - - ### Features - - This update adds support for Dolby AC-4 audio output, frame rate conversion between non-Dolby Vision inputs to Dolby Vision outputs, and clear lead CMAF HLS output. - -## __AWS Elemental MediaLive__ - - ### Features - - Documents the VideoDescription.ScalingBehavior.SMART(underscore)CROP enum value. - -## __AWS Glue__ - - ### Features - - Add QuerySessionContext to BatchGetPartitionRequest - -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - - - ### Bugfixes - - upgrade maven-compiler-plugin to 3.14.1 - - Contributed by: [@sullis](https://github.com/sullis) - -## __Amazon API Gateway__ - - ### Features - - API Gateway now supports an additional security policy "SecurityPolicy-TLS13-1-2-FIPS-PFS-PQ-2025-09" for REST APIs and custom domain names. The new policy is compliant with TLS 1.3, Federal Information Processing Standards (FIPS), Perfect Forward Secrecy (PFS), and post-quantum (PQ) cryptography - -## __Amazon Connect Service__ - - ### Features - - Deprecating PredefinedNotificationID field - -## __Amazon GameLift Streams__ - - ### Features - - Feature launch that enables customers to connect streaming sessions to their own VPCs running in AWS. - -## __Amazon Interactive Video Service RealTime__ - - ### Features - - Updates maximum reconnect window seconds from 60 to 300 for participant replication - -## __Amazon QuickSight__ - - ### Features - - The change adds a new capability named ManageSharedFolders in Custom Permissions - -## __Amazon S3__ - - ### Features - - Added `expectContinueEnabled` to `S3Configuration` to control the `Expect: 100-continue` header on PutObject and UploadPart requests. When set to `false`, the SDK stops adding the header. For Apache HTTP client users, to have `ApacheHttpClient.builder().expectContinueEnabled()` fully control the header, set `expectContinueEnabled(false)` on `S3Configuration`. - -## __Application Migration Service__ - - ### Features - - Network Migration APIs are now publicly available for direct programmatic access. Customers can now call Network Migration APIs directly without going through AWS Transform (ATX), enabling automation, integration with existing tools, and self-service migration workflows. - -## __Contributors__ -Special thanks to the following contributors to this release: - -[@sullis](https://github.com/sullis) -# __2.42.12__ __2026-03-12__ -## __AWS DataSync__ - - ### Features - - DataSync's 3 location types, Hadoop Distributed File System (HDFS), FSx for Windows File Server (FSx Windows), and FSx for NetApp ONTAP (FSx ONTAP) now have credentials managed via Secrets Manager, which may be encrypted with service keys or be configured to use customer-managed keys or secret. - -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - - - ### Bugfixes - - Updating Lakefromation Access Grants Plugin version to 1.4.1 - - Contributed by: [@akhilyendluri](https://github.com/akhilyendluri) - -## __Amazon Cloudfront__ - - ### Features - - Add support for resourceUrlPattern to `CloudFrontUtilities.getCookiesForCustomPolicy`. - -## __Amazon DynamoDB Enhanced Client__ - - ### Features - - Added dynamoDbClient() and dynamoDbAsyncClient() default methods to DynamoDbEnhancedClient and DynamoDbEnhancedAsyncClient interfaces to allow access to the underlying low-level client. Fixes [#6654](https://github.com/aws/aws-sdk-java-v2/issues/6654) - -## __Amazon Elastic Container Registry__ - - ### Features - - Add Chainguard to PTC upstreamRegistry enum - -## __Amazon Simple Storage Service__ - - ### Features - - Adds support for account regional namespaces for general purpose buckets. The account regional namespace is a reserved subdivision of the global bucket namespace where only your account can create general purpose buckets. - -## __S3 Transfer Manager__ - - ### Bugfixes - - Fix inaccurate progress tracking for in-memory uploads in the Java-based S3TransferManager. - -## __Contributors__ -Special thanks to the following contributors to this release: - -[@akhilyendluri](https://github.com/akhilyendluri) -# __2.42.11__ __2026-03-11__ -## __AWS CRT-based S3 Client__ - - ### Bugfixes - - Only log `SSL Certificate verification is disabled` warning if trustAllCertificatesEnabled is set to true. - - Contributed by: [@bsmelo](https://github.com/bsmelo) - -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - - - ### Bugfixes - - Updating Lakeformation Access Grants Plugin version to 1.4 - -## __AWS SDK for Java v2 Migration Tool__ - - ### Bugfixes - - Strip quotes in getETag response - -## __Amazon Connect Customer Profiles__ - - ### Features - - Today, Amazon Connect is announcing the ability to filter (include or exclude) recommendations based on properties of items and interactions. - -## __Amazon DynamoDB Enhanced Client__ - - ### Features - - Improved performance by adding a fast path avoiding wrapping of String and Byte types - -## __Amazon Elastic Kubernetes Service__ - - ### Features - - Adds support for a new tier in controlPlaneScalingConfig on EKS Clusters. - -## __Amazon Polly__ - - ### Features - - Added support for the new voices - Ambre (fr-FR), Beatrice (it-IT), Florian (fr-FR), Lennart (de-DE), Lorenzo (it-IT) and Tiffany (en-US). They are available as a Generative voices only. - -## __Amazon S3__ - - ### Bugfixes - - Fixed misleading checksum mismatch error message for S3 GetObject that incorrectly referenced uploading. See [#6324](https://github.com/aws/aws-sdk-java-v2/issues/6324). - -## __Amazon SageMaker Service__ - - ### Features - - SageMaker training plans allow you to extend your existing training plans to avoid workload interruptions without workload reconfiguration. When a training plan is approaching expiration, you can extend it directly through the SageMaker AI console or programmatically using the API or AWS CLI. - -## __Amazon SimpleDB v2__ - - ### Features - - Introduced Amazon SimpleDB export functionality enabling domain data export to S3 in JSON format. Added three new APIs StartDomainExport, GetExport, and ListExports via SimpleDBv2 service. Supports cross-region exports and KMS encryption. - -## __Amazon WorkSpaces__ - - ### Features - - Added WINDOWS SERVER 2025 OperatingSystemName. - -## __Contributors__ -Special thanks to the following contributors to this release: - -[@bsmelo](https://github.com/bsmelo) -# __2.42.10__ __2026-03-10__ -## __AWS Database Migration Service__ - - ### Features - - Not need to include to any release notes. The only change is to correct LoadTimeout unit from milliseconds to seconds in RedshiftSettings - -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - -## __AWS SDK for Java v2 Code Generator__ - - ### Features - - Improve model validation error message for operations missing request URI. - -## __Amazon Bedrock AgentCore Control__ - - ### Features - - Adding first class support for AG-UI protocol in AgentCore Runtime. - -## __Amazon Connect Cases__ - - ### Features - - Added functionality for the Required and Hidden case rule types to be conditionally evaluated on up to 5 conditions. - -## __Amazon Lex Model Building V2__ - - ### Features - - This release introduces a new generative AI feature called Lex Bot Analyzer. This feature leverage AI to analyze the bot configuration against AWS Lex best practices to identify configuration issues and provides recommendations. - -## __Managed Streaming for Kafka__ - - ### Features - - Add dual stack endpoint to SDK - -# __2.42.9__ __2026-03-09__ -## __AWS Identity and Access Management__ - - ### Features - - Added support for CloudWatch Logs long-term API keys, currently available in Preview - -## __AWS SDK for Java v2__ - - ### Bugfixes - - Implement reset() for XxHashChecksum to allow checksum reuse. - -## __Amazon OpenSearch Service__ - - ### Features - - This change enables cross-account and cross-region access for DataSources. Customers can now define access policies on their datasources to allow other AWS accounts to access and query their data. - -## __Amazon Route 53 Global Resolver__ - - ### Features - - Adds support for dual stack Global Resolvers and Dictionary-based Domain Generation Firewall Advanced Protection. - -## __Application Migration Service__ - - ### Features - - Adds support for new storeSnapshotOnLocalZone field in ReplicationConfiguration and updateReplicationConfiguration - -# __2.42.8__ __2026-03-06__ -## __AWS Billing and Cost Management Data Exports__ - - ### Features - - Fixed wrong endpoint resolutions in few regions. Added AWS CFN resource schema for BCM Data Exports. Added max value validation for pagination parameter. Fixed ARN format validation for BCM Data Exports resources. Updated size constraints for table properties. Added AccessDeniedException error. - -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - -## __AWSDeadlineCloud__ - - ### Features - - AWS Deadline Cloud now supports cost scale factors for farms, enabling studios to adjust reported costs to reflect their actual rendering economics. Adjusted costs are reflected in Deadline Cloud's Usage Explorer and Budgets. - -## __Amazon AppIntegrations Service__ - - ### Features - - This release adds support for webhooks, allowing customers to create an Event Integration with a webhook source. - -## __Amazon Bedrock__ - - ### Features - - Amazon Bedrock Guardrails account-level enforcement APIs now support lists for model inclusion and exclusion from guardrail enforcement. - -## __Amazon Bedrock AgentCore Control__ - - ### Features - - Adds support for streaming memory records in AgentCore Memory - -## __Amazon Connect Service__ - - ### Features - - Amazon Connect now supports the ability to programmatically configure and run automated tests for contact center experiences for Chat. Integrate testing into CICD pipelines, run multiple tests at scale, and retrieve results via API to automate validation of chat interactions and workflows. - -## __Amazon GameLift Streams__ - - ### Features - - Added new Gen6 stream classes based on the EC2 G6f instance family. These stream classes provide cost-optimized options for streaming well-optimized or lower-fidelity games on Windows environments. - -## __Amazon Simple Email Service__ - - ### Features - - Adds support for longer email message header values, increasing the maximum length from 870 to 995 characters for RFC 5322 compliance. - -# __2.42.7__ __2026-03-05__ -## __AWS Multi-party Approval__ - - ### Features - - Updates to multi-party approval (MPA) service to add support for approval team baseline operations. - -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - - - ### Bugfixes - - Fixed a thread leak in ResponseInputStream and ResponsePublisher where the internal timeout scheduler thread persisted for the lifetime of the JVM, even when no streams were active. The thread now terminates after being idle for 60 seconds. - -## __AWS Savings Plans__ - - ### Features - - Added support for OpenSearch and Neptune Analytics to Database Savings Plans. - -## __Amazon Elastic Compute Cloud__ - - ### Features - - Added metadata field to CapacityAllocation. - -## __Amazon GuardDuty__ - - ### Features - - Added MALICIOUS FILE to IndicatorType enum in MDC Sequence - -## __Amazon SageMaker Service__ - - ### Features - - Adds support for S3 Bucket Ownership validation for SageMaker Managed MLflow. - -## __Connect Health__ - - ### Features - - Connect-Health SDK is AWS's unified SDK for the Amazon Connect Health offering. It allows healthcare developers to integrate purpose-built agents - such as patient insights, ambient documentation, and medical coding - into their existing applications, including EHRs, telehealth, and revenue cycle. - -# __2.42.6__ __2026-03-04__ -## __AWS Elastic Beanstalk__ - - ### Features - - As part of this release, Beanstalk introduce a new info type - analyze for request environment info and retrieve environment info operations. When customers request an Al analysis, Elastic Beanstalk runs a script on an instance in their environment and returns an analysis of events, health and logs. - -## __Amazon Connect Service__ - - ### Features - - Added support for configuring additional email addresses on queues in Amazon Connect. Agents can now select an outbound email address and associate additional email addresses for replying to or initiating emails. - -## __Amazon Elasticsearch Service__ - - ### Features - - Adds support for DeploymentStrategyOptions. - -## __Amazon GameLift__ - - ### Features - - Amazon GameLift Servers now offers DDoS protection for Linux-based EC2 and Container Fleets on SDKv5. The player gateway proxy relay network provides traffic validation, per-player rate limiting, and game server IP address obfuscation all with negligible added latency and no additional cost. - -## __Amazon OpenSearch Service__ - - ### Features - - Adding support for DeploymentStrategyOptions - -## __Amazon QuickSight__ - - ### Features - - Added several new values for Capabilities, increased visual limit per sheet from previous limit to 75, renamed Quick Suite to Quick in several places. - -# __2.42.5__ __2026-03-03__ -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - -## __Amazon Bedrock AgentCore Control__ - - ### Features - - Support for AgentCore Policy GA - -## __Amazon CloudWatch Logs__ - - ### Features - - CloudWatch Logs updates- Added support for the PutBearerTokenAuthentication API to enable or disable bearer token authentication on a log group. For more information, see CloudWatch Logs API documentation. - -## __Amazon DataZone__ - - ### Features - - Adding QueryGraph operation to DataZone SDK - -## __Amazon SageMaker Service__ - - ### Features - - This release adds b300 and g7e instance types for SageMaker inference endpoints. - -## __Partner Central Channel API__ - - ### Features - - Adds the Resold Unified Operations support plan and removes the Resold Business support plan in the CreateRelationship and UpdateRelationship APIs - -# __2.42.4__ __2026-02-27__ -## __ARC - Region switch__ - - ### Features - - Post-Recovery Workflows enable customers to maintain comprehensive disaster recovery automation. This allows customer SREs and leadership to have complete recovery orchestration from failover through post-recovery preparation, ensuring Regions remain ready for subsequent recovery events. - -## __AWS Batch__ - - ### Features - - This feature allows customers to specify the minimum time (in minutes) that AWS Batch keeps instances running in a compute environment after all jobs on the instance complete - -## __AWS Health APIs and Notifications__ - - ### Features - - Updates the regex for validating availabilityZone strings used in the describe events filters. - -## __AWS Resource Access Manager__ - - ### Features - - Resource owners can now specify ResourceShareConfiguration request parameter for CreateResourceShare API including RetainSharingOnAccountLeaveOrganization boolean parameter - -## __Amazon Bedrock__ - - ### Features - - Added four new model lifecycle date fields, startOfLifeTime, endOfLifeTime, legacyTime, and publicExtendedAccessTime. Adds support for using the Converse API with Bedrock Batch inference jobs. - -## __Amazon Cognito Identity Provider__ - - ### Features - - Cognito is introducing a two-secret rotation model for app clients, enabling seamless credential rotation without downtime. Dedicated APIs support passing in a custom secret. Custom secrets need to be at least 24 characters. This eliminates reconfiguration needs and reduces security risks. - -## __Amazon Connect Customer Profiles__ - - ### Features - - This release introduces an optional SourcePriority parameter to the ProfileObjectType APIs, allowing you to control the precedence of object types when ingesting data from multiple sources. Additionally, WebAnalytics and Device have been added as new StandardIdentifier values. - -## __Amazon Connect Service__ - - ### Features - - Deprecate EvaluationReviewMetadata's CreatedBy and CreatedTime, add EvaluationReviewMetadata's RequestedBy and RequestedTime - -## __Amazon Keyspaces Streams__ - - ### Features - - Added support for Change Data Capture (CDC) streams with Duration DataType. - -## __Amazon Transcribe Streaming Service__ - - ### Features - - AWS Transcribe Streaming now supports specifying a resumption window for the stream through the SessionResumeWindow parameter, allowing customers to reconnect to their streams for a longer duration beyond stream start time. - -## __odb__ - - ### Features - - ODB Networking Route Management is a feature improvement which allows for implicit creation and deletion of EC2 Routes in the Peer Network Route Table designated by the customer via new optional input. This feature release is combined with Multiple App-VPC functionality for ODB Network Peering(s). - -# __2.42.3__ __2026-02-26__ -## __AWS Backup Gateway__ - - ### Features - - This release updates GetGateway API to include deprecationDate and softwareVersion in the response, enabling customers to track gateway software versions and upcoming deprecation dates. - -## __AWS Marketplace Entitlement Service__ - - ### Features - - Added License Arn as a new optional filter for GetEntitlements and LicenseArn field in each entitlement in the response. - -## __AWS SecurityHub__ - - ### Features - - Security Hub added EXTENDED PLAN integration type to DescribeProductsV2 and added metadata.product.vendor name GroupBy support to GetFindingStatisticsV2 - -## __AWSMarketplace Metering__ - - ### Features - - Added LicenseArn to ResolveCustomer response and BatchMeterUsage usage records. BatchMeterUsage now accepts LicenseArn in each UsageRecord to report usage at the license level. Added InvalidLicenseException error response for invalid license parameters. - -## __Amazon EC2 Container Service__ - - ### Features - - Adding support for Capacity Reservations for ECS Managed Instances by introducing a new "capacityOptionType" value of "RESERVED" and new field "capacityReservations" for CreateCapacityProvider and UpdateCapacityProvider APIs. - -## __Amazon Elastic Compute Cloud__ - - ### Features - - Add c8id, m8id and hpc8a instance types. - -## __Apache 5 HTTP Client__ - - ### Features - - Update `httpcore5` to `5.4.1`. - -# __2.42.2__ __2026-02-25__ -## __AWS Batch__ - - ### Features - - AWS Batch documentation update for service job capacity units. - -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - -## __AWS WAFV2__ - - ### Features - - AWS WAF now supports GetTopPathStatisticsByTraffic that provides aggregated statistics on the top URI paths accessed by bot traffic. Use this operation to see which paths receive the most bot traffic, identify the specific bots accessing them, and filter by category, organization, or bot name. - -## __Amazon Elastic Compute Cloud__ - - ### Features - - Add support for EC2 Capacity Blocks in Local Zones. - -## __Amazon Elastic Container Registry__ - - ### Features - - Update repository name regex to comply with OCI Distribution Specification - -## __Amazon Neptune__ - - ### Features - - Neptune global clusters now supports tags - -# __2.42.1__ __2026-02-24__ -## __AWS Elemental Inference__ - - ### Features - - Initial GA launch for AWS Elemental Inference including capabilities of Smart Crop and Live Event Clipping - -## __AWS Elemental MediaLive__ - - ### Features - - AWS Elemental MediaLive - Added support for Elemental Inference for Smart Cropping and Clipping features for MediaLive. - -## __Amazon CloudWatch__ - - ### Features - - This release adds the APIs (PutAlarmMuteRule, ListAlarmMuteRules, GetAlarmMuteRule and DeleteAlarmMuteRule) to manage a new Cloudwatch resource, AlarmMuteRules. AlarmMuteRules allow customers to temporarily mute alarm notifications during expected downtime periods. - -## __Amazon Elastic Compute Cloud__ - - ### Features - - Adds httpTokensEnforced property to ModifyInstanceMetadataDefaults API. Set per account or manage organization-wide using declarative policies to prevent IMDSv1-enabled instance launch and block attempts to enable IMDSv1 on existing IMDSv2-only instances. - -## __Amazon Elasticsearch Service__ - - ### Features - - Fixed HTTP binding for DescribeDomainAutoTunes API to correctly pass request parameters as query parameters in the HTTP request. - -## __Amazon OpenSearch Service__ - - ### Features - - Fixed HTTP binding for DescribeDomainAutoTunes API to correctly pass request parameters as query parameters in the HTTP request. - -## __CloudWatch Observability Admin Service__ - - ### Features - - Adding a new field in the CreateCentralizationRuleForOrganization, UpdateCentralizationRuleForOrganization API and updating the GetCentralizationRuleForOrganization API response to include the new field - -## __Partner Central Selling API__ - - ### Features - - Added support for filtering opportunities by target close date in the ListOpportunities API. You can now filter results to return opportunities with a target close date before or after a specified date, enabling more precise opportunity searches based on expected closure timelines. - -# __2.42.0__ __2026-02-23__ -## __AWS Control Catalog__ - - ### Features - - Updated ExemptedPrincipalArns parameter documentation for improved accuracy - -## __AWS MediaTailor__ - - ### Features - - Updated endpoint rule set for dualstack endpoints. Added a new opt-in option to log raw ad decision server requests for Playback Configurations. - -## __AWS SDK for Java v2__ - - ### Features - - Add support for additional checksum algorithms: XXHASH64, XXHASH3, XXHASH128, SHA512. - - Updated endpoint and partition metadata. - -## __AWS Wickr Admin API__ - - ### Features - - AWS Wickr now provides APIs to manage your Wickr OpenTDF integration. These APIs enable you to test and save your OpenTDF configuration allowing you to manage rooms based on Trusted Data Format attributes. - -## __Amazon Bedrock__ - - ### Features - - Automated Reasoning checks in Amazon Bedrock Guardrails now support fidelity report generation. The new workflow type assesses policy coverage and accuracy against customer documents. The GetAutomatedReasoningPolicyBuildWorkflowResultAssets API adds support for the three new asset types. - -## __Amazon Connect Cases__ - - ### Features - - SearchCases API can now accept 25 fields in the request and response as opposed to the previous limit of 10. DeleteField's hard limit of 100 fields per domain has been lifted. - -## __Amazon DataZone__ - - ### Features - - Add workflow properties support to connections APIs - -## __Amazon DynamoDB__ - - ### Features - - This change supports the creation of multi-account global tables. It adds one new arguments to UpdateTable, GlobalTableSettingsReplicationMode. - -## __Amazon QuickSight__ - - ### Features - - Adds support for SEMISTRUCT to InputColumn Type - diff --git a/codegen-lite-maven-plugin/pom.xml b/codegen-lite-maven-plugin/pom.xml index 773a54e66d5c..17be6050975c 100644 --- a/codegen-lite-maven-plugin/pom.xml +++ b/codegen-lite-maven-plugin/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ../pom.xml codegen-lite-maven-plugin diff --git a/codegen-lite/pom.xml b/codegen-lite/pom.xml index cd17bdcf07b0..d1e53c820666 100644 --- a/codegen-lite/pom.xml +++ b/codegen-lite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT codegen-lite AWS Java SDK :: Code Generator Lite diff --git a/codegen-maven-plugin/pom.xml b/codegen-maven-plugin/pom.xml index a8dd48572f46..1184ccdb9e42 100644 --- a/codegen-maven-plugin/pom.xml +++ b/codegen-maven-plugin/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ../pom.xml codegen-maven-plugin diff --git a/codegen/pom.xml b/codegen/pom.xml index 3647d3df2635..71c483909f9f 100644 --- a/codegen/pom.xml +++ b/codegen/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT codegen AWS Java SDK :: Code Generator diff --git a/core/annotations/pom.xml b/core/annotations/pom.xml index d62e5c5f597c..214c0d01044a 100644 --- a/core/annotations/pom.xml +++ b/core/annotations/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 diff --git a/core/arns/pom.xml b/core/arns/pom.xml index 3cb219c04c39..5c407b45c6f5 100644 --- a/core/arns/pom.xml +++ b/core/arns/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 diff --git a/core/auth-crt/pom.xml b/core/auth-crt/pom.xml index f15430ed7df2..e22802bf9d93 100644 --- a/core/auth-crt/pom.xml +++ b/core/auth-crt/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT auth-crt diff --git a/core/auth/pom.xml b/core/auth/pom.xml index a97414c5c93f..2142fd6d5b09 100644 --- a/core/auth/pom.xml +++ b/core/auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT auth diff --git a/core/aws-core/pom.xml b/core/aws-core/pom.xml index 2e57f6fc86d8..bd192c9b3f65 100644 --- a/core/aws-core/pom.xml +++ b/core/aws-core/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT aws-core diff --git a/core/checksums-spi/pom.xml b/core/checksums-spi/pom.xml index 74c7780f4fe8..ae52543bebee 100644 --- a/core/checksums-spi/pom.xml +++ b/core/checksums-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT checksums-spi diff --git a/core/checksums/pom.xml b/core/checksums/pom.xml index 4a23c25de1b2..1f06aa07d44d 100644 --- a/core/checksums/pom.xml +++ b/core/checksums/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT checksums diff --git a/core/crt-core/pom.xml b/core/crt-core/pom.xml index 3f7acb8e1aca..a8d6d47996dc 100644 --- a/core/crt-core/pom.xml +++ b/core/crt-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT crt-core diff --git a/core/endpoints-spi/pom.xml b/core/endpoints-spi/pom.xml index 3b53a69237de..61a48637cded 100644 --- a/core/endpoints-spi/pom.xml +++ b/core/endpoints-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 diff --git a/core/http-auth-aws-crt/pom.xml b/core/http-auth-aws-crt/pom.xml index 6bd3639db62d..ea959b028c59 100644 --- a/core/http-auth-aws-crt/pom.xml +++ b/core/http-auth-aws-crt/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT http-auth-aws-crt diff --git a/core/http-auth-aws-eventstream/pom.xml b/core/http-auth-aws-eventstream/pom.xml index 75fdda5403bf..36a00fb59beb 100644 --- a/core/http-auth-aws-eventstream/pom.xml +++ b/core/http-auth-aws-eventstream/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT http-auth-aws-eventstream diff --git a/core/http-auth-aws/pom.xml b/core/http-auth-aws/pom.xml index 865b92e0f06a..61b30c2c269e 100644 --- a/core/http-auth-aws/pom.xml +++ b/core/http-auth-aws/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT http-auth-aws diff --git a/core/http-auth-spi/pom.xml b/core/http-auth-spi/pom.xml index 0df64885802d..f749bb9deed3 100644 --- a/core/http-auth-spi/pom.xml +++ b/core/http-auth-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT http-auth-spi diff --git a/core/http-auth/pom.xml b/core/http-auth/pom.xml index 8ea42fd33601..a394f48ee3c0 100644 --- a/core/http-auth/pom.xml +++ b/core/http-auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT http-auth diff --git a/core/identity-spi/pom.xml b/core/identity-spi/pom.xml index ad97a700010c..41ead56ab794 100644 --- a/core/identity-spi/pom.xml +++ b/core/identity-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT identity-spi diff --git a/core/imds/pom.xml b/core/imds/pom.xml index 8ab56b54a3de..e8259129e480 100644 --- a/core/imds/pom.xml +++ b/core/imds/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 imds diff --git a/core/json-utils/pom.xml b/core/json-utils/pom.xml index e3e882a656da..4c3c5d2a17c3 100644 --- a/core/json-utils/pom.xml +++ b/core/json-utils/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 diff --git a/core/metrics-spi/pom.xml b/core/metrics-spi/pom.xml index 812d2779819e..822486b3383b 100644 --- a/core/metrics-spi/pom.xml +++ b/core/metrics-spi/pom.xml @@ -5,7 +5,7 @@ core software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 diff --git a/core/pom.xml b/core/pom.xml index fd22fe21e7eb..80a31d08d9f5 100644 --- a/core/pom.xml +++ b/core/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT core diff --git a/core/profiles/pom.xml b/core/profiles/pom.xml index b2645942c5ad..3c438cc3a7ba 100644 --- a/core/profiles/pom.xml +++ b/core/profiles/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT profiles diff --git a/core/protocols/aws-cbor-protocol/pom.xml b/core/protocols/aws-cbor-protocol/pom.xml index 6d2c9a5deac5..8a6a94c77baa 100644 --- a/core/protocols/aws-cbor-protocol/pom.xml +++ b/core/protocols/aws-cbor-protocol/pom.xml @@ -20,7 +20,7 @@ protocols software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-json-protocol/pom.xml b/core/protocols/aws-json-protocol/pom.xml index 2348819aa928..b333b5699b7e 100644 --- a/core/protocols/aws-json-protocol/pom.xml +++ b/core/protocols/aws-json-protocol/pom.xml @@ -20,7 +20,7 @@ protocols software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-query-protocol/pom.xml b/core/protocols/aws-query-protocol/pom.xml index 63149edbc783..0d5b006429db 100644 --- a/core/protocols/aws-query-protocol/pom.xml +++ b/core/protocols/aws-query-protocol/pom.xml @@ -20,7 +20,7 @@ protocols software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-xml-protocol/pom.xml b/core/protocols/aws-xml-protocol/pom.xml index 9413172a5a33..2466433cf2bf 100644 --- a/core/protocols/aws-xml-protocol/pom.xml +++ b/core/protocols/aws-xml-protocol/pom.xml @@ -20,7 +20,7 @@ protocols software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 diff --git a/core/protocols/pom.xml b/core/protocols/pom.xml index 4c2054916e06..f1eea3c341fe 100644 --- a/core/protocols/pom.xml +++ b/core/protocols/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 diff --git a/core/protocols/protocol-core/pom.xml b/core/protocols/protocol-core/pom.xml index efa366211b07..7d4c461f1acf 100644 --- a/core/protocols/protocol-core/pom.xml +++ b/core/protocols/protocol-core/pom.xml @@ -20,7 +20,7 @@ protocols software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 diff --git a/core/protocols/smithy-rpcv2-protocol/pom.xml b/core/protocols/smithy-rpcv2-protocol/pom.xml index 86fd59e315a0..8f0f02ab124b 100644 --- a/core/protocols/smithy-rpcv2-protocol/pom.xml +++ b/core/protocols/smithy-rpcv2-protocol/pom.xml @@ -20,7 +20,7 @@ protocols software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 diff --git a/core/regions/pom.xml b/core/regions/pom.xml index 485d8f635fd9..1aea3b5a6767 100644 --- a/core/regions/pom.xml +++ b/core/regions/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT regions diff --git a/core/retries-spi/pom.xml b/core/retries-spi/pom.xml index cce9e6498ca4..24898cb71c7a 100644 --- a/core/retries-spi/pom.xml +++ b/core/retries-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 diff --git a/core/retries/pom.xml b/core/retries/pom.xml index 75967af994b1..2f3ae10231fb 100644 --- a/core/retries/pom.xml +++ b/core/retries/pom.xml @@ -21,7 +21,7 @@ core software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 diff --git a/core/sdk-core/pom.xml b/core/sdk-core/pom.xml index fc1871364e3f..95e90ea5e77d 100644 --- a/core/sdk-core/pom.xml +++ b/core/sdk-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT sdk-core AWS Java SDK :: SDK Core diff --git a/http-client-spi/pom.xml b/http-client-spi/pom.xml index 4f921f75585d..fb97b9353eb3 100644 --- a/http-client-spi/pom.xml +++ b/http-client-spi/pom.xml @@ -22,7 +22,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT http-client-spi AWS Java SDK :: HTTP Client Interface diff --git a/http-clients/apache-client/pom.xml b/http-clients/apache-client/pom.xml index a8fb7d729c17..c80397a0b839 100644 --- a/http-clients/apache-client/pom.xml +++ b/http-clients/apache-client/pom.xml @@ -21,7 +21,7 @@ http-clients software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT apache-client diff --git a/http-clients/apache5-client/pom.xml b/http-clients/apache5-client/pom.xml index 859ffff60cc5..d311c2ef8a78 100644 --- a/http-clients/apache5-client/pom.xml +++ b/http-clients/apache5-client/pom.xml @@ -21,7 +21,7 @@ http-clients software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT apache5-client diff --git a/http-clients/aws-crt-client/pom.xml b/http-clients/aws-crt-client/pom.xml index fe67d82243c7..02824e862bcc 100644 --- a/http-clients/aws-crt-client/pom.xml +++ b/http-clients/aws-crt-client/pom.xml @@ -21,7 +21,7 @@ http-clients software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 diff --git a/http-clients/netty-nio-client/pom.xml b/http-clients/netty-nio-client/pom.xml index 1ad873f100a5..f7564cfedec1 100644 --- a/http-clients/netty-nio-client/pom.xml +++ b/http-clients/netty-nio-client/pom.xml @@ -20,7 +20,7 @@ http-clients software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 diff --git a/http-clients/pom.xml b/http-clients/pom.xml index 2514f20ff2f7..24ce96558e1a 100644 --- a/http-clients/pom.xml +++ b/http-clients/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 diff --git a/http-clients/url-connection-client/pom.xml b/http-clients/url-connection-client/pom.xml index 02bbb53074af..7574aa4850a8 100644 --- a/http-clients/url-connection-client/pom.xml +++ b/http-clients/url-connection-client/pom.xml @@ -20,7 +20,7 @@ http-clients software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 diff --git a/metric-publishers/cloudwatch-metric-publisher/pom.xml b/metric-publishers/cloudwatch-metric-publisher/pom.xml index 2f2da3b78414..7aed3f78c8a9 100644 --- a/metric-publishers/cloudwatch-metric-publisher/pom.xml +++ b/metric-publishers/cloudwatch-metric-publisher/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk metric-publishers - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT cloudwatch-metric-publisher diff --git a/metric-publishers/emf-metric-logging-publisher/pom.xml b/metric-publishers/emf-metric-logging-publisher/pom.xml index 72060fc61849..bb19bfab2764 100644 --- a/metric-publishers/emf-metric-logging-publisher/pom.xml +++ b/metric-publishers/emf-metric-logging-publisher/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk metric-publishers - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT emf-metric-logging-publisher diff --git a/metric-publishers/pom.xml b/metric-publishers/pom.xml index 483b46b3503c..92d8c0be3538 100644 --- a/metric-publishers/pom.xml +++ b/metric-publishers/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT metric-publishers diff --git a/pom.xml b/pom.xml index ae7934b8cbf6..e10a854f86f4 100644 --- a/pom.xml +++ b/pom.xml @@ -20,7 +20,7 @@ 4.0.0 software.amazon.awssdk aws-sdk-java-pom - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT pom AWS Java SDK :: Parent The Amazon Web Services SDK for Java provides Java APIs diff --git a/release-scripts/pom.xml b/release-scripts/pom.xml index 2c7f672ff580..1fa32ae9360d 100644 --- a/release-scripts/pom.xml +++ b/release-scripts/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ../pom.xml release-scripts diff --git a/services-custom/dynamodb-enhanced/pom.xml b/services-custom/dynamodb-enhanced/pom.xml index 78cb222784f2..1f8a685e2b02 100644 --- a/services-custom/dynamodb-enhanced/pom.xml +++ b/services-custom/dynamodb-enhanced/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services-custom - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT dynamodb-enhanced AWS Java SDK :: DynamoDB :: Enhanced Client diff --git a/services-custom/iam-policy-builder/pom.xml b/services-custom/iam-policy-builder/pom.xml index fef006cc782e..fccc76cfa100 100644 --- a/services-custom/iam-policy-builder/pom.xml +++ b/services-custom/iam-policy-builder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ../../pom.xml iam-policy-builder diff --git a/services-custom/pom.xml b/services-custom/pom.xml index e7b14bebb70f..6bb6ca160a69 100644 --- a/services-custom/pom.xml +++ b/services-custom/pom.xml @@ -19,7 +19,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT services-custom AWS Java SDK :: Custom Services diff --git a/services-custom/s3-event-notifications/pom.xml b/services-custom/s3-event-notifications/pom.xml index cacabbd0d151..deaa825ac473 100644 --- a/services-custom/s3-event-notifications/pom.xml +++ b/services-custom/s3-event-notifications/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ../../pom.xml s3-event-notifications diff --git a/services-custom/s3-transfer-manager/pom.xml b/services-custom/s3-transfer-manager/pom.xml index f5a57986834c..6116fb9ffc72 100644 --- a/services-custom/s3-transfer-manager/pom.xml +++ b/services-custom/s3-transfer-manager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ../../pom.xml s3-transfer-manager diff --git a/services-custom/sns-message-manager/pom.xml b/services-custom/sns-message-manager/pom.xml index b60e018ba94d..89b49a1c9eff 100644 --- a/services-custom/sns-message-manager/pom.xml +++ b/services-custom/sns-message-manager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ../../pom.xml sns-message-manager diff --git a/services/accessanalyzer/pom.xml b/services/accessanalyzer/pom.xml index 45e0ae9a213a..ed78fd847c11 100644 --- a/services/accessanalyzer/pom.xml +++ b/services/accessanalyzer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT accessanalyzer AWS Java SDK :: Services :: AccessAnalyzer diff --git a/services/account/pom.xml b/services/account/pom.xml index b7bcc34cbb9d..c5871e9ab440 100644 --- a/services/account/pom.xml +++ b/services/account/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT account AWS Java SDK :: Services :: Account diff --git a/services/acm/pom.xml b/services/acm/pom.xml index 67583fd09f92..ef89b8347048 100644 --- a/services/acm/pom.xml +++ b/services/acm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT acm AWS Java SDK :: Services :: AWS Certificate Manager diff --git a/services/acmpca/pom.xml b/services/acmpca/pom.xml index ea1a895c0789..7a79c3e31926 100644 --- a/services/acmpca/pom.xml +++ b/services/acmpca/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT acmpca AWS Java SDK :: Services :: ACM PCA diff --git a/services/aiops/pom.xml b/services/aiops/pom.xml index b149fbab921d..13c11be12eda 100644 --- a/services/aiops/pom.xml +++ b/services/aiops/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT aiops AWS Java SDK :: Services :: AI Ops diff --git a/services/amp/pom.xml b/services/amp/pom.xml index b6e61a8640f3..b7856a9f604a 100644 --- a/services/amp/pom.xml +++ b/services/amp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT amp AWS Java SDK :: Services :: Amp diff --git a/services/amplify/pom.xml b/services/amplify/pom.xml index 953198654bdb..8dfc2120da6b 100644 --- a/services/amplify/pom.xml +++ b/services/amplify/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT amplify AWS Java SDK :: Services :: Amplify diff --git a/services/amplifybackend/pom.xml b/services/amplifybackend/pom.xml index ef02d28a14c8..a78059a9f9b7 100644 --- a/services/amplifybackend/pom.xml +++ b/services/amplifybackend/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT amplifybackend AWS Java SDK :: Services :: Amplify Backend diff --git a/services/amplifyuibuilder/pom.xml b/services/amplifyuibuilder/pom.xml index 57cd7d7a8587..b89149583977 100644 --- a/services/amplifyuibuilder/pom.xml +++ b/services/amplifyuibuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT amplifyuibuilder AWS Java SDK :: Services :: Amplify UI Builder diff --git a/services/apigateway/pom.xml b/services/apigateway/pom.xml index a735dc6dafa2..14d9b0c539cd 100644 --- a/services/apigateway/pom.xml +++ b/services/apigateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT apigateway AWS Java SDK :: Services :: Amazon API Gateway diff --git a/services/apigatewaymanagementapi/pom.xml b/services/apigatewaymanagementapi/pom.xml index ea428fb66690..17ea05f3a878 100644 --- a/services/apigatewaymanagementapi/pom.xml +++ b/services/apigatewaymanagementapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT apigatewaymanagementapi AWS Java SDK :: Services :: ApiGatewayManagementApi diff --git a/services/apigatewayv2/pom.xml b/services/apigatewayv2/pom.xml index 306404e74b3b..e92756af2f1a 100644 --- a/services/apigatewayv2/pom.xml +++ b/services/apigatewayv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT apigatewayv2 AWS Java SDK :: Services :: ApiGatewayV2 diff --git a/services/appconfig/pom.xml b/services/appconfig/pom.xml index 4f02b929f249..60514585ee53 100644 --- a/services/appconfig/pom.xml +++ b/services/appconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT appconfig AWS Java SDK :: Services :: AppConfig diff --git a/services/appconfigdata/pom.xml b/services/appconfigdata/pom.xml index 2afc55c74c62..7d650e3e3220 100644 --- a/services/appconfigdata/pom.xml +++ b/services/appconfigdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT appconfigdata AWS Java SDK :: Services :: App Config Data diff --git a/services/appfabric/pom.xml b/services/appfabric/pom.xml index 663005208656..2a4e9b2d52cb 100644 --- a/services/appfabric/pom.xml +++ b/services/appfabric/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT appfabric AWS Java SDK :: Services :: App Fabric diff --git a/services/appflow/pom.xml b/services/appflow/pom.xml index 0e5620c43620..4170defb050b 100644 --- a/services/appflow/pom.xml +++ b/services/appflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT appflow AWS Java SDK :: Services :: Appflow diff --git a/services/appintegrations/pom.xml b/services/appintegrations/pom.xml index e14eb464ca82..8258f7de85f9 100644 --- a/services/appintegrations/pom.xml +++ b/services/appintegrations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT appintegrations AWS Java SDK :: Services :: App Integrations diff --git a/services/applicationautoscaling/pom.xml b/services/applicationautoscaling/pom.xml index bb8b967cca4e..0fdf389ea178 100644 --- a/services/applicationautoscaling/pom.xml +++ b/services/applicationautoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT applicationautoscaling AWS Java SDK :: Services :: AWS Application Auto Scaling diff --git a/services/applicationcostprofiler/pom.xml b/services/applicationcostprofiler/pom.xml index eac69c608ab5..ccc9f833d945 100644 --- a/services/applicationcostprofiler/pom.xml +++ b/services/applicationcostprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT applicationcostprofiler AWS Java SDK :: Services :: Application Cost Profiler diff --git a/services/applicationdiscovery/pom.xml b/services/applicationdiscovery/pom.xml index 8d253a486c5a..84ca7cc3b8b5 100644 --- a/services/applicationdiscovery/pom.xml +++ b/services/applicationdiscovery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT applicationdiscovery AWS Java SDK :: Services :: AWS Application Discovery Service diff --git a/services/applicationinsights/pom.xml b/services/applicationinsights/pom.xml index 5c31f3f75aa5..8fd8b4f0c73b 100644 --- a/services/applicationinsights/pom.xml +++ b/services/applicationinsights/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT applicationinsights AWS Java SDK :: Services :: Application Insights diff --git a/services/applicationsignals/pom.xml b/services/applicationsignals/pom.xml index 5a94029f8c4f..a897e2e21679 100644 --- a/services/applicationsignals/pom.xml +++ b/services/applicationsignals/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT applicationsignals AWS Java SDK :: Services :: Application Signals diff --git a/services/appmesh/pom.xml b/services/appmesh/pom.xml index 84f02b9d8cb9..b1b9ae499edb 100644 --- a/services/appmesh/pom.xml +++ b/services/appmesh/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT appmesh AWS Java SDK :: Services :: App Mesh diff --git a/services/apprunner/pom.xml b/services/apprunner/pom.xml index 4883e84d6e61..c6b11d7df150 100644 --- a/services/apprunner/pom.xml +++ b/services/apprunner/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT apprunner AWS Java SDK :: Services :: App Runner diff --git a/services/appstream/pom.xml b/services/appstream/pom.xml index 505ca2e2310b..7c49416989ca 100644 --- a/services/appstream/pom.xml +++ b/services/appstream/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT appstream AWS Java SDK :: Services :: Amazon AppStream diff --git a/services/appsync/pom.xml b/services/appsync/pom.xml index 71a6bc4d38db..370dddfd9805 100644 --- a/services/appsync/pom.xml +++ b/services/appsync/pom.xml @@ -21,7 +21,7 @@ services software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT appsync diff --git a/services/arcregionswitch/pom.xml b/services/arcregionswitch/pom.xml index 25a13b323d84..d696006a5ed3 100644 --- a/services/arcregionswitch/pom.xml +++ b/services/arcregionswitch/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT arcregionswitch AWS Java SDK :: Services :: ARC Region Switch diff --git a/services/arczonalshift/pom.xml b/services/arczonalshift/pom.xml index 3317cafdfa0f..263c8f30881e 100644 --- a/services/arczonalshift/pom.xml +++ b/services/arczonalshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT arczonalshift AWS Java SDK :: Services :: ARC Zonal Shift diff --git a/services/artifact/pom.xml b/services/artifact/pom.xml index ed5b00889a25..6dbaa209c8eb 100644 --- a/services/artifact/pom.xml +++ b/services/artifact/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT artifact AWS Java SDK :: Services :: Artifact diff --git a/services/athena/pom.xml b/services/athena/pom.xml index d782b27805e9..5854ef8c68e1 100644 --- a/services/athena/pom.xml +++ b/services/athena/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT athena AWS Java SDK :: Services :: Amazon Athena diff --git a/services/auditmanager/pom.xml b/services/auditmanager/pom.xml index 6e4a2e597377..78ab6b17b469 100644 --- a/services/auditmanager/pom.xml +++ b/services/auditmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT auditmanager AWS Java SDK :: Services :: Audit Manager diff --git a/services/autoscaling/pom.xml b/services/autoscaling/pom.xml index 65267c110907..ccce24e5e505 100644 --- a/services/autoscaling/pom.xml +++ b/services/autoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT autoscaling AWS Java SDK :: Services :: Auto Scaling diff --git a/services/autoscalingplans/pom.xml b/services/autoscalingplans/pom.xml index 4360f91b7589..e46b281b5a3e 100644 --- a/services/autoscalingplans/pom.xml +++ b/services/autoscalingplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT autoscalingplans AWS Java SDK :: Services :: Auto Scaling Plans diff --git a/services/b2bi/pom.xml b/services/b2bi/pom.xml index b22f3c49b062..518b7baeec3c 100644 --- a/services/b2bi/pom.xml +++ b/services/b2bi/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT b2bi AWS Java SDK :: Services :: B2 Bi diff --git a/services/backup/pom.xml b/services/backup/pom.xml index 40efdac16ae5..9c4136962edb 100644 --- a/services/backup/pom.xml +++ b/services/backup/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT backup AWS Java SDK :: Services :: Backup diff --git a/services/backupgateway/pom.xml b/services/backupgateway/pom.xml index 732a0d254303..d0c486ecf1d7 100644 --- a/services/backupgateway/pom.xml +++ b/services/backupgateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT backupgateway AWS Java SDK :: Services :: Backup Gateway diff --git a/services/backupsearch/pom.xml b/services/backupsearch/pom.xml index e83cf80b402f..ecd2ba4e768e 100644 --- a/services/backupsearch/pom.xml +++ b/services/backupsearch/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT backupsearch AWS Java SDK :: Services :: Backup Search diff --git a/services/batch/pom.xml b/services/batch/pom.xml index 1178be4e38ef..758d841ce8ea 100644 --- a/services/batch/pom.xml +++ b/services/batch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT batch AWS Java SDK :: Services :: AWS Batch diff --git a/services/bcmdashboards/pom.xml b/services/bcmdashboards/pom.xml index 4538df7bdd25..146ff936aac3 100644 --- a/services/bcmdashboards/pom.xml +++ b/services/bcmdashboards/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT bcmdashboards AWS Java SDK :: Services :: BCM Dashboards diff --git a/services/bcmdataexports/pom.xml b/services/bcmdataexports/pom.xml index f94ee49d6e04..8d04f02a41bc 100644 --- a/services/bcmdataexports/pom.xml +++ b/services/bcmdataexports/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT bcmdataexports AWS Java SDK :: Services :: BCM Data Exports diff --git a/services/bcmpricingcalculator/pom.xml b/services/bcmpricingcalculator/pom.xml index a9bc0af0f686..d71e0da423f0 100644 --- a/services/bcmpricingcalculator/pom.xml +++ b/services/bcmpricingcalculator/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT bcmpricingcalculator AWS Java SDK :: Services :: BCM Pricing Calculator diff --git a/services/bcmrecommendedactions/pom.xml b/services/bcmrecommendedactions/pom.xml index dfa361116e5a..15527592a49d 100644 --- a/services/bcmrecommendedactions/pom.xml +++ b/services/bcmrecommendedactions/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT bcmrecommendedactions AWS Java SDK :: Services :: BCM Recommended Actions diff --git a/services/bedrock/pom.xml b/services/bedrock/pom.xml index 3235e5eac2ff..feef6f11b739 100644 --- a/services/bedrock/pom.xml +++ b/services/bedrock/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT bedrock AWS Java SDK :: Services :: Bedrock diff --git a/services/bedrockagent/pom.xml b/services/bedrockagent/pom.xml index cd6f42f43d43..cf0ee9ea7d5f 100644 --- a/services/bedrockagent/pom.xml +++ b/services/bedrockagent/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT bedrockagent AWS Java SDK :: Services :: Bedrock Agent diff --git a/services/bedrockagentcore/pom.xml b/services/bedrockagentcore/pom.xml index bd732a64d85d..2f1337270ca2 100644 --- a/services/bedrockagentcore/pom.xml +++ b/services/bedrockagentcore/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT bedrockagentcore AWS Java SDK :: Services :: Bedrock Agent Core diff --git a/services/bedrockagentcorecontrol/pom.xml b/services/bedrockagentcorecontrol/pom.xml index 4f2571e9e38c..ff84df1f5b44 100644 --- a/services/bedrockagentcorecontrol/pom.xml +++ b/services/bedrockagentcorecontrol/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT bedrockagentcorecontrol AWS Java SDK :: Services :: Bedrock Agent Core Control diff --git a/services/bedrockagentruntime/pom.xml b/services/bedrockagentruntime/pom.xml index 5bd0bc20add7..97607a8d6136 100644 --- a/services/bedrockagentruntime/pom.xml +++ b/services/bedrockagentruntime/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT bedrockagentruntime AWS Java SDK :: Services :: Bedrock Agent Runtime diff --git a/services/bedrockdataautomation/pom.xml b/services/bedrockdataautomation/pom.xml index e281193f3aff..05b9f98a991a 100644 --- a/services/bedrockdataautomation/pom.xml +++ b/services/bedrockdataautomation/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT bedrockdataautomation AWS Java SDK :: Services :: Bedrock Data Automation diff --git a/services/bedrockdataautomationruntime/pom.xml b/services/bedrockdataautomationruntime/pom.xml index 3ccf534b5f75..c8043c55bebf 100644 --- a/services/bedrockdataautomationruntime/pom.xml +++ b/services/bedrockdataautomationruntime/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT bedrockdataautomationruntime AWS Java SDK :: Services :: Bedrock Data Automation Runtime diff --git a/services/bedrockruntime/pom.xml b/services/bedrockruntime/pom.xml index 79a627efc02e..d283879db014 100644 --- a/services/bedrockruntime/pom.xml +++ b/services/bedrockruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT bedrockruntime AWS Java SDK :: Services :: Bedrock Runtime diff --git a/services/billing/pom.xml b/services/billing/pom.xml index ef8bba0b03d3..bbce139dd619 100644 --- a/services/billing/pom.xml +++ b/services/billing/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT billing AWS Java SDK :: Services :: Billing diff --git a/services/billingconductor/pom.xml b/services/billingconductor/pom.xml index c5adf632ab81..d916e28a675d 100644 --- a/services/billingconductor/pom.xml +++ b/services/billingconductor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT billingconductor AWS Java SDK :: Services :: Billingconductor diff --git a/services/braket/pom.xml b/services/braket/pom.xml index 5d68234554fd..ce535ca234d0 100644 --- a/services/braket/pom.xml +++ b/services/braket/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT braket AWS Java SDK :: Services :: Braket diff --git a/services/budgets/pom.xml b/services/budgets/pom.xml index 6c24dbac6ee8..e896aa4fb52f 100644 --- a/services/budgets/pom.xml +++ b/services/budgets/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT budgets AWS Java SDK :: Services :: AWS Budgets diff --git a/services/chatbot/pom.xml b/services/chatbot/pom.xml index 67f99c47c23d..61d49e512b38 100644 --- a/services/chatbot/pom.xml +++ b/services/chatbot/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT chatbot AWS Java SDK :: Services :: Chatbot diff --git a/services/chime/pom.xml b/services/chime/pom.xml index ee68aa56159f..af71fc742026 100644 --- a/services/chime/pom.xml +++ b/services/chime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT chime AWS Java SDK :: Services :: Chime diff --git a/services/chimesdkidentity/pom.xml b/services/chimesdkidentity/pom.xml index b62b9e8e762c..78cbfda7b071 100644 --- a/services/chimesdkidentity/pom.xml +++ b/services/chimesdkidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT chimesdkidentity AWS Java SDK :: Services :: Chime SDK Identity diff --git a/services/chimesdkmediapipelines/pom.xml b/services/chimesdkmediapipelines/pom.xml index c03c97a53fb3..8ff411c3fa7f 100644 --- a/services/chimesdkmediapipelines/pom.xml +++ b/services/chimesdkmediapipelines/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT chimesdkmediapipelines AWS Java SDK :: Services :: Chime SDK Media Pipelines diff --git a/services/chimesdkmeetings/pom.xml b/services/chimesdkmeetings/pom.xml index 4a20c81a77fc..5da4f8f9412e 100644 --- a/services/chimesdkmeetings/pom.xml +++ b/services/chimesdkmeetings/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT chimesdkmeetings AWS Java SDK :: Services :: Chime SDK Meetings diff --git a/services/chimesdkmessaging/pom.xml b/services/chimesdkmessaging/pom.xml index 6e245edc55e2..cf90b2244e83 100644 --- a/services/chimesdkmessaging/pom.xml +++ b/services/chimesdkmessaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT chimesdkmessaging AWS Java SDK :: Services :: Chime SDK Messaging diff --git a/services/chimesdkvoice/pom.xml b/services/chimesdkvoice/pom.xml index 677314ff2715..afc835c659b2 100644 --- a/services/chimesdkvoice/pom.xml +++ b/services/chimesdkvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT chimesdkvoice AWS Java SDK :: Services :: Chime SDK Voice diff --git a/services/cleanrooms/pom.xml b/services/cleanrooms/pom.xml index 8c10dc99959b..8e8e379c4860 100644 --- a/services/cleanrooms/pom.xml +++ b/services/cleanrooms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT cleanrooms AWS Java SDK :: Services :: Clean Rooms diff --git a/services/cleanroomsml/pom.xml b/services/cleanroomsml/pom.xml index b19fb0cc3450..e4b2835193ec 100644 --- a/services/cleanroomsml/pom.xml +++ b/services/cleanroomsml/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT cleanroomsml AWS Java SDK :: Services :: Clean Rooms ML diff --git a/services/cloud9/pom.xml b/services/cloud9/pom.xml index 2a945b605c9a..15df21d0415c 100644 --- a/services/cloud9/pom.xml +++ b/services/cloud9/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 cloud9 diff --git a/services/cloudcontrol/pom.xml b/services/cloudcontrol/pom.xml index 1daedbdc3a36..bd65c2cdc7e3 100644 --- a/services/cloudcontrol/pom.xml +++ b/services/cloudcontrol/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT cloudcontrol AWS Java SDK :: Services :: Cloud Control diff --git a/services/clouddirectory/pom.xml b/services/clouddirectory/pom.xml index c3618c1e1b90..961f53fcb30e 100644 --- a/services/clouddirectory/pom.xml +++ b/services/clouddirectory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT clouddirectory AWS Java SDK :: Services :: Amazon CloudDirectory diff --git a/services/cloudformation/pom.xml b/services/cloudformation/pom.xml index 2a8ca82253dd..4aa19e26de3e 100644 --- a/services/cloudformation/pom.xml +++ b/services/cloudformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT cloudformation AWS Java SDK :: Services :: AWS CloudFormation diff --git a/services/cloudfront/pom.xml b/services/cloudfront/pom.xml index 5a7edb2950d4..c1f417226d37 100644 --- a/services/cloudfront/pom.xml +++ b/services/cloudfront/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT cloudfront AWS Java SDK :: Services :: Amazon CloudFront diff --git a/services/cloudfrontkeyvaluestore/pom.xml b/services/cloudfrontkeyvaluestore/pom.xml index 3da024fcf33f..0ae92cd4a2c4 100644 --- a/services/cloudfrontkeyvaluestore/pom.xml +++ b/services/cloudfrontkeyvaluestore/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT cloudfrontkeyvaluestore AWS Java SDK :: Services :: Cloud Front Key Value Store diff --git a/services/cloudhsm/pom.xml b/services/cloudhsm/pom.xml index 5b8a9e0555bb..22270cb4e2c8 100644 --- a/services/cloudhsm/pom.xml +++ b/services/cloudhsm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT cloudhsm AWS Java SDK :: Services :: AWS CloudHSM diff --git a/services/cloudhsmv2/pom.xml b/services/cloudhsmv2/pom.xml index 084af6134f5b..69c59bb2fada 100644 --- a/services/cloudhsmv2/pom.xml +++ b/services/cloudhsmv2/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 cloudhsmv2 diff --git a/services/cloudsearch/pom.xml b/services/cloudsearch/pom.xml index 677353ca2acc..b6b84f443ee4 100644 --- a/services/cloudsearch/pom.xml +++ b/services/cloudsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT cloudsearch AWS Java SDK :: Services :: Amazon CloudSearch diff --git a/services/cloudsearchdomain/pom.xml b/services/cloudsearchdomain/pom.xml index 1ba3a3f5dba7..4f2eac0eb77a 100644 --- a/services/cloudsearchdomain/pom.xml +++ b/services/cloudsearchdomain/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT cloudsearchdomain AWS Java SDK :: Services :: Amazon CloudSearch Domain diff --git a/services/cloudtrail/pom.xml b/services/cloudtrail/pom.xml index b6222407d8e7..1765df541960 100644 --- a/services/cloudtrail/pom.xml +++ b/services/cloudtrail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT cloudtrail AWS Java SDK :: Services :: AWS CloudTrail diff --git a/services/cloudtraildata/pom.xml b/services/cloudtraildata/pom.xml index ebc70dd2ddc3..823228a20323 100644 --- a/services/cloudtraildata/pom.xml +++ b/services/cloudtraildata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT cloudtraildata AWS Java SDK :: Services :: Cloud Trail Data diff --git a/services/cloudwatch/pom.xml b/services/cloudwatch/pom.xml index 522408c9cb21..ab373bdfb90c 100644 --- a/services/cloudwatch/pom.xml +++ b/services/cloudwatch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT cloudwatch AWS Java SDK :: Services :: Amazon CloudWatch diff --git a/services/cloudwatchevents/pom.xml b/services/cloudwatchevents/pom.xml index 20ddbbb6be65..56d9cac280fa 100644 --- a/services/cloudwatchevents/pom.xml +++ b/services/cloudwatchevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT cloudwatchevents AWS Java SDK :: Services :: Amazon CloudWatch Events diff --git a/services/cloudwatchlogs/pom.xml b/services/cloudwatchlogs/pom.xml index a18cd804031f..93b721a49314 100644 --- a/services/cloudwatchlogs/pom.xml +++ b/services/cloudwatchlogs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT cloudwatchlogs AWS Java SDK :: Services :: Amazon CloudWatch Logs diff --git a/services/codeartifact/pom.xml b/services/codeartifact/pom.xml index a03f7ea30074..e5be26ddf53a 100644 --- a/services/codeartifact/pom.xml +++ b/services/codeartifact/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT codeartifact AWS Java SDK :: Services :: Codeartifact diff --git a/services/codebuild/pom.xml b/services/codebuild/pom.xml index ad20838cc3fb..479a621f85ef 100644 --- a/services/codebuild/pom.xml +++ b/services/codebuild/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT codebuild AWS Java SDK :: Services :: AWS Code Build diff --git a/services/codecatalyst/pom.xml b/services/codecatalyst/pom.xml index 587aef7e6e96..b73da567046f 100644 --- a/services/codecatalyst/pom.xml +++ b/services/codecatalyst/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT codecatalyst AWS Java SDK :: Services :: Code Catalyst diff --git a/services/codecommit/pom.xml b/services/codecommit/pom.xml index 9f78584044dd..0f625b3eca8a 100644 --- a/services/codecommit/pom.xml +++ b/services/codecommit/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT codecommit AWS Java SDK :: Services :: AWS CodeCommit diff --git a/services/codeconnections/pom.xml b/services/codeconnections/pom.xml index 364788b9e918..f2970f09abea 100644 --- a/services/codeconnections/pom.xml +++ b/services/codeconnections/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT codeconnections AWS Java SDK :: Services :: Code Connections diff --git a/services/codedeploy/pom.xml b/services/codedeploy/pom.xml index f7bcc3d9a129..b37363f7cdf4 100644 --- a/services/codedeploy/pom.xml +++ b/services/codedeploy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT codedeploy AWS Java SDK :: Services :: AWS CodeDeploy diff --git a/services/codeguruprofiler/pom.xml b/services/codeguruprofiler/pom.xml index 152ab71bc7ac..bc7e96fa1bc2 100644 --- a/services/codeguruprofiler/pom.xml +++ b/services/codeguruprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT codeguruprofiler AWS Java SDK :: Services :: CodeGuruProfiler diff --git a/services/codegurureviewer/pom.xml b/services/codegurureviewer/pom.xml index db6a402a5ff1..1da2bea02590 100644 --- a/services/codegurureviewer/pom.xml +++ b/services/codegurureviewer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT codegurureviewer AWS Java SDK :: Services :: CodeGuru Reviewer diff --git a/services/codegurusecurity/pom.xml b/services/codegurusecurity/pom.xml index 83b349838b7b..7e7593797631 100644 --- a/services/codegurusecurity/pom.xml +++ b/services/codegurusecurity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT codegurusecurity AWS Java SDK :: Services :: Code Guru Security diff --git a/services/codepipeline/pom.xml b/services/codepipeline/pom.xml index fd12f2a864f9..5615fc39c90d 100644 --- a/services/codepipeline/pom.xml +++ b/services/codepipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT codepipeline AWS Java SDK :: Services :: AWS CodePipeline diff --git a/services/codestarconnections/pom.xml b/services/codestarconnections/pom.xml index a55b34774067..4d85d2520ff5 100644 --- a/services/codestarconnections/pom.xml +++ b/services/codestarconnections/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT codestarconnections AWS Java SDK :: Services :: CodeStar connections diff --git a/services/codestarnotifications/pom.xml b/services/codestarnotifications/pom.xml index ed408f11f089..e4f30486030f 100644 --- a/services/codestarnotifications/pom.xml +++ b/services/codestarnotifications/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT codestarnotifications AWS Java SDK :: Services :: Codestar Notifications diff --git a/services/cognitoidentity/pom.xml b/services/cognitoidentity/pom.xml index 6127b4f75ff1..fc21ad2a27a5 100644 --- a/services/cognitoidentity/pom.xml +++ b/services/cognitoidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT cognitoidentity AWS Java SDK :: Services :: Amazon Cognito Identity diff --git a/services/cognitoidentityprovider/pom.xml b/services/cognitoidentityprovider/pom.xml index 3b0eb4ff8e5b..9d911b7dab5e 100644 --- a/services/cognitoidentityprovider/pom.xml +++ b/services/cognitoidentityprovider/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT cognitoidentityprovider AWS Java SDK :: Services :: Amazon Cognito Identity Provider Service diff --git a/services/cognitosync/pom.xml b/services/cognitosync/pom.xml index 3997432f939a..e269e2c32c3c 100644 --- a/services/cognitosync/pom.xml +++ b/services/cognitosync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT cognitosync AWS Java SDK :: Services :: Amazon Cognito Sync diff --git a/services/comprehend/pom.xml b/services/comprehend/pom.xml index f80016b685b6..ea4ce47b295a 100644 --- a/services/comprehend/pom.xml +++ b/services/comprehend/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 comprehend diff --git a/services/comprehendmedical/pom.xml b/services/comprehendmedical/pom.xml index 5e6a6de99d5e..db0da0cc83a2 100644 --- a/services/comprehendmedical/pom.xml +++ b/services/comprehendmedical/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT comprehendmedical AWS Java SDK :: Services :: ComprehendMedical diff --git a/services/computeoptimizer/pom.xml b/services/computeoptimizer/pom.xml index 91efd6283d0d..97c6338c1ba3 100644 --- a/services/computeoptimizer/pom.xml +++ b/services/computeoptimizer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT computeoptimizer AWS Java SDK :: Services :: Compute Optimizer diff --git a/services/computeoptimizerautomation/pom.xml b/services/computeoptimizerautomation/pom.xml index 115d528f8c8a..f2a35569e148 100644 --- a/services/computeoptimizerautomation/pom.xml +++ b/services/computeoptimizerautomation/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT computeoptimizerautomation AWS Java SDK :: Services :: Compute Optimizer Automation diff --git a/services/config/pom.xml b/services/config/pom.xml index d43965908665..3809429a4225 100644 --- a/services/config/pom.xml +++ b/services/config/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT config AWS Java SDK :: Services :: AWS Config diff --git a/services/connect/pom.xml b/services/connect/pom.xml index a1c9d102a517..79daa59c1adf 100644 --- a/services/connect/pom.xml +++ b/services/connect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT connect AWS Java SDK :: Services :: Connect diff --git a/services/connectcampaigns/pom.xml b/services/connectcampaigns/pom.xml index 392bf7307538..7674ff75e14e 100644 --- a/services/connectcampaigns/pom.xml +++ b/services/connectcampaigns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT connectcampaigns AWS Java SDK :: Services :: Connect Campaigns diff --git a/services/connectcampaignsv2/pom.xml b/services/connectcampaignsv2/pom.xml index 7184e0b59084..e97e389bb954 100644 --- a/services/connectcampaignsv2/pom.xml +++ b/services/connectcampaignsv2/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT connectcampaignsv2 AWS Java SDK :: Services :: Connect Campaigns V2 diff --git a/services/connectcases/pom.xml b/services/connectcases/pom.xml index 795cfc8aa7ff..45200db0a5bf 100644 --- a/services/connectcases/pom.xml +++ b/services/connectcases/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT connectcases AWS Java SDK :: Services :: Connect Cases diff --git a/services/connectcontactlens/pom.xml b/services/connectcontactlens/pom.xml index a3993a4f4c44..a8ea8ae2aed5 100644 --- a/services/connectcontactlens/pom.xml +++ b/services/connectcontactlens/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT connectcontactlens AWS Java SDK :: Services :: Connect Contact Lens diff --git a/services/connecthealth/pom.xml b/services/connecthealth/pom.xml index 96b175b4273c..f168145fbe03 100644 --- a/services/connecthealth/pom.xml +++ b/services/connecthealth/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT connecthealth AWS Java SDK :: Services :: Connect Health diff --git a/services/connectparticipant/pom.xml b/services/connectparticipant/pom.xml index b7201be52892..42a0b52d7f95 100644 --- a/services/connectparticipant/pom.xml +++ b/services/connectparticipant/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT connectparticipant AWS Java SDK :: Services :: ConnectParticipant diff --git a/services/controlcatalog/pom.xml b/services/controlcatalog/pom.xml index 4fa1f1ae094e..b989c06e633e 100644 --- a/services/controlcatalog/pom.xml +++ b/services/controlcatalog/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT controlcatalog AWS Java SDK :: Services :: Control Catalog diff --git a/services/controltower/pom.xml b/services/controltower/pom.xml index 4dff65355281..cf51b3f48c6c 100644 --- a/services/controltower/pom.xml +++ b/services/controltower/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT controltower AWS Java SDK :: Services :: Control Tower diff --git a/services/costandusagereport/pom.xml b/services/costandusagereport/pom.xml index 01500721aea1..989fe8e076d3 100644 --- a/services/costandusagereport/pom.xml +++ b/services/costandusagereport/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT costandusagereport AWS Java SDK :: Services :: AWS Cost and Usage Report diff --git a/services/costexplorer/pom.xml b/services/costexplorer/pom.xml index 745161656c97..aa259393a5a8 100644 --- a/services/costexplorer/pom.xml +++ b/services/costexplorer/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 costexplorer diff --git a/services/costoptimizationhub/pom.xml b/services/costoptimizationhub/pom.xml index ed437bb15198..891596a27840 100644 --- a/services/costoptimizationhub/pom.xml +++ b/services/costoptimizationhub/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT costoptimizationhub AWS Java SDK :: Services :: Cost Optimization Hub diff --git a/services/customerprofiles/pom.xml b/services/customerprofiles/pom.xml index 2849aebaddf2..82056e2d0dfc 100644 --- a/services/customerprofiles/pom.xml +++ b/services/customerprofiles/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT customerprofiles AWS Java SDK :: Services :: Customer Profiles diff --git a/services/databasemigration/pom.xml b/services/databasemigration/pom.xml index 102a67a329c5..f47084e41dea 100644 --- a/services/databasemigration/pom.xml +++ b/services/databasemigration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT databasemigration AWS Java SDK :: Services :: AWS Database Migration Service diff --git a/services/databrew/pom.xml b/services/databrew/pom.xml index d1dcf8a5cb8e..848b3412860f 100644 --- a/services/databrew/pom.xml +++ b/services/databrew/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT databrew AWS Java SDK :: Services :: Data Brew diff --git a/services/dataexchange/pom.xml b/services/dataexchange/pom.xml index b3f97d4de8dc..36f2ae56a20a 100644 --- a/services/dataexchange/pom.xml +++ b/services/dataexchange/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT dataexchange AWS Java SDK :: Services :: DataExchange diff --git a/services/datapipeline/pom.xml b/services/datapipeline/pom.xml index deee9578d8b2..38a84fb944ea 100644 --- a/services/datapipeline/pom.xml +++ b/services/datapipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT datapipeline AWS Java SDK :: Services :: AWS Data Pipeline diff --git a/services/datasync/pom.xml b/services/datasync/pom.xml index 8196a6683286..2a627fd4a678 100644 --- a/services/datasync/pom.xml +++ b/services/datasync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT datasync AWS Java SDK :: Services :: DataSync diff --git a/services/datazone/pom.xml b/services/datazone/pom.xml index 854abbe5f55d..a07129d35e8a 100644 --- a/services/datazone/pom.xml +++ b/services/datazone/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT datazone AWS Java SDK :: Services :: Data Zone diff --git a/services/dax/pom.xml b/services/dax/pom.xml index d488676309fe..06bf40d000bb 100644 --- a/services/dax/pom.xml +++ b/services/dax/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT dax AWS Java SDK :: Services :: Amazon DynamoDB Accelerator (DAX) diff --git a/services/deadline/pom.xml b/services/deadline/pom.xml index ddf1d8b93883..df75a89fc6f5 100644 --- a/services/deadline/pom.xml +++ b/services/deadline/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT deadline AWS Java SDK :: Services :: Deadline diff --git a/services/detective/pom.xml b/services/detective/pom.xml index ab5e15db079f..36fde80f67a2 100644 --- a/services/detective/pom.xml +++ b/services/detective/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT detective AWS Java SDK :: Services :: Detective diff --git a/services/devicefarm/pom.xml b/services/devicefarm/pom.xml index 0f61c2440f9f..200f4654ca13 100644 --- a/services/devicefarm/pom.xml +++ b/services/devicefarm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT devicefarm AWS Java SDK :: Services :: AWS Device Farm diff --git a/services/devopsagent/pom.xml b/services/devopsagent/pom.xml index d17f9a831e87..204bdea91fd5 100644 --- a/services/devopsagent/pom.xml +++ b/services/devopsagent/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT devopsagent AWS Java SDK :: Services :: Dev Ops Agent diff --git a/services/devopsguru/pom.xml b/services/devopsguru/pom.xml index bb463a79b899..a8d60a303981 100644 --- a/services/devopsguru/pom.xml +++ b/services/devopsguru/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT devopsguru AWS Java SDK :: Services :: Dev Ops Guru diff --git a/services/directconnect/pom.xml b/services/directconnect/pom.xml index 59634c445ac3..19393cbe5fc0 100644 --- a/services/directconnect/pom.xml +++ b/services/directconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT directconnect AWS Java SDK :: Services :: AWS Direct Connect diff --git a/services/directory/pom.xml b/services/directory/pom.xml index 37db491d7cc1..d25423afe379 100644 --- a/services/directory/pom.xml +++ b/services/directory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT directory AWS Java SDK :: Services :: AWS Directory Service diff --git a/services/directoryservicedata/pom.xml b/services/directoryservicedata/pom.xml index f1400913b8e5..eb095cbfca44 100644 --- a/services/directoryservicedata/pom.xml +++ b/services/directoryservicedata/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT directoryservicedata AWS Java SDK :: Services :: Directory Service Data diff --git a/services/dlm/pom.xml b/services/dlm/pom.xml index 3f62dea7bdbd..9cbbf211c5ba 100644 --- a/services/dlm/pom.xml +++ b/services/dlm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT dlm AWS Java SDK :: Services :: DLM diff --git a/services/docdb/pom.xml b/services/docdb/pom.xml index 292d57cecf59..3e894326f244 100644 --- a/services/docdb/pom.xml +++ b/services/docdb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT docdb AWS Java SDK :: Services :: DocDB diff --git a/services/docdbelastic/pom.xml b/services/docdbelastic/pom.xml index 5a40ea8772f2..a4f6ffabf6e0 100644 --- a/services/docdbelastic/pom.xml +++ b/services/docdbelastic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT docdbelastic AWS Java SDK :: Services :: Doc DB Elastic diff --git a/services/drs/pom.xml b/services/drs/pom.xml index 049992dea631..13ebe6c23ddf 100644 --- a/services/drs/pom.xml +++ b/services/drs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT drs AWS Java SDK :: Services :: Drs diff --git a/services/dsql/pom.xml b/services/dsql/pom.xml index 3027160d9c1c..69b44d558f27 100644 --- a/services/dsql/pom.xml +++ b/services/dsql/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT dsql AWS Java SDK :: Services :: DSQL diff --git a/services/dynamodb/pom.xml b/services/dynamodb/pom.xml index 8238bdf33651..9a1647b5748a 100644 --- a/services/dynamodb/pom.xml +++ b/services/dynamodb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT dynamodb AWS Java SDK :: Services :: Amazon DynamoDB diff --git a/services/ebs/pom.xml b/services/ebs/pom.xml index a4f9fdd8ccad..387c3bec3294 100644 --- a/services/ebs/pom.xml +++ b/services/ebs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ebs AWS Java SDK :: Services :: EBS diff --git a/services/ec2/pom.xml b/services/ec2/pom.xml index 8a136e9fad19..4ed7597eef6e 100644 --- a/services/ec2/pom.xml +++ b/services/ec2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ec2 AWS Java SDK :: Services :: Amazon EC2 diff --git a/services/ec2instanceconnect/pom.xml b/services/ec2instanceconnect/pom.xml index 309e3947e52c..b6fea6cd4c42 100644 --- a/services/ec2instanceconnect/pom.xml +++ b/services/ec2instanceconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ec2instanceconnect AWS Java SDK :: Services :: EC2 Instance Connect diff --git a/services/ecr/pom.xml b/services/ecr/pom.xml index c7c7c8c12f4f..4a30f38f390f 100644 --- a/services/ecr/pom.xml +++ b/services/ecr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ecr AWS Java SDK :: Services :: Amazon EC2 Container Registry diff --git a/services/ecrpublic/pom.xml b/services/ecrpublic/pom.xml index cbdc9decaa96..cb3359ae2f14 100644 --- a/services/ecrpublic/pom.xml +++ b/services/ecrpublic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ecrpublic AWS Java SDK :: Services :: ECR PUBLIC diff --git a/services/ecs/pom.xml b/services/ecs/pom.xml index 2f4e01a077ea..39a8dc859bad 100644 --- a/services/ecs/pom.xml +++ b/services/ecs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ecs AWS Java SDK :: Services :: Amazon EC2 Container Service diff --git a/services/efs/pom.xml b/services/efs/pom.xml index 50b2e066ae54..ac495f19a66c 100644 --- a/services/efs/pom.xml +++ b/services/efs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT efs AWS Java SDK :: Services :: Amazon Elastic File System diff --git a/services/eks/pom.xml b/services/eks/pom.xml index c7d0cc2212d0..b3f919bc240b 100644 --- a/services/eks/pom.xml +++ b/services/eks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT eks AWS Java SDK :: Services :: EKS diff --git a/services/eksauth/pom.xml b/services/eksauth/pom.xml index c604c57436c2..62c18afa0aa9 100644 --- a/services/eksauth/pom.xml +++ b/services/eksauth/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT eksauth AWS Java SDK :: Services :: EKS Auth diff --git a/services/elasticache/pom.xml b/services/elasticache/pom.xml index 7db618b12719..9fa5ec9e0952 100644 --- a/services/elasticache/pom.xml +++ b/services/elasticache/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT elasticache AWS Java SDK :: Services :: Amazon ElastiCache diff --git a/services/elasticbeanstalk/pom.xml b/services/elasticbeanstalk/pom.xml index eeeb1122f95a..4630e1bb4584 100644 --- a/services/elasticbeanstalk/pom.xml +++ b/services/elasticbeanstalk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT elasticbeanstalk AWS Java SDK :: Services :: AWS Elastic Beanstalk diff --git a/services/elasticloadbalancing/pom.xml b/services/elasticloadbalancing/pom.xml index e47d4bc32ce3..449ed27621c7 100644 --- a/services/elasticloadbalancing/pom.xml +++ b/services/elasticloadbalancing/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT elasticloadbalancing AWS Java SDK :: Services :: Elastic Load Balancing diff --git a/services/elasticloadbalancingv2/pom.xml b/services/elasticloadbalancingv2/pom.xml index 7a649470935b..d1eccd2fda8e 100644 --- a/services/elasticloadbalancingv2/pom.xml +++ b/services/elasticloadbalancingv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT elasticloadbalancingv2 AWS Java SDK :: Services :: Elastic Load Balancing V2 diff --git a/services/elasticsearch/pom.xml b/services/elasticsearch/pom.xml index b021f48d7dd3..db0e263a62da 100644 --- a/services/elasticsearch/pom.xml +++ b/services/elasticsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT elasticsearch AWS Java SDK :: Services :: Amazon Elasticsearch Service diff --git a/services/elementalinference/pom.xml b/services/elementalinference/pom.xml index 1ac1854a13bd..ddff8f5d9e29 100644 --- a/services/elementalinference/pom.xml +++ b/services/elementalinference/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT elementalinference AWS Java SDK :: Services :: Elemental Inference diff --git a/services/emr/pom.xml b/services/emr/pom.xml index 2d87489cadd1..0b88daa0609e 100644 --- a/services/emr/pom.xml +++ b/services/emr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT emr AWS Java SDK :: Services :: Amazon EMR diff --git a/services/emrcontainers/pom.xml b/services/emrcontainers/pom.xml index 3900bce62680..4ba8060b22e1 100644 --- a/services/emrcontainers/pom.xml +++ b/services/emrcontainers/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT emrcontainers AWS Java SDK :: Services :: EMR Containers diff --git a/services/emrserverless/pom.xml b/services/emrserverless/pom.xml index 86a19e922903..9788d64fb944 100644 --- a/services/emrserverless/pom.xml +++ b/services/emrserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT emrserverless AWS Java SDK :: Services :: EMR Serverless diff --git a/services/entityresolution/pom.xml b/services/entityresolution/pom.xml index 07934965f447..d3597104cbc7 100644 --- a/services/entityresolution/pom.xml +++ b/services/entityresolution/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT entityresolution AWS Java SDK :: Services :: Entity Resolution diff --git a/services/eventbridge/pom.xml b/services/eventbridge/pom.xml index 7683bfef4708..cd1a16349d51 100644 --- a/services/eventbridge/pom.xml +++ b/services/eventbridge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT eventbridge AWS Java SDK :: Services :: EventBridge diff --git a/services/evs/pom.xml b/services/evs/pom.xml index 73ce5448b2ed..15d6d0b0aad7 100644 --- a/services/evs/pom.xml +++ b/services/evs/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT evs AWS Java SDK :: Services :: Evs diff --git a/services/finspace/pom.xml b/services/finspace/pom.xml index 7c39a9694ed0..c016e5d9033f 100644 --- a/services/finspace/pom.xml +++ b/services/finspace/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT finspace AWS Java SDK :: Services :: Finspace diff --git a/services/finspacedata/pom.xml b/services/finspacedata/pom.xml index 0a8b97dc64b9..02bbd66fd043 100644 --- a/services/finspacedata/pom.xml +++ b/services/finspacedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT finspacedata AWS Java SDK :: Services :: Finspace Data diff --git a/services/firehose/pom.xml b/services/firehose/pom.xml index 554c474ff9c9..82eafa40bc2d 100644 --- a/services/firehose/pom.xml +++ b/services/firehose/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT firehose AWS Java SDK :: Services :: Amazon Kinesis Firehose diff --git a/services/fis/pom.xml b/services/fis/pom.xml index f50b1f58c148..88ae12d4beaa 100644 --- a/services/fis/pom.xml +++ b/services/fis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT fis AWS Java SDK :: Services :: Fis diff --git a/services/fms/pom.xml b/services/fms/pom.xml index e726aabe9b09..6430b1dc4dbe 100644 --- a/services/fms/pom.xml +++ b/services/fms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT fms AWS Java SDK :: Services :: FMS diff --git a/services/forecast/pom.xml b/services/forecast/pom.xml index ab0e4fc3668c..17141fba54e2 100644 --- a/services/forecast/pom.xml +++ b/services/forecast/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT forecast AWS Java SDK :: Services :: Forecast diff --git a/services/forecastquery/pom.xml b/services/forecastquery/pom.xml index 51516afcbc83..8cdc41d79729 100644 --- a/services/forecastquery/pom.xml +++ b/services/forecastquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT forecastquery AWS Java SDK :: Services :: Forecastquery diff --git a/services/frauddetector/pom.xml b/services/frauddetector/pom.xml index 1e1c848304ed..8aa62e37373f 100644 --- a/services/frauddetector/pom.xml +++ b/services/frauddetector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT frauddetector AWS Java SDK :: Services :: FraudDetector diff --git a/services/freetier/pom.xml b/services/freetier/pom.xml index 483ec04eaa31..1b81d1660ca3 100644 --- a/services/freetier/pom.xml +++ b/services/freetier/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT freetier AWS Java SDK :: Services :: Free Tier diff --git a/services/fsx/pom.xml b/services/fsx/pom.xml index e415e8267f13..d88b4dd4422e 100644 --- a/services/fsx/pom.xml +++ b/services/fsx/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT fsx AWS Java SDK :: Services :: FSx diff --git a/services/gamelift/pom.xml b/services/gamelift/pom.xml index c65ced477917..105a45633c3a 100644 --- a/services/gamelift/pom.xml +++ b/services/gamelift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT gamelift AWS Java SDK :: Services :: AWS GameLift diff --git a/services/gameliftstreams/pom.xml b/services/gameliftstreams/pom.xml index 496fb4531d02..1b80a1f14fea 100644 --- a/services/gameliftstreams/pom.xml +++ b/services/gameliftstreams/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT gameliftstreams AWS Java SDK :: Services :: Game Lift Streams diff --git a/services/geomaps/pom.xml b/services/geomaps/pom.xml index 0b25e446523d..e936abc22f14 100644 --- a/services/geomaps/pom.xml +++ b/services/geomaps/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT geomaps AWS Java SDK :: Services :: Geo Maps diff --git a/services/geoplaces/pom.xml b/services/geoplaces/pom.xml index 36c2dd4b2e37..8bae7c8afe8d 100644 --- a/services/geoplaces/pom.xml +++ b/services/geoplaces/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT geoplaces AWS Java SDK :: Services :: Geo Places diff --git a/services/georoutes/pom.xml b/services/georoutes/pom.xml index 3f7cfde864b8..0c8fd9b42e2c 100644 --- a/services/georoutes/pom.xml +++ b/services/georoutes/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT georoutes AWS Java SDK :: Services :: Geo Routes diff --git a/services/glacier/pom.xml b/services/glacier/pom.xml index 3667052913d3..c90bda5fb16d 100644 --- a/services/glacier/pom.xml +++ b/services/glacier/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT glacier AWS Java SDK :: Services :: Amazon Glacier diff --git a/services/globalaccelerator/pom.xml b/services/globalaccelerator/pom.xml index a1287814f04e..ee8b33136744 100644 --- a/services/globalaccelerator/pom.xml +++ b/services/globalaccelerator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT globalaccelerator AWS Java SDK :: Services :: Global Accelerator diff --git a/services/glue/pom.xml b/services/glue/pom.xml index 38bcb4c382de..f6b490ae51bf 100644 --- a/services/glue/pom.xml +++ b/services/glue/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 glue diff --git a/services/grafana/pom.xml b/services/grafana/pom.xml index 025ef5c55d75..267db63b4abb 100644 --- a/services/grafana/pom.xml +++ b/services/grafana/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT grafana AWS Java SDK :: Services :: Grafana diff --git a/services/greengrass/pom.xml b/services/greengrass/pom.xml index d842ec55a612..60130a7ad494 100644 --- a/services/greengrass/pom.xml +++ b/services/greengrass/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT greengrass AWS Java SDK :: Services :: AWS Greengrass diff --git a/services/greengrassv2/pom.xml b/services/greengrassv2/pom.xml index 1b9ede59c87c..9ae629dc59c1 100644 --- a/services/greengrassv2/pom.xml +++ b/services/greengrassv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT greengrassv2 AWS Java SDK :: Services :: Greengrass V2 diff --git a/services/groundstation/pom.xml b/services/groundstation/pom.xml index d772fe0fd8fe..caf3093f3c5e 100644 --- a/services/groundstation/pom.xml +++ b/services/groundstation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT groundstation AWS Java SDK :: Services :: GroundStation diff --git a/services/guardduty/pom.xml b/services/guardduty/pom.xml index 431d45651ac0..3546a7c865d4 100644 --- a/services/guardduty/pom.xml +++ b/services/guardduty/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 guardduty diff --git a/services/health/pom.xml b/services/health/pom.xml index a89be62a0436..1995fe3be24c 100644 --- a/services/health/pom.xml +++ b/services/health/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT health AWS Java SDK :: Services :: AWS Health APIs and Notifications diff --git a/services/healthlake/pom.xml b/services/healthlake/pom.xml index e3ce498ead97..3d3af438d186 100644 --- a/services/healthlake/pom.xml +++ b/services/healthlake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT healthlake AWS Java SDK :: Services :: Health Lake diff --git a/services/iam/pom.xml b/services/iam/pom.xml index 9c0abd4d8e18..210c6ffc9a6f 100644 --- a/services/iam/pom.xml +++ b/services/iam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT iam AWS Java SDK :: Services :: AWS IAM diff --git a/services/identitystore/pom.xml b/services/identitystore/pom.xml index e8ab9d2beebf..f1c3c7188aa6 100644 --- a/services/identitystore/pom.xml +++ b/services/identitystore/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT identitystore AWS Java SDK :: Services :: Identitystore diff --git a/services/imagebuilder/pom.xml b/services/imagebuilder/pom.xml index 081ee5d96a01..1ecca55398d8 100644 --- a/services/imagebuilder/pom.xml +++ b/services/imagebuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT imagebuilder AWS Java SDK :: Services :: Imagebuilder diff --git a/services/inspector/pom.xml b/services/inspector/pom.xml index 26c7589e90a8..c1ef96a82613 100644 --- a/services/inspector/pom.xml +++ b/services/inspector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT inspector AWS Java SDK :: Services :: Amazon Inspector Service diff --git a/services/inspector2/pom.xml b/services/inspector2/pom.xml index 7dd72fdbdd4a..b686bbbb7619 100644 --- a/services/inspector2/pom.xml +++ b/services/inspector2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT inspector2 AWS Java SDK :: Services :: Inspector2 diff --git a/services/inspectorscan/pom.xml b/services/inspectorscan/pom.xml index 91eb6bcd79a5..8b50d5a7e865 100644 --- a/services/inspectorscan/pom.xml +++ b/services/inspectorscan/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT inspectorscan AWS Java SDK :: Services :: Inspector Scan diff --git a/services/interconnect/pom.xml b/services/interconnect/pom.xml index cde306c54fa1..1f69001d256f 100644 --- a/services/interconnect/pom.xml +++ b/services/interconnect/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT interconnect AWS Java SDK :: Services :: Interconnect diff --git a/services/internetmonitor/pom.xml b/services/internetmonitor/pom.xml index ff7108995fd5..64eb196f5ec9 100644 --- a/services/internetmonitor/pom.xml +++ b/services/internetmonitor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT internetmonitor AWS Java SDK :: Services :: Internet Monitor diff --git a/services/invoicing/pom.xml b/services/invoicing/pom.xml index 0e14ef35cf43..718a00b32146 100644 --- a/services/invoicing/pom.xml +++ b/services/invoicing/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT invoicing AWS Java SDK :: Services :: Invoicing diff --git a/services/iot/pom.xml b/services/iot/pom.xml index 17e5d27812e4..10d12f56f89a 100644 --- a/services/iot/pom.xml +++ b/services/iot/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT iot AWS Java SDK :: Services :: AWS IoT diff --git a/services/iotdataplane/pom.xml b/services/iotdataplane/pom.xml index 31eba0f91c1d..1645a1a94e33 100644 --- a/services/iotdataplane/pom.xml +++ b/services/iotdataplane/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT iotdataplane AWS Java SDK :: Services :: AWS IoT Data Plane diff --git a/services/iotdeviceadvisor/pom.xml b/services/iotdeviceadvisor/pom.xml index bb3e689ec945..4d2317425acb 100644 --- a/services/iotdeviceadvisor/pom.xml +++ b/services/iotdeviceadvisor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT iotdeviceadvisor AWS Java SDK :: Services :: Iot Device Advisor diff --git a/services/iotevents/pom.xml b/services/iotevents/pom.xml index ce3dbcd7a26f..bf7114a118ff 100644 --- a/services/iotevents/pom.xml +++ b/services/iotevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT iotevents AWS Java SDK :: Services :: IoT Events diff --git a/services/ioteventsdata/pom.xml b/services/ioteventsdata/pom.xml index cb1972adabed..acc4fccfeda8 100644 --- a/services/ioteventsdata/pom.xml +++ b/services/ioteventsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ioteventsdata AWS Java SDK :: Services :: IoT Events Data diff --git a/services/iotfleetwise/pom.xml b/services/iotfleetwise/pom.xml index ef8cde4d1642..acebd48d52a8 100644 --- a/services/iotfleetwise/pom.xml +++ b/services/iotfleetwise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT iotfleetwise AWS Java SDK :: Services :: Io T Fleet Wise diff --git a/services/iotjobsdataplane/pom.xml b/services/iotjobsdataplane/pom.xml index 5247efb93472..c00834847918 100644 --- a/services/iotjobsdataplane/pom.xml +++ b/services/iotjobsdataplane/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT iotjobsdataplane AWS Java SDK :: Services :: IoT Jobs Data Plane diff --git a/services/iotmanagedintegrations/pom.xml b/services/iotmanagedintegrations/pom.xml index 6788a20dc988..ccdd365923b9 100644 --- a/services/iotmanagedintegrations/pom.xml +++ b/services/iotmanagedintegrations/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT iotmanagedintegrations AWS Java SDK :: Services :: IoT Managed Integrations diff --git a/services/iotsecuretunneling/pom.xml b/services/iotsecuretunneling/pom.xml index c88ed4e7cee3..e8dbb6757aae 100644 --- a/services/iotsecuretunneling/pom.xml +++ b/services/iotsecuretunneling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT iotsecuretunneling AWS Java SDK :: Services :: IoTSecureTunneling diff --git a/services/iotsitewise/pom.xml b/services/iotsitewise/pom.xml index c8c91066f16c..8ff8c5dfc329 100644 --- a/services/iotsitewise/pom.xml +++ b/services/iotsitewise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT iotsitewise AWS Java SDK :: Services :: Io T Site Wise diff --git a/services/iotthingsgraph/pom.xml b/services/iotthingsgraph/pom.xml index b0d6ad7d04f4..4a38676f083e 100644 --- a/services/iotthingsgraph/pom.xml +++ b/services/iotthingsgraph/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT iotthingsgraph AWS Java SDK :: Services :: IoTThingsGraph diff --git a/services/iottwinmaker/pom.xml b/services/iottwinmaker/pom.xml index 4e9fcc4d2f58..aafc988c68ae 100644 --- a/services/iottwinmaker/pom.xml +++ b/services/iottwinmaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT iottwinmaker AWS Java SDK :: Services :: Io T Twin Maker diff --git a/services/iotwireless/pom.xml b/services/iotwireless/pom.xml index d6509026ada0..28058a58b9ef 100644 --- a/services/iotwireless/pom.xml +++ b/services/iotwireless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT iotwireless AWS Java SDK :: Services :: IoT Wireless diff --git a/services/ivs/pom.xml b/services/ivs/pom.xml index 8610f0a9d9e9..38b5f0ddecba 100644 --- a/services/ivs/pom.xml +++ b/services/ivs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ivs AWS Java SDK :: Services :: Ivs diff --git a/services/ivschat/pom.xml b/services/ivschat/pom.xml index 4a963f35eb49..61e330ae6252 100644 --- a/services/ivschat/pom.xml +++ b/services/ivschat/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ivschat AWS Java SDK :: Services :: Ivschat diff --git a/services/ivsrealtime/pom.xml b/services/ivsrealtime/pom.xml index e151a9ede60c..50c98445bf2d 100644 --- a/services/ivsrealtime/pom.xml +++ b/services/ivsrealtime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ivsrealtime AWS Java SDK :: Services :: IVS Real Time diff --git a/services/kafka/pom.xml b/services/kafka/pom.xml index 687a1e87fbf9..de1f0287b180 100644 --- a/services/kafka/pom.xml +++ b/services/kafka/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT kafka AWS Java SDK :: Services :: Kafka diff --git a/services/kafkaconnect/pom.xml b/services/kafkaconnect/pom.xml index c8b04a57d352..3b36fc0fe44b 100644 --- a/services/kafkaconnect/pom.xml +++ b/services/kafkaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT kafkaconnect AWS Java SDK :: Services :: Kafka Connect diff --git a/services/kendra/pom.xml b/services/kendra/pom.xml index 29d7bf637f46..87939c4413bc 100644 --- a/services/kendra/pom.xml +++ b/services/kendra/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT kendra AWS Java SDK :: Services :: Kendra diff --git a/services/kendraranking/pom.xml b/services/kendraranking/pom.xml index bef5cadd125c..94714485730e 100644 --- a/services/kendraranking/pom.xml +++ b/services/kendraranking/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT kendraranking AWS Java SDK :: Services :: Kendra Ranking diff --git a/services/keyspaces/pom.xml b/services/keyspaces/pom.xml index 2f0dda81db10..52b86e561efa 100644 --- a/services/keyspaces/pom.xml +++ b/services/keyspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT keyspaces AWS Java SDK :: Services :: Keyspaces diff --git a/services/keyspacesstreams/pom.xml b/services/keyspacesstreams/pom.xml index 6044756b8819..9971cff65e87 100644 --- a/services/keyspacesstreams/pom.xml +++ b/services/keyspacesstreams/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT keyspacesstreams AWS Java SDK :: Services :: Keyspaces Streams diff --git a/services/kinesis/pom.xml b/services/kinesis/pom.xml index be1acf5cf03f..a4b33cbedb6c 100644 --- a/services/kinesis/pom.xml +++ b/services/kinesis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT kinesis AWS Java SDK :: Services :: Amazon Kinesis diff --git a/services/kinesisanalytics/pom.xml b/services/kinesisanalytics/pom.xml index 644fba6e9669..891f149ee8e8 100644 --- a/services/kinesisanalytics/pom.xml +++ b/services/kinesisanalytics/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT kinesisanalytics AWS Java SDK :: Services :: Amazon Kinesis Analytics diff --git a/services/kinesisanalyticsv2/pom.xml b/services/kinesisanalyticsv2/pom.xml index f00e090f4a85..1819e7e0d68d 100644 --- a/services/kinesisanalyticsv2/pom.xml +++ b/services/kinesisanalyticsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT kinesisanalyticsv2 AWS Java SDK :: Services :: Kinesis Analytics V2 diff --git a/services/kinesisvideo/pom.xml b/services/kinesisvideo/pom.xml index 2aac121d5af6..8d46f1eaa3b5 100644 --- a/services/kinesisvideo/pom.xml +++ b/services/kinesisvideo/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 kinesisvideo diff --git a/services/kinesisvideoarchivedmedia/pom.xml b/services/kinesisvideoarchivedmedia/pom.xml index 3361836c7824..b271cb2ccf5d 100644 --- a/services/kinesisvideoarchivedmedia/pom.xml +++ b/services/kinesisvideoarchivedmedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT kinesisvideoarchivedmedia AWS Java SDK :: Services :: Kinesis Video Archived Media diff --git a/services/kinesisvideomedia/pom.xml b/services/kinesisvideomedia/pom.xml index 346cb6561ab7..5cc09272436a 100644 --- a/services/kinesisvideomedia/pom.xml +++ b/services/kinesisvideomedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT kinesisvideomedia AWS Java SDK :: Services :: Kinesis Video Media diff --git a/services/kinesisvideosignaling/pom.xml b/services/kinesisvideosignaling/pom.xml index 82b9af7998e5..cd9e3b92ec4f 100644 --- a/services/kinesisvideosignaling/pom.xml +++ b/services/kinesisvideosignaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT kinesisvideosignaling AWS Java SDK :: Services :: Kinesis Video Signaling diff --git a/services/kinesisvideowebrtcstorage/pom.xml b/services/kinesisvideowebrtcstorage/pom.xml index 42e7621fa2df..1c5df7e77750 100644 --- a/services/kinesisvideowebrtcstorage/pom.xml +++ b/services/kinesisvideowebrtcstorage/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT kinesisvideowebrtcstorage AWS Java SDK :: Services :: Kinesis Video Web RTC Storage diff --git a/services/kms/pom.xml b/services/kms/pom.xml index 86fcb208e8a3..28a12a8e947d 100644 --- a/services/kms/pom.xml +++ b/services/kms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT kms AWS Java SDK :: Services :: AWS KMS diff --git a/services/lakeformation/pom.xml b/services/lakeformation/pom.xml index 5d712ee23535..22e465ef8725 100644 --- a/services/lakeformation/pom.xml +++ b/services/lakeformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT lakeformation AWS Java SDK :: Services :: LakeFormation diff --git a/services/lambda/pom.xml b/services/lambda/pom.xml index a07e5105e003..464fe8255fb9 100644 --- a/services/lambda/pom.xml +++ b/services/lambda/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT lambda AWS Java SDK :: Services :: AWS Lambda diff --git a/services/launchwizard/pom.xml b/services/launchwizard/pom.xml index 8665525e2ca7..3cac60c074ac 100644 --- a/services/launchwizard/pom.xml +++ b/services/launchwizard/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT launchwizard AWS Java SDK :: Services :: Launch Wizard diff --git a/services/lexmodelbuilding/pom.xml b/services/lexmodelbuilding/pom.xml index f12eb8a309bb..79c78a81fd6e 100644 --- a/services/lexmodelbuilding/pom.xml +++ b/services/lexmodelbuilding/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT lexmodelbuilding AWS Java SDK :: Services :: Amazon Lex Model Building diff --git a/services/lexmodelsv2/pom.xml b/services/lexmodelsv2/pom.xml index 7362ba5a637c..fa828cc41e99 100644 --- a/services/lexmodelsv2/pom.xml +++ b/services/lexmodelsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT lexmodelsv2 AWS Java SDK :: Services :: Lex Models V2 diff --git a/services/lexruntime/pom.xml b/services/lexruntime/pom.xml index 48023c97a08f..617821df1994 100644 --- a/services/lexruntime/pom.xml +++ b/services/lexruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT lexruntime AWS Java SDK :: Services :: Amazon Lex Runtime diff --git a/services/lexruntimev2/pom.xml b/services/lexruntimev2/pom.xml index a3e8b7857cfd..b5687e2276b7 100644 --- a/services/lexruntimev2/pom.xml +++ b/services/lexruntimev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT lexruntimev2 AWS Java SDK :: Services :: Lex Runtime V2 diff --git a/services/licensemanager/pom.xml b/services/licensemanager/pom.xml index ead6dc4fcedc..30fb2f72f53b 100644 --- a/services/licensemanager/pom.xml +++ b/services/licensemanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT licensemanager AWS Java SDK :: Services :: License Manager diff --git a/services/licensemanagerlinuxsubscriptions/pom.xml b/services/licensemanagerlinuxsubscriptions/pom.xml index fd147f16ec5f..7c8adf34d305 100644 --- a/services/licensemanagerlinuxsubscriptions/pom.xml +++ b/services/licensemanagerlinuxsubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT licensemanagerlinuxsubscriptions AWS Java SDK :: Services :: License Manager Linux Subscriptions diff --git a/services/licensemanagerusersubscriptions/pom.xml b/services/licensemanagerusersubscriptions/pom.xml index 4622a7d8d681..6762fff91ba0 100644 --- a/services/licensemanagerusersubscriptions/pom.xml +++ b/services/licensemanagerusersubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT licensemanagerusersubscriptions AWS Java SDK :: Services :: License Manager User Subscriptions diff --git a/services/lightsail/pom.xml b/services/lightsail/pom.xml index 75593deb6d3a..30b6423248a9 100644 --- a/services/lightsail/pom.xml +++ b/services/lightsail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT lightsail AWS Java SDK :: Services :: Amazon Lightsail diff --git a/services/location/pom.xml b/services/location/pom.xml index 06d10fbc6a38..11655b2cd9d9 100644 --- a/services/location/pom.xml +++ b/services/location/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT location AWS Java SDK :: Services :: Location diff --git a/services/lookoutequipment/pom.xml b/services/lookoutequipment/pom.xml index 31954ac67e23..1a03e919502a 100644 --- a/services/lookoutequipment/pom.xml +++ b/services/lookoutequipment/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT lookoutequipment AWS Java SDK :: Services :: Lookout Equipment diff --git a/services/m2/pom.xml b/services/m2/pom.xml index 45975df81e34..67b4770dc6ea 100644 --- a/services/m2/pom.xml +++ b/services/m2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT m2 AWS Java SDK :: Services :: M2 diff --git a/services/machinelearning/pom.xml b/services/machinelearning/pom.xml index 5bf461ae3293..14f4ac5795e0 100644 --- a/services/machinelearning/pom.xml +++ b/services/machinelearning/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT machinelearning AWS Java SDK :: Services :: Amazon Machine Learning diff --git a/services/macie2/pom.xml b/services/macie2/pom.xml index 9860b83c0884..55f7bc0f6cfa 100644 --- a/services/macie2/pom.xml +++ b/services/macie2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT macie2 AWS Java SDK :: Services :: Macie2 diff --git a/services/mailmanager/pom.xml b/services/mailmanager/pom.xml index 47cb3ea0bad3..ed8b763d9244 100644 --- a/services/mailmanager/pom.xml +++ b/services/mailmanager/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT mailmanager AWS Java SDK :: Services :: Mail Manager diff --git a/services/managedblockchain/pom.xml b/services/managedblockchain/pom.xml index 985712744d48..f30954fbfcbd 100644 --- a/services/managedblockchain/pom.xml +++ b/services/managedblockchain/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT managedblockchain AWS Java SDK :: Services :: ManagedBlockchain diff --git a/services/managedblockchainquery/pom.xml b/services/managedblockchainquery/pom.xml index e7ab5793d129..d768ea85c6b7 100644 --- a/services/managedblockchainquery/pom.xml +++ b/services/managedblockchainquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT managedblockchainquery AWS Java SDK :: Services :: Managed Blockchain Query diff --git a/services/marketplaceagreement/pom.xml b/services/marketplaceagreement/pom.xml index dece319d838f..d4b78a1b12c5 100644 --- a/services/marketplaceagreement/pom.xml +++ b/services/marketplaceagreement/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT marketplaceagreement AWS Java SDK :: Services :: Marketplace Agreement diff --git a/services/marketplacecatalog/pom.xml b/services/marketplacecatalog/pom.xml index 82da12a85f03..f50334709419 100644 --- a/services/marketplacecatalog/pom.xml +++ b/services/marketplacecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT marketplacecatalog AWS Java SDK :: Services :: Marketplace Catalog diff --git a/services/marketplacecommerceanalytics/pom.xml b/services/marketplacecommerceanalytics/pom.xml index b2e7892184e5..99b69bd42fc7 100644 --- a/services/marketplacecommerceanalytics/pom.xml +++ b/services/marketplacecommerceanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT marketplacecommerceanalytics AWS Java SDK :: Services :: AWS Marketplace Commerce Analytics diff --git a/services/marketplacedeployment/pom.xml b/services/marketplacedeployment/pom.xml index abd952bb3c2c..d8f928c7f025 100644 --- a/services/marketplacedeployment/pom.xml +++ b/services/marketplacedeployment/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT marketplacedeployment AWS Java SDK :: Services :: Marketplace Deployment diff --git a/services/marketplacediscovery/pom.xml b/services/marketplacediscovery/pom.xml index 901cf35c34b6..9b57d4e1b4c2 100644 --- a/services/marketplacediscovery/pom.xml +++ b/services/marketplacediscovery/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT marketplacediscovery AWS Java SDK :: Services :: Marketplace Discovery diff --git a/services/marketplaceentitlement/pom.xml b/services/marketplaceentitlement/pom.xml index f50ab39cfafc..cd057fd7bdfe 100644 --- a/services/marketplaceentitlement/pom.xml +++ b/services/marketplaceentitlement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT marketplaceentitlement AWS Java SDK :: Services :: AWS Marketplace Entitlement diff --git a/services/marketplacemetering/pom.xml b/services/marketplacemetering/pom.xml index 1b404e2776e6..79d8477778c6 100644 --- a/services/marketplacemetering/pom.xml +++ b/services/marketplacemetering/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT marketplacemetering AWS Java SDK :: Services :: AWS Marketplace Metering Service diff --git a/services/marketplacereporting/pom.xml b/services/marketplacereporting/pom.xml index cd4a212c23f4..cadff42e6523 100644 --- a/services/marketplacereporting/pom.xml +++ b/services/marketplacereporting/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT marketplacereporting AWS Java SDK :: Services :: Marketplace Reporting diff --git a/services/mediaconnect/pom.xml b/services/mediaconnect/pom.xml index 4c8844d6152b..0e50b730a3e9 100644 --- a/services/mediaconnect/pom.xml +++ b/services/mediaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT mediaconnect AWS Java SDK :: Services :: MediaConnect diff --git a/services/mediaconvert/pom.xml b/services/mediaconvert/pom.xml index a8e3f2815e82..cee68455bca9 100644 --- a/services/mediaconvert/pom.xml +++ b/services/mediaconvert/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 mediaconvert diff --git a/services/medialive/pom.xml b/services/medialive/pom.xml index 5db2c2a5782e..0776f93ebe6f 100644 --- a/services/medialive/pom.xml +++ b/services/medialive/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 medialive diff --git a/services/mediapackage/pom.xml b/services/mediapackage/pom.xml index bd1787895880..d04ecab8b7e1 100644 --- a/services/mediapackage/pom.xml +++ b/services/mediapackage/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 mediapackage diff --git a/services/mediapackagev2/pom.xml b/services/mediapackagev2/pom.xml index 7758a8e8da0d..9395622e78ec 100644 --- a/services/mediapackagev2/pom.xml +++ b/services/mediapackagev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT mediapackagev2 AWS Java SDK :: Services :: Media Package V2 diff --git a/services/mediapackagevod/pom.xml b/services/mediapackagevod/pom.xml index 6ae406a61996..64634563894a 100644 --- a/services/mediapackagevod/pom.xml +++ b/services/mediapackagevod/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT mediapackagevod AWS Java SDK :: Services :: MediaPackage Vod diff --git a/services/mediastore/pom.xml b/services/mediastore/pom.xml index e8f1a39e62f1..858f89c2956f 100644 --- a/services/mediastore/pom.xml +++ b/services/mediastore/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 mediastore diff --git a/services/mediastoredata/pom.xml b/services/mediastoredata/pom.xml index 01e089cfd97a..a8a4ba9139f6 100644 --- a/services/mediastoredata/pom.xml +++ b/services/mediastoredata/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 mediastoredata diff --git a/services/mediatailor/pom.xml b/services/mediatailor/pom.xml index 9ccc23210207..9144bf787085 100644 --- a/services/mediatailor/pom.xml +++ b/services/mediatailor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT mediatailor AWS Java SDK :: Services :: MediaTailor diff --git a/services/medicalimaging/pom.xml b/services/medicalimaging/pom.xml index 9db96121046e..92560a0159f8 100644 --- a/services/medicalimaging/pom.xml +++ b/services/medicalimaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT medicalimaging AWS Java SDK :: Services :: Medical Imaging diff --git a/services/memorydb/pom.xml b/services/memorydb/pom.xml index d98c714b978a..3c6c9bb28696 100644 --- a/services/memorydb/pom.xml +++ b/services/memorydb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT memorydb AWS Java SDK :: Services :: Memory DB diff --git a/services/mgn/pom.xml b/services/mgn/pom.xml index 4b60f7c45592..7774a4e6a892 100644 --- a/services/mgn/pom.xml +++ b/services/mgn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT mgn AWS Java SDK :: Services :: Mgn diff --git a/services/migrationhub/pom.xml b/services/migrationhub/pom.xml index 005c8811ecb4..c9a817c276c9 100644 --- a/services/migrationhub/pom.xml +++ b/services/migrationhub/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 migrationhub diff --git a/services/migrationhubconfig/pom.xml b/services/migrationhubconfig/pom.xml index 318e28486f10..9bf6fcd27afb 100644 --- a/services/migrationhubconfig/pom.xml +++ b/services/migrationhubconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT migrationhubconfig AWS Java SDK :: Services :: MigrationHub Config diff --git a/services/migrationhuborchestrator/pom.xml b/services/migrationhuborchestrator/pom.xml index be0c68c105ac..6591be1792ca 100644 --- a/services/migrationhuborchestrator/pom.xml +++ b/services/migrationhuborchestrator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT migrationhuborchestrator AWS Java SDK :: Services :: Migration Hub Orchestrator diff --git a/services/migrationhubrefactorspaces/pom.xml b/services/migrationhubrefactorspaces/pom.xml index 9e12a9b37e62..ed3b1ed3b8bc 100644 --- a/services/migrationhubrefactorspaces/pom.xml +++ b/services/migrationhubrefactorspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT migrationhubrefactorspaces AWS Java SDK :: Services :: Migration Hub Refactor Spaces diff --git a/services/migrationhubstrategy/pom.xml b/services/migrationhubstrategy/pom.xml index c410716cc6c6..b8ce55d3fcb7 100644 --- a/services/migrationhubstrategy/pom.xml +++ b/services/migrationhubstrategy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT migrationhubstrategy AWS Java SDK :: Services :: Migration Hub Strategy diff --git a/services/mpa/pom.xml b/services/mpa/pom.xml index 2c55739ddaa0..d870003e87c5 100644 --- a/services/mpa/pom.xml +++ b/services/mpa/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT mpa AWS Java SDK :: Services :: MPA diff --git a/services/mq/pom.xml b/services/mq/pom.xml index c8207c65af60..0db2ad9d1836 100644 --- a/services/mq/pom.xml +++ b/services/mq/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 mq diff --git a/services/mturk/pom.xml b/services/mturk/pom.xml index a673c27200fb..4b29678a9abc 100644 --- a/services/mturk/pom.xml +++ b/services/mturk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT mturk AWS Java SDK :: Services :: Amazon Mechanical Turk Requester diff --git a/services/mwaa/pom.xml b/services/mwaa/pom.xml index 6b5544adab8f..ebd27c805a2e 100644 --- a/services/mwaa/pom.xml +++ b/services/mwaa/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT mwaa AWS Java SDK :: Services :: MWAA diff --git a/services/mwaaserverless/pom.xml b/services/mwaaserverless/pom.xml index 73bb904eb921..ce5761f2e1c7 100644 --- a/services/mwaaserverless/pom.xml +++ b/services/mwaaserverless/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT mwaaserverless AWS Java SDK :: Services :: MWAA Serverless diff --git a/services/neptune/pom.xml b/services/neptune/pom.xml index b7d94afdae4c..8e2ba0d1ca1e 100644 --- a/services/neptune/pom.xml +++ b/services/neptune/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT neptune AWS Java SDK :: Services :: Neptune diff --git a/services/neptunedata/pom.xml b/services/neptunedata/pom.xml index e5ce2cacc3ab..a20ebdb56365 100644 --- a/services/neptunedata/pom.xml +++ b/services/neptunedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT neptunedata AWS Java SDK :: Services :: Neptunedata diff --git a/services/neptunegraph/pom.xml b/services/neptunegraph/pom.xml index 42d25a71372d..90e81da54545 100644 --- a/services/neptunegraph/pom.xml +++ b/services/neptunegraph/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT neptunegraph AWS Java SDK :: Services :: Neptune Graph diff --git a/services/networkfirewall/pom.xml b/services/networkfirewall/pom.xml index b01cb2db4da7..189d67364bad 100644 --- a/services/networkfirewall/pom.xml +++ b/services/networkfirewall/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT networkfirewall AWS Java SDK :: Services :: Network Firewall diff --git a/services/networkflowmonitor/pom.xml b/services/networkflowmonitor/pom.xml index deadb5785e3f..270080b79108 100644 --- a/services/networkflowmonitor/pom.xml +++ b/services/networkflowmonitor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT networkflowmonitor AWS Java SDK :: Services :: Network Flow Monitor diff --git a/services/networkmanager/pom.xml b/services/networkmanager/pom.xml index de55b031b683..4fd73323c57b 100644 --- a/services/networkmanager/pom.xml +++ b/services/networkmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT networkmanager AWS Java SDK :: Services :: NetworkManager diff --git a/services/networkmonitor/pom.xml b/services/networkmonitor/pom.xml index b4f9431f25d2..f388f24535ea 100644 --- a/services/networkmonitor/pom.xml +++ b/services/networkmonitor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT networkmonitor AWS Java SDK :: Services :: Network Monitor diff --git a/services/notifications/pom.xml b/services/notifications/pom.xml index c1a012033483..a0f9f154ea7a 100644 --- a/services/notifications/pom.xml +++ b/services/notifications/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT notifications AWS Java SDK :: Services :: Notifications diff --git a/services/notificationscontacts/pom.xml b/services/notificationscontacts/pom.xml index f297639912bb..bcbf49d51e19 100644 --- a/services/notificationscontacts/pom.xml +++ b/services/notificationscontacts/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT notificationscontacts AWS Java SDK :: Services :: Notifications Contacts diff --git a/services/novaact/pom.xml b/services/novaact/pom.xml index 579e1c70b1ae..481ff5d74886 100644 --- a/services/novaact/pom.xml +++ b/services/novaact/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT novaact AWS Java SDK :: Services :: Nova Act diff --git a/services/oam/pom.xml b/services/oam/pom.xml index 427ba1a77830..6315f54532fd 100644 --- a/services/oam/pom.xml +++ b/services/oam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT oam AWS Java SDK :: Services :: OAM diff --git a/services/observabilityadmin/pom.xml b/services/observabilityadmin/pom.xml index 6d91ef03fb23..cb1078fcbddc 100644 --- a/services/observabilityadmin/pom.xml +++ b/services/observabilityadmin/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT observabilityadmin AWS Java SDK :: Services :: Observability Admin diff --git a/services/odb/pom.xml b/services/odb/pom.xml index 86a785f437ce..892e3e2d4852 100644 --- a/services/odb/pom.xml +++ b/services/odb/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT odb AWS Java SDK :: Services :: Odb diff --git a/services/omics/pom.xml b/services/omics/pom.xml index bf8865668450..b63be12a46cc 100644 --- a/services/omics/pom.xml +++ b/services/omics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT omics AWS Java SDK :: Services :: Omics diff --git a/services/opensearch/pom.xml b/services/opensearch/pom.xml index e01f8d3e6ff8..fbbd28e14937 100644 --- a/services/opensearch/pom.xml +++ b/services/opensearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT opensearch AWS Java SDK :: Services :: Open Search diff --git a/services/opensearchserverless/pom.xml b/services/opensearchserverless/pom.xml index 762a65d3cf55..615090a14825 100644 --- a/services/opensearchserverless/pom.xml +++ b/services/opensearchserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT opensearchserverless AWS Java SDK :: Services :: Open Search Serverless diff --git a/services/organizations/pom.xml b/services/organizations/pom.xml index 82f0442483f1..9874c07e64eb 100644 --- a/services/organizations/pom.xml +++ b/services/organizations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT organizations AWS Java SDK :: Services :: AWS Organizations diff --git a/services/osis/pom.xml b/services/osis/pom.xml index 6bdacfa390f4..bd66dc6cff23 100644 --- a/services/osis/pom.xml +++ b/services/osis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT osis AWS Java SDK :: Services :: OSIS diff --git a/services/outposts/pom.xml b/services/outposts/pom.xml index 2a48974dbbfa..4e6b46f8f252 100644 --- a/services/outposts/pom.xml +++ b/services/outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT outposts AWS Java SDK :: Services :: Outposts diff --git a/services/panorama/pom.xml b/services/panorama/pom.xml index bfbc3ca1ac77..9dd93967786c 100644 --- a/services/panorama/pom.xml +++ b/services/panorama/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT panorama AWS Java SDK :: Services :: Panorama diff --git a/services/partnercentralaccount/pom.xml b/services/partnercentralaccount/pom.xml index 1182a77f3a57..a973ea3c69a9 100644 --- a/services/partnercentralaccount/pom.xml +++ b/services/partnercentralaccount/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT partnercentralaccount AWS Java SDK :: Services :: Partner Central Account diff --git a/services/partnercentralbenefits/pom.xml b/services/partnercentralbenefits/pom.xml index e22e09ff9772..80a0accbe26a 100644 --- a/services/partnercentralbenefits/pom.xml +++ b/services/partnercentralbenefits/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT partnercentralbenefits AWS Java SDK :: Services :: Partner Central Benefits diff --git a/services/partnercentralchannel/pom.xml b/services/partnercentralchannel/pom.xml index c3c0d9be5436..75e2d558f687 100644 --- a/services/partnercentralchannel/pom.xml +++ b/services/partnercentralchannel/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT partnercentralchannel AWS Java SDK :: Services :: Partner Central Channel diff --git a/services/partnercentralselling/pom.xml b/services/partnercentralselling/pom.xml index c3d6503a82be..e7d583537bbf 100644 --- a/services/partnercentralselling/pom.xml +++ b/services/partnercentralselling/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT partnercentralselling AWS Java SDK :: Services :: Partner Central Selling diff --git a/services/paymentcryptography/pom.xml b/services/paymentcryptography/pom.xml index f52e84ced09c..ff8604f1e740 100644 --- a/services/paymentcryptography/pom.xml +++ b/services/paymentcryptography/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT paymentcryptography AWS Java SDK :: Services :: Payment Cryptography diff --git a/services/paymentcryptographydata/pom.xml b/services/paymentcryptographydata/pom.xml index a8e742ba9eee..3c69739c8fb9 100644 --- a/services/paymentcryptographydata/pom.xml +++ b/services/paymentcryptographydata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT paymentcryptographydata AWS Java SDK :: Services :: Payment Cryptography Data diff --git a/services/pcaconnectorad/pom.xml b/services/pcaconnectorad/pom.xml index 8ceb72cbe1af..b3bd057e2e16 100644 --- a/services/pcaconnectorad/pom.xml +++ b/services/pcaconnectorad/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT pcaconnectorad AWS Java SDK :: Services :: Pca Connector Ad diff --git a/services/pcaconnectorscep/pom.xml b/services/pcaconnectorscep/pom.xml index acd8ad65661a..13fc72a851dc 100644 --- a/services/pcaconnectorscep/pom.xml +++ b/services/pcaconnectorscep/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT pcaconnectorscep AWS Java SDK :: Services :: Pca Connector Scep diff --git a/services/pcs/pom.xml b/services/pcs/pom.xml index a65968e23a57..7d2c235fe75b 100644 --- a/services/pcs/pom.xml +++ b/services/pcs/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT pcs AWS Java SDK :: Services :: PCS diff --git a/services/personalize/pom.xml b/services/personalize/pom.xml index 7cc0b126c69b..d00c5654960f 100644 --- a/services/personalize/pom.xml +++ b/services/personalize/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT personalize AWS Java SDK :: Services :: Personalize diff --git a/services/personalizeevents/pom.xml b/services/personalizeevents/pom.xml index 6332b5e3d3bd..10f77a065db0 100644 --- a/services/personalizeevents/pom.xml +++ b/services/personalizeevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT personalizeevents AWS Java SDK :: Services :: Personalize Events diff --git a/services/personalizeruntime/pom.xml b/services/personalizeruntime/pom.xml index 6408d2b93492..18cee04dd5ae 100644 --- a/services/personalizeruntime/pom.xml +++ b/services/personalizeruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT personalizeruntime AWS Java SDK :: Services :: Personalize Runtime diff --git a/services/pi/pom.xml b/services/pi/pom.xml index 73067eafd3d8..89aa0547a0f3 100644 --- a/services/pi/pom.xml +++ b/services/pi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT pi AWS Java SDK :: Services :: PI diff --git a/services/pinpoint/pom.xml b/services/pinpoint/pom.xml index 7d720a1200f6..79c48d6b3cdf 100644 --- a/services/pinpoint/pom.xml +++ b/services/pinpoint/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT pinpoint AWS Java SDK :: Services :: Amazon Pinpoint diff --git a/services/pinpointemail/pom.xml b/services/pinpointemail/pom.xml index caf301e6692b..4f29742010fe 100644 --- a/services/pinpointemail/pom.xml +++ b/services/pinpointemail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT pinpointemail AWS Java SDK :: Services :: Pinpoint Email diff --git a/services/pinpointsmsvoice/pom.xml b/services/pinpointsmsvoice/pom.xml index de9502f49473..bb7f48dfe7b8 100644 --- a/services/pinpointsmsvoice/pom.xml +++ b/services/pinpointsmsvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT pinpointsmsvoice AWS Java SDK :: Services :: Pinpoint SMS Voice diff --git a/services/pinpointsmsvoicev2/pom.xml b/services/pinpointsmsvoicev2/pom.xml index 040811e9665c..a741c291350c 100644 --- a/services/pinpointsmsvoicev2/pom.xml +++ b/services/pinpointsmsvoicev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT pinpointsmsvoicev2 AWS Java SDK :: Services :: Pinpoint SMS Voice V2 diff --git a/services/pipes/pom.xml b/services/pipes/pom.xml index 02ca273cfd17..59f68adee7b7 100644 --- a/services/pipes/pom.xml +++ b/services/pipes/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT pipes AWS Java SDK :: Services :: Pipes diff --git a/services/polly/pom.xml b/services/polly/pom.xml index 3febbc3099d1..9c25bb1c22ed 100644 --- a/services/polly/pom.xml +++ b/services/polly/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT polly AWS Java SDK :: Services :: Amazon Polly diff --git a/services/pom.xml b/services/pom.xml index b00f5d363e01..3b1401f95d41 100644 --- a/services/pom.xml +++ b/services/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT services AWS Java SDK :: Services diff --git a/services/pricing/pom.xml b/services/pricing/pom.xml index 25f32ac1892f..c0dbfc07fe65 100644 --- a/services/pricing/pom.xml +++ b/services/pricing/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 pricing diff --git a/services/proton/pom.xml b/services/proton/pom.xml index 18c5d73f2537..63feda962148 100644 --- a/services/proton/pom.xml +++ b/services/proton/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT proton AWS Java SDK :: Services :: Proton diff --git a/services/qapps/pom.xml b/services/qapps/pom.xml index ec832c3b96f4..8c2c383e535e 100644 --- a/services/qapps/pom.xml +++ b/services/qapps/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT qapps AWS Java SDK :: Services :: Q Apps diff --git a/services/qbusiness/pom.xml b/services/qbusiness/pom.xml index 800134ceaa0b..fb0bd9e5b5e6 100644 --- a/services/qbusiness/pom.xml +++ b/services/qbusiness/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT qbusiness AWS Java SDK :: Services :: Q Business diff --git a/services/qconnect/pom.xml b/services/qconnect/pom.xml index a8a939e419a7..12d127879a64 100644 --- a/services/qconnect/pom.xml +++ b/services/qconnect/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT qconnect AWS Java SDK :: Services :: Q Connect diff --git a/services/quicksight/pom.xml b/services/quicksight/pom.xml index 497a0243f834..a917e6c61e39 100644 --- a/services/quicksight/pom.xml +++ b/services/quicksight/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT quicksight AWS Java SDK :: Services :: QuickSight diff --git a/services/ram/pom.xml b/services/ram/pom.xml index c9de046912dc..68e2d2226c20 100644 --- a/services/ram/pom.xml +++ b/services/ram/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ram AWS Java SDK :: Services :: RAM diff --git a/services/rbin/pom.xml b/services/rbin/pom.xml index 6e290f5afdb1..9c28dcdffd8f 100644 --- a/services/rbin/pom.xml +++ b/services/rbin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT rbin AWS Java SDK :: Services :: Rbin diff --git a/services/rds/pom.xml b/services/rds/pom.xml index bd8c0f980f86..304de8539bcb 100644 --- a/services/rds/pom.xml +++ b/services/rds/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT rds AWS Java SDK :: Services :: Amazon RDS diff --git a/services/rdsdata/pom.xml b/services/rdsdata/pom.xml index fbc9ccbc08a2..f536b794603a 100644 --- a/services/rdsdata/pom.xml +++ b/services/rdsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT rdsdata AWS Java SDK :: Services :: RDS Data diff --git a/services/redshift/pom.xml b/services/redshift/pom.xml index 117bcdf529ac..65b0fd0fbcdc 100644 --- a/services/redshift/pom.xml +++ b/services/redshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT redshift AWS Java SDK :: Services :: Amazon Redshift diff --git a/services/redshiftdata/pom.xml b/services/redshiftdata/pom.xml index 8f06b96c6e49..2021cf582f0f 100644 --- a/services/redshiftdata/pom.xml +++ b/services/redshiftdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT redshiftdata AWS Java SDK :: Services :: Redshift Data diff --git a/services/redshiftserverless/pom.xml b/services/redshiftserverless/pom.xml index 2c2b3c8d4543..5d59125b44e3 100644 --- a/services/redshiftserverless/pom.xml +++ b/services/redshiftserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT redshiftserverless AWS Java SDK :: Services :: Redshift Serverless diff --git a/services/rekognition/pom.xml b/services/rekognition/pom.xml index 22ee31feff63..928aff655b23 100644 --- a/services/rekognition/pom.xml +++ b/services/rekognition/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT rekognition AWS Java SDK :: Services :: Amazon Rekognition diff --git a/services/repostspace/pom.xml b/services/repostspace/pom.xml index 71ad0901448e..a57adb3c044b 100644 --- a/services/repostspace/pom.xml +++ b/services/repostspace/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT repostspace AWS Java SDK :: Services :: Repostspace diff --git a/services/resiliencehub/pom.xml b/services/resiliencehub/pom.xml index 67cdf5463ba2..b61214c2e9e3 100644 --- a/services/resiliencehub/pom.xml +++ b/services/resiliencehub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT resiliencehub AWS Java SDK :: Services :: Resiliencehub diff --git a/services/resourceexplorer2/pom.xml b/services/resourceexplorer2/pom.xml index 18b9ddc6b5e0..37677e15e813 100644 --- a/services/resourceexplorer2/pom.xml +++ b/services/resourceexplorer2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT resourceexplorer2 AWS Java SDK :: Services :: Resource Explorer 2 diff --git a/services/resourcegroups/pom.xml b/services/resourcegroups/pom.xml index 83365907e357..e1b5920e9cc1 100644 --- a/services/resourcegroups/pom.xml +++ b/services/resourcegroups/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 resourcegroups diff --git a/services/resourcegroupstaggingapi/pom.xml b/services/resourcegroupstaggingapi/pom.xml index ae6befe3d470..924a2b53c0fa 100644 --- a/services/resourcegroupstaggingapi/pom.xml +++ b/services/resourcegroupstaggingapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT resourcegroupstaggingapi AWS Java SDK :: Services :: AWS Resource Groups Tagging API diff --git a/services/rolesanywhere/pom.xml b/services/rolesanywhere/pom.xml index f1aaf45d9162..34a86aac90a7 100644 --- a/services/rolesanywhere/pom.xml +++ b/services/rolesanywhere/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT rolesanywhere AWS Java SDK :: Services :: Roles Anywhere diff --git a/services/route53/pom.xml b/services/route53/pom.xml index 98941fd7a563..d8c93c08d773 100644 --- a/services/route53/pom.xml +++ b/services/route53/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT route53 AWS Java SDK :: Services :: Amazon Route53 diff --git a/services/route53domains/pom.xml b/services/route53domains/pom.xml index 790ae4f977b6..b0261a6e24c2 100644 --- a/services/route53domains/pom.xml +++ b/services/route53domains/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT route53domains AWS Java SDK :: Services :: Amazon Route53 Domains diff --git a/services/route53globalresolver/pom.xml b/services/route53globalresolver/pom.xml index 8b64aa1f1e21..67bdb199d70f 100644 --- a/services/route53globalresolver/pom.xml +++ b/services/route53globalresolver/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT route53globalresolver AWS Java SDK :: Services :: Route53 Global Resolver diff --git a/services/route53profiles/pom.xml b/services/route53profiles/pom.xml index e13215ff6bb4..b7f11289066e 100644 --- a/services/route53profiles/pom.xml +++ b/services/route53profiles/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT route53profiles AWS Java SDK :: Services :: Route53 Profiles diff --git a/services/route53recoverycluster/pom.xml b/services/route53recoverycluster/pom.xml index 92c120f61992..6ac00101cc46 100644 --- a/services/route53recoverycluster/pom.xml +++ b/services/route53recoverycluster/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT route53recoverycluster AWS Java SDK :: Services :: Route53 Recovery Cluster diff --git a/services/route53recoverycontrolconfig/pom.xml b/services/route53recoverycontrolconfig/pom.xml index 4b558c706eb4..1a87bb92ca86 100644 --- a/services/route53recoverycontrolconfig/pom.xml +++ b/services/route53recoverycontrolconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT route53recoverycontrolconfig AWS Java SDK :: Services :: Route53 Recovery Control Config diff --git a/services/route53recoveryreadiness/pom.xml b/services/route53recoveryreadiness/pom.xml index 43e0489a2aaa..5c543c6c1da3 100644 --- a/services/route53recoveryreadiness/pom.xml +++ b/services/route53recoveryreadiness/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT route53recoveryreadiness AWS Java SDK :: Services :: Route53 Recovery Readiness diff --git a/services/route53resolver/pom.xml b/services/route53resolver/pom.xml index abdd7bb5d7ac..6d6c459f800a 100644 --- a/services/route53resolver/pom.xml +++ b/services/route53resolver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT route53resolver AWS Java SDK :: Services :: Route53Resolver diff --git a/services/rtbfabric/pom.xml b/services/rtbfabric/pom.xml index 82c776a8aa48..8005da27fd4d 100644 --- a/services/rtbfabric/pom.xml +++ b/services/rtbfabric/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT rtbfabric AWS Java SDK :: Services :: RTB Fabric diff --git a/services/rum/pom.xml b/services/rum/pom.xml index 9dac2d21facc..7c59b7e7e053 100644 --- a/services/rum/pom.xml +++ b/services/rum/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT rum AWS Java SDK :: Services :: RUM diff --git a/services/s3/pom.xml b/services/s3/pom.xml index 5581bc71d054..709359acff56 100644 --- a/services/s3/pom.xml +++ b/services/s3/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT s3 AWS Java SDK :: Services :: Amazon S3 diff --git a/services/s3control/pom.xml b/services/s3control/pom.xml index 3c34b13f07a6..1e099b0829fa 100644 --- a/services/s3control/pom.xml +++ b/services/s3control/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT s3control AWS Java SDK :: Services :: Amazon S3 Control diff --git a/services/s3files/pom.xml b/services/s3files/pom.xml index 17eb56ba4bbd..261c7a13d8dc 100644 --- a/services/s3files/pom.xml +++ b/services/s3files/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT s3files AWS Java SDK :: Services :: S3 Files diff --git a/services/s3outposts/pom.xml b/services/s3outposts/pom.xml index 85146d6740f4..a7b00c680a66 100644 --- a/services/s3outposts/pom.xml +++ b/services/s3outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT s3outposts AWS Java SDK :: Services :: S3 Outposts diff --git a/services/s3tables/pom.xml b/services/s3tables/pom.xml index 193303fd2b80..91ae33f5e4f3 100644 --- a/services/s3tables/pom.xml +++ b/services/s3tables/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT s3tables AWS Java SDK :: Services :: S3 Tables diff --git a/services/s3vectors/pom.xml b/services/s3vectors/pom.xml index a8deb0205964..3473db22f014 100644 --- a/services/s3vectors/pom.xml +++ b/services/s3vectors/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT s3vectors AWS Java SDK :: Services :: S3 Vectors diff --git a/services/sagemaker/pom.xml b/services/sagemaker/pom.xml index dac2dc368818..600508e4e67a 100644 --- a/services/sagemaker/pom.xml +++ b/services/sagemaker/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 sagemaker diff --git a/services/sagemakera2iruntime/pom.xml b/services/sagemakera2iruntime/pom.xml index 630d6ab7be8a..0d2f5ec3384f 100644 --- a/services/sagemakera2iruntime/pom.xml +++ b/services/sagemakera2iruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT sagemakera2iruntime AWS Java SDK :: Services :: SageMaker A2I Runtime diff --git a/services/sagemakeredge/pom.xml b/services/sagemakeredge/pom.xml index a2b404bbe5d5..a4b3b7686a00 100644 --- a/services/sagemakeredge/pom.xml +++ b/services/sagemakeredge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT sagemakeredge AWS Java SDK :: Services :: Sagemaker Edge diff --git a/services/sagemakerfeaturestoreruntime/pom.xml b/services/sagemakerfeaturestoreruntime/pom.xml index f0792794ca4b..74850d49eb11 100644 --- a/services/sagemakerfeaturestoreruntime/pom.xml +++ b/services/sagemakerfeaturestoreruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT sagemakerfeaturestoreruntime AWS Java SDK :: Services :: Sage Maker Feature Store Runtime diff --git a/services/sagemakergeospatial/pom.xml b/services/sagemakergeospatial/pom.xml index 00be9bcb632f..96525ea472e8 100644 --- a/services/sagemakergeospatial/pom.xml +++ b/services/sagemakergeospatial/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT sagemakergeospatial AWS Java SDK :: Services :: Sage Maker Geospatial diff --git a/services/sagemakermetrics/pom.xml b/services/sagemakermetrics/pom.xml index 5cd055b11db6..25c99ab20a8d 100644 --- a/services/sagemakermetrics/pom.xml +++ b/services/sagemakermetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT sagemakermetrics AWS Java SDK :: Services :: Sage Maker Metrics diff --git a/services/sagemakerruntime/pom.xml b/services/sagemakerruntime/pom.xml index 9ffbe9662228..e2d9479619cb 100644 --- a/services/sagemakerruntime/pom.xml +++ b/services/sagemakerruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT sagemakerruntime AWS Java SDK :: Services :: SageMaker Runtime diff --git a/services/sagemakerruntimehttp2/pom.xml b/services/sagemakerruntimehttp2/pom.xml index 89e8723f58c8..793943c6d880 100644 --- a/services/sagemakerruntimehttp2/pom.xml +++ b/services/sagemakerruntimehttp2/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT sagemakerruntimehttp2 AWS Java SDK :: Services :: Sage Maker Runtime HTTP2 diff --git a/services/savingsplans/pom.xml b/services/savingsplans/pom.xml index 203b2c846624..9cac79dc7396 100644 --- a/services/savingsplans/pom.xml +++ b/services/savingsplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT savingsplans AWS Java SDK :: Services :: Savingsplans diff --git a/services/scheduler/pom.xml b/services/scheduler/pom.xml index 8f8c60bf1c5d..47c4b7bda7dd 100644 --- a/services/scheduler/pom.xml +++ b/services/scheduler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT scheduler AWS Java SDK :: Services :: Scheduler diff --git a/services/schemas/pom.xml b/services/schemas/pom.xml index 4dd3fe10831e..2d83dca03cd9 100644 --- a/services/schemas/pom.xml +++ b/services/schemas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT schemas AWS Java SDK :: Services :: Schemas diff --git a/services/secretsmanager/pom.xml b/services/secretsmanager/pom.xml index 70f8e67348e6..bb04772c68c3 100644 --- a/services/secretsmanager/pom.xml +++ b/services/secretsmanager/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT secretsmanager AWS Java SDK :: Services :: AWS Secrets Manager diff --git a/services/securityagent/pom.xml b/services/securityagent/pom.xml index cbb0c8bcad2f..46b3805a8e1e 100644 --- a/services/securityagent/pom.xml +++ b/services/securityagent/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT securityagent AWS Java SDK :: Services :: Security Agent diff --git a/services/securityhub/pom.xml b/services/securityhub/pom.xml index 358158e66a74..74012a787744 100644 --- a/services/securityhub/pom.xml +++ b/services/securityhub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT securityhub AWS Java SDK :: Services :: SecurityHub diff --git a/services/securityir/pom.xml b/services/securityir/pom.xml index 11f2153d4a2b..fb221c8c2ca4 100644 --- a/services/securityir/pom.xml +++ b/services/securityir/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT securityir AWS Java SDK :: Services :: Security IR diff --git a/services/securitylake/pom.xml b/services/securitylake/pom.xml index 1d9776c95e77..112674029d9c 100644 --- a/services/securitylake/pom.xml +++ b/services/securitylake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT securitylake AWS Java SDK :: Services :: Security Lake diff --git a/services/serverlessapplicationrepository/pom.xml b/services/serverlessapplicationrepository/pom.xml index 12344ed13fb1..dfdfddd06e1c 100644 --- a/services/serverlessapplicationrepository/pom.xml +++ b/services/serverlessapplicationrepository/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 serverlessapplicationrepository diff --git a/services/servicecatalog/pom.xml b/services/servicecatalog/pom.xml index c018390afb47..46a9e74e4b30 100644 --- a/services/servicecatalog/pom.xml +++ b/services/servicecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT servicecatalog AWS Java SDK :: Services :: AWS Service Catalog diff --git a/services/servicecatalogappregistry/pom.xml b/services/servicecatalogappregistry/pom.xml index ab3e0873cf28..95cc0f5ce355 100644 --- a/services/servicecatalogappregistry/pom.xml +++ b/services/servicecatalogappregistry/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT servicecatalogappregistry AWS Java SDK :: Services :: Service Catalog App Registry diff --git a/services/servicediscovery/pom.xml b/services/servicediscovery/pom.xml index 31b445257880..1237e4e0a4ba 100644 --- a/services/servicediscovery/pom.xml +++ b/services/servicediscovery/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 servicediscovery diff --git a/services/servicequotas/pom.xml b/services/servicequotas/pom.xml index 3c1b8db59b90..e17f9eb4af04 100644 --- a/services/servicequotas/pom.xml +++ b/services/servicequotas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT servicequotas AWS Java SDK :: Services :: Service Quotas diff --git a/services/ses/pom.xml b/services/ses/pom.xml index 4e1b3e96efa6..4f5d07c6ebe8 100644 --- a/services/ses/pom.xml +++ b/services/ses/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ses AWS Java SDK :: Services :: Amazon SES diff --git a/services/sesv2/pom.xml b/services/sesv2/pom.xml index c6f261c842ce..22af8163ea57 100644 --- a/services/sesv2/pom.xml +++ b/services/sesv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT sesv2 AWS Java SDK :: Services :: SESv2 diff --git a/services/sfn/pom.xml b/services/sfn/pom.xml index 5fe5d649ac7a..bae71f3e3b48 100644 --- a/services/sfn/pom.xml +++ b/services/sfn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT sfn AWS Java SDK :: Services :: AWS Step Functions diff --git a/services/shield/pom.xml b/services/shield/pom.xml index 8d19851cf7d6..d48f1d75604c 100644 --- a/services/shield/pom.xml +++ b/services/shield/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT shield AWS Java SDK :: Services :: AWS Shield diff --git a/services/signer/pom.xml b/services/signer/pom.xml index bb329805f946..e8b97046c3b4 100644 --- a/services/signer/pom.xml +++ b/services/signer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT signer AWS Java SDK :: Services :: Signer diff --git a/services/signerdata/pom.xml b/services/signerdata/pom.xml index 36dc0bf47034..3d612411d860 100644 --- a/services/signerdata/pom.xml +++ b/services/signerdata/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT signerdata AWS Java SDK :: Services :: Signer Data diff --git a/services/signin/pom.xml b/services/signin/pom.xml index 95adc69a78b4..97f46d79e67e 100644 --- a/services/signin/pom.xml +++ b/services/signin/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT signin AWS Java SDK :: Services :: Signin diff --git a/services/simpledbv2/pom.xml b/services/simpledbv2/pom.xml index 59b71ce30355..7bd0f7ed6c79 100644 --- a/services/simpledbv2/pom.xml +++ b/services/simpledbv2/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT simpledbv2 AWS Java SDK :: Services :: Simple DB V2 diff --git a/services/simspaceweaver/pom.xml b/services/simspaceweaver/pom.xml index 681092a367ff..9c75326a1537 100644 --- a/services/simspaceweaver/pom.xml +++ b/services/simspaceweaver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT simspaceweaver AWS Java SDK :: Services :: Sim Space Weaver diff --git a/services/snowball/pom.xml b/services/snowball/pom.xml index 950a76e7986c..67db25b9f474 100644 --- a/services/snowball/pom.xml +++ b/services/snowball/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT snowball AWS Java SDK :: Services :: Amazon Snowball diff --git a/services/snowdevicemanagement/pom.xml b/services/snowdevicemanagement/pom.xml index 2e38a7fb19c7..1b24032de5d4 100644 --- a/services/snowdevicemanagement/pom.xml +++ b/services/snowdevicemanagement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT snowdevicemanagement AWS Java SDK :: Services :: Snow Device Management diff --git a/services/sns/pom.xml b/services/sns/pom.xml index f157cadcbc40..f68ef35670a5 100644 --- a/services/sns/pom.xml +++ b/services/sns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT sns AWS Java SDK :: Services :: Amazon SNS diff --git a/services/socialmessaging/pom.xml b/services/socialmessaging/pom.xml index 1b162fa5846c..9a3bd0493e1b 100644 --- a/services/socialmessaging/pom.xml +++ b/services/socialmessaging/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT socialmessaging AWS Java SDK :: Services :: Social Messaging diff --git a/services/sqs/pom.xml b/services/sqs/pom.xml index 388f929a560d..be3a135bbc75 100644 --- a/services/sqs/pom.xml +++ b/services/sqs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT sqs AWS Java SDK :: Services :: Amazon SQS diff --git a/services/ssm/pom.xml b/services/ssm/pom.xml index c28bf0c5dbe8..13cf13d6f504 100644 --- a/services/ssm/pom.xml +++ b/services/ssm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ssm AWS Java SDK :: Services :: AWS Simple Systems Management (SSM) diff --git a/services/ssmcontacts/pom.xml b/services/ssmcontacts/pom.xml index 96fac1ccec03..fb440c0c68ab 100644 --- a/services/ssmcontacts/pom.xml +++ b/services/ssmcontacts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ssmcontacts AWS Java SDK :: Services :: SSM Contacts diff --git a/services/ssmguiconnect/pom.xml b/services/ssmguiconnect/pom.xml index 0431e38bbf4e..65df6d07e9e3 100644 --- a/services/ssmguiconnect/pom.xml +++ b/services/ssmguiconnect/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ssmguiconnect AWS Java SDK :: Services :: SSM Gui Connect diff --git a/services/ssmincidents/pom.xml b/services/ssmincidents/pom.xml index 22770313f2d1..d58ed0beb1c3 100644 --- a/services/ssmincidents/pom.xml +++ b/services/ssmincidents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ssmincidents AWS Java SDK :: Services :: SSM Incidents diff --git a/services/ssmquicksetup/pom.xml b/services/ssmquicksetup/pom.xml index e272508e7fba..8748d5824b8a 100644 --- a/services/ssmquicksetup/pom.xml +++ b/services/ssmquicksetup/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ssmquicksetup AWS Java SDK :: Services :: SSM Quick Setup diff --git a/services/ssmsap/pom.xml b/services/ssmsap/pom.xml index d7b91b44fe69..1dc51a7ed983 100644 --- a/services/ssmsap/pom.xml +++ b/services/ssmsap/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ssmsap AWS Java SDK :: Services :: Ssm Sap diff --git a/services/sso/pom.xml b/services/sso/pom.xml index 6c66493dad8f..461c7989b3fe 100644 --- a/services/sso/pom.xml +++ b/services/sso/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT sso AWS Java SDK :: Services :: SSO diff --git a/services/ssoadmin/pom.xml b/services/ssoadmin/pom.xml index 469d37351942..52eb27f44d63 100644 --- a/services/ssoadmin/pom.xml +++ b/services/ssoadmin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ssoadmin AWS Java SDK :: Services :: SSO Admin diff --git a/services/ssooidc/pom.xml b/services/ssooidc/pom.xml index 7cbe16b3befe..ee103d4ee99d 100644 --- a/services/ssooidc/pom.xml +++ b/services/ssooidc/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ssooidc AWS Java SDK :: Services :: SSO OIDC diff --git a/services/storagegateway/pom.xml b/services/storagegateway/pom.xml index 9c6262b5e554..7873997a6290 100644 --- a/services/storagegateway/pom.xml +++ b/services/storagegateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT storagegateway AWS Java SDK :: Services :: AWS Storage Gateway diff --git a/services/sts/pom.xml b/services/sts/pom.xml index 56e370c6fc40..e95210d214f1 100644 --- a/services/sts/pom.xml +++ b/services/sts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT sts AWS Java SDK :: Services :: AWS STS diff --git a/services/supplychain/pom.xml b/services/supplychain/pom.xml index 82fef88a3eec..a149df97dca5 100644 --- a/services/supplychain/pom.xml +++ b/services/supplychain/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT supplychain AWS Java SDK :: Services :: Supply Chain diff --git a/services/support/pom.xml b/services/support/pom.xml index 26f2404a10b9..f00d6814e93e 100644 --- a/services/support/pom.xml +++ b/services/support/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT support AWS Java SDK :: Services :: AWS Support diff --git a/services/supportapp/pom.xml b/services/supportapp/pom.xml index 482f3e9594a1..56d47408f0ab 100644 --- a/services/supportapp/pom.xml +++ b/services/supportapp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT supportapp AWS Java SDK :: Services :: Support App diff --git a/services/sustainability/pom.xml b/services/sustainability/pom.xml index 8de73426aa8c..c8a392a3b11c 100644 --- a/services/sustainability/pom.xml +++ b/services/sustainability/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT sustainability AWS Java SDK :: Services :: Sustainability diff --git a/services/swf/pom.xml b/services/swf/pom.xml index 2b234a3bfae6..4c2e02b48c15 100644 --- a/services/swf/pom.xml +++ b/services/swf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT swf AWS Java SDK :: Services :: Amazon SWF diff --git a/services/synthetics/pom.xml b/services/synthetics/pom.xml index ce65701e1109..5d3cdfa4307f 100644 --- a/services/synthetics/pom.xml +++ b/services/synthetics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT synthetics AWS Java SDK :: Services :: Synthetics diff --git a/services/taxsettings/pom.xml b/services/taxsettings/pom.xml index 96ab221bc8f7..31c8089ada50 100644 --- a/services/taxsettings/pom.xml +++ b/services/taxsettings/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT taxsettings AWS Java SDK :: Services :: Tax Settings diff --git a/services/textract/pom.xml b/services/textract/pom.xml index 994b8bd4ac2d..108d8d7fbea2 100644 --- a/services/textract/pom.xml +++ b/services/textract/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT textract AWS Java SDK :: Services :: Textract diff --git a/services/timestreaminfluxdb/pom.xml b/services/timestreaminfluxdb/pom.xml index 5966952181c2..ae4944cd0aba 100644 --- a/services/timestreaminfluxdb/pom.xml +++ b/services/timestreaminfluxdb/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT timestreaminfluxdb AWS Java SDK :: Services :: Timestream Influx DB diff --git a/services/timestreamquery/pom.xml b/services/timestreamquery/pom.xml index 010e3408e756..cc9c87a996ba 100644 --- a/services/timestreamquery/pom.xml +++ b/services/timestreamquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT timestreamquery AWS Java SDK :: Services :: Timestream Query diff --git a/services/timestreamwrite/pom.xml b/services/timestreamwrite/pom.xml index c091c619f2b5..cf0f6c19c3eb 100644 --- a/services/timestreamwrite/pom.xml +++ b/services/timestreamwrite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT timestreamwrite AWS Java SDK :: Services :: Timestream Write diff --git a/services/tnb/pom.xml b/services/tnb/pom.xml index 5463eb9591dc..cfad204dab5a 100644 --- a/services/tnb/pom.xml +++ b/services/tnb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT tnb AWS Java SDK :: Services :: Tnb diff --git a/services/transcribe/pom.xml b/services/transcribe/pom.xml index 2bdd1d8edbfa..88cb1f6ca5cb 100644 --- a/services/transcribe/pom.xml +++ b/services/transcribe/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT transcribe AWS Java SDK :: Services :: Transcribe diff --git a/services/transcribestreaming/pom.xml b/services/transcribestreaming/pom.xml index db4f58d231c7..dd4e6300f79a 100644 --- a/services/transcribestreaming/pom.xml +++ b/services/transcribestreaming/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT transcribestreaming AWS Java SDK :: Services :: AWS Transcribe Streaming diff --git a/services/transfer/pom.xml b/services/transfer/pom.xml index 0627a7ede550..4d1df3fddd66 100644 --- a/services/transfer/pom.xml +++ b/services/transfer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT transfer AWS Java SDK :: Services :: Transfer diff --git a/services/translate/pom.xml b/services/translate/pom.xml index 804eb6eebf2d..59685ee178a3 100644 --- a/services/translate/pom.xml +++ b/services/translate/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 translate diff --git a/services/trustedadvisor/pom.xml b/services/trustedadvisor/pom.xml index c54d60fc5277..7f5d12d05fb8 100644 --- a/services/trustedadvisor/pom.xml +++ b/services/trustedadvisor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT trustedadvisor AWS Java SDK :: Services :: Trusted Advisor diff --git a/services/uxc/pom.xml b/services/uxc/pom.xml index 95d2eb4062c9..d330fc7cb2fd 100644 --- a/services/uxc/pom.xml +++ b/services/uxc/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT uxc AWS Java SDK :: Services :: Uxc diff --git a/services/verifiedpermissions/pom.xml b/services/verifiedpermissions/pom.xml index 7e599e7e1c3e..8554e8b5b9a7 100644 --- a/services/verifiedpermissions/pom.xml +++ b/services/verifiedpermissions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT verifiedpermissions AWS Java SDK :: Services :: Verified Permissions diff --git a/services/voiceid/pom.xml b/services/voiceid/pom.xml index 8fee7df2e725..53eff220e5ed 100644 --- a/services/voiceid/pom.xml +++ b/services/voiceid/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT voiceid AWS Java SDK :: Services :: Voice ID diff --git a/services/vpclattice/pom.xml b/services/vpclattice/pom.xml index 885708a6122c..27c4a1a4b8d9 100644 --- a/services/vpclattice/pom.xml +++ b/services/vpclattice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT vpclattice AWS Java SDK :: Services :: VPC Lattice diff --git a/services/waf/pom.xml b/services/waf/pom.xml index 8d5fe4032355..02a60f826adf 100644 --- a/services/waf/pom.xml +++ b/services/waf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT waf AWS Java SDK :: Services :: AWS WAF diff --git a/services/wafv2/pom.xml b/services/wafv2/pom.xml index 8023d3830dbc..d4398a865911 100644 --- a/services/wafv2/pom.xml +++ b/services/wafv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT wafv2 AWS Java SDK :: Services :: WAFV2 diff --git a/services/wellarchitected/pom.xml b/services/wellarchitected/pom.xml index 6cee3d1efce3..bf5c29b109b8 100644 --- a/services/wellarchitected/pom.xml +++ b/services/wellarchitected/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT wellarchitected AWS Java SDK :: Services :: Well Architected diff --git a/services/wickr/pom.xml b/services/wickr/pom.xml index b2253a794d0b..a9fcb527a5a2 100644 --- a/services/wickr/pom.xml +++ b/services/wickr/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT wickr AWS Java SDK :: Services :: Wickr diff --git a/services/wisdom/pom.xml b/services/wisdom/pom.xml index 0f6f5b0715ce..b2b1275cebe5 100644 --- a/services/wisdom/pom.xml +++ b/services/wisdom/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT wisdom AWS Java SDK :: Services :: Wisdom diff --git a/services/workdocs/pom.xml b/services/workdocs/pom.xml index 20a67fa2bfa1..3489aa639af5 100644 --- a/services/workdocs/pom.xml +++ b/services/workdocs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT workdocs AWS Java SDK :: Services :: Amazon WorkDocs diff --git a/services/workmail/pom.xml b/services/workmail/pom.xml index 0f331a3e5945..44f42a62f2a9 100644 --- a/services/workmail/pom.xml +++ b/services/workmail/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 workmail diff --git a/services/workmailmessageflow/pom.xml b/services/workmailmessageflow/pom.xml index 87fe1cb38d68..bcaf3e5cc3e2 100644 --- a/services/workmailmessageflow/pom.xml +++ b/services/workmailmessageflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT workmailmessageflow AWS Java SDK :: Services :: WorkMailMessageFlow diff --git a/services/workspaces/pom.xml b/services/workspaces/pom.xml index 432d438bc4b5..443f359cfbb2 100644 --- a/services/workspaces/pom.xml +++ b/services/workspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT workspaces AWS Java SDK :: Services :: Amazon WorkSpaces diff --git a/services/workspacesinstances/pom.xml b/services/workspacesinstances/pom.xml index 6424dceef18c..2daa78f1a8fd 100644 --- a/services/workspacesinstances/pom.xml +++ b/services/workspacesinstances/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT workspacesinstances AWS Java SDK :: Services :: Workspaces Instances diff --git a/services/workspacesthinclient/pom.xml b/services/workspacesthinclient/pom.xml index 49cf1f9e4aaa..38745f9599c6 100644 --- a/services/workspacesthinclient/pom.xml +++ b/services/workspacesthinclient/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT workspacesthinclient AWS Java SDK :: Services :: Work Spaces Thin Client diff --git a/services/workspacesweb/pom.xml b/services/workspacesweb/pom.xml index 78f30e9bc81c..6224cf79cb20 100644 --- a/services/workspacesweb/pom.xml +++ b/services/workspacesweb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT workspacesweb AWS Java SDK :: Services :: Work Spaces Web diff --git a/services/xray/pom.xml b/services/xray/pom.xml index 6f45900e82ba..7e410678a541 100644 --- a/services/xray/pom.xml +++ b/services/xray/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT xray AWS Java SDK :: Services :: AWS X-Ray diff --git a/test/architecture-tests/pom.xml b/test/architecture-tests/pom.xml index cec8bf47d122..72fea91ca557 100644 --- a/test/architecture-tests/pom.xml +++ b/test/architecture-tests/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ../../pom.xml diff --git a/test/auth-tests/pom.xml b/test/auth-tests/pom.xml index 21c4e71e5509..d4ce862ad1d6 100644 --- a/test/auth-tests/pom.xml +++ b/test/auth-tests/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/bundle-logging-bridge-binding-test/pom.xml b/test/bundle-logging-bridge-binding-test/pom.xml index 2a53f81cf017..13b4d5481ccb 100644 --- a/test/bundle-logging-bridge-binding-test/pom.xml +++ b/test/bundle-logging-bridge-binding-test/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/bundle-shading-tests/pom.xml b/test/bundle-shading-tests/pom.xml index 867fa633040c..ec9c19013505 100644 --- a/test/bundle-shading-tests/pom.xml +++ b/test/bundle-shading-tests/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/codegen-generated-classes-test/pom.xml b/test/codegen-generated-classes-test/pom.xml index 777258378381..250ffa308b02 100644 --- a/test/codegen-generated-classes-test/pom.xml +++ b/test/codegen-generated-classes-test/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ../../pom.xml diff --git a/test/crt-unavailable-tests/pom.xml b/test/crt-unavailable-tests/pom.xml index f6b18136119f..e726ad67cbde 100644 --- a/test/crt-unavailable-tests/pom.xml +++ b/test/crt-unavailable-tests/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/http-client-benchmarks/pom.xml b/test/http-client-benchmarks/pom.xml index 453c413abe1b..963aea76980c 100644 --- a/test/http-client-benchmarks/pom.xml +++ b/test/http-client-benchmarks/pom.xml @@ -19,7 +19,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ../../pom.xml diff --git a/test/http-client-tests/pom.xml b/test/http-client-tests/pom.xml index 14c6e4fdcaa6..4583effb82c9 100644 --- a/test/http-client-tests/pom.xml +++ b/test/http-client-tests/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ../../pom.xml http-client-tests diff --git a/test/module-path-tests/pom.xml b/test/module-path-tests/pom.xml index ad84b1f2108e..857f7cc09003 100644 --- a/test/module-path-tests/pom.xml +++ b/test/module-path-tests/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/old-client-version-compatibility-test/pom.xml b/test/old-client-version-compatibility-test/pom.xml index 8c5fa82e3549..ec549f756803 100644 --- a/test/old-client-version-compatibility-test/pom.xml +++ b/test/old-client-version-compatibility-test/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ../../pom.xml diff --git a/test/protocol-tests-core/pom.xml b/test/protocol-tests-core/pom.xml index a347ae020d88..88f924204a63 100644 --- a/test/protocol-tests-core/pom.xml +++ b/test/protocol-tests-core/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/protocol-tests/pom.xml b/test/protocol-tests/pom.xml index 229d953ae929..9b7df0ad4459 100644 --- a/test/protocol-tests/pom.xml +++ b/test/protocol-tests/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/region-testing/pom.xml b/test/region-testing/pom.xml index e78a0445415f..c6eb8bf1b251 100644 --- a/test/region-testing/pom.xml +++ b/test/region-testing/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/ruleset-testing-core/pom.xml b/test/ruleset-testing-core/pom.xml index 3990003d16cc..5c05d2a5c83e 100644 --- a/test/ruleset-testing-core/pom.xml +++ b/test/ruleset-testing-core/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/s3-benchmarks/pom.xml b/test/s3-benchmarks/pom.xml index cf63339314df..4363bf611ecd 100644 --- a/test/s3-benchmarks/pom.xml +++ b/test/s3-benchmarks/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/s3-tests/pom.xml b/test/s3-tests/pom.xml index 308535226575..47828858aec3 100644 --- a/test/s3-tests/pom.xml +++ b/test/s3-tests/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/sdk-benchmarks/pom.xml b/test/sdk-benchmarks/pom.xml index c5c01adf555d..b4f30f4fa0b1 100644 --- a/test/sdk-benchmarks/pom.xml +++ b/test/sdk-benchmarks/pom.xml @@ -19,7 +19,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ../../pom.xml diff --git a/test/sdk-native-image-test/pom.xml b/test/sdk-native-image-test/pom.xml index c96c048f357e..cc759cfca884 100644 --- a/test/sdk-native-image-test/pom.xml +++ b/test/sdk-native-image-test/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/service-test-utils/pom.xml b/test/service-test-utils/pom.xml index 094355bb6507..4aec549453df 100644 --- a/test/service-test-utils/pom.xml +++ b/test/service-test-utils/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ../../pom.xml service-test-utils diff --git a/test/stability-tests/pom.xml b/test/stability-tests/pom.xml index 00eeb7bf412c..877927e6d0c2 100644 --- a/test/stability-tests/pom.xml +++ b/test/stability-tests/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/test-utils/pom.xml b/test/test-utils/pom.xml index 8c26ce7e5e3b..b05685908ce9 100644 --- a/test/test-utils/pom.xml +++ b/test/test-utils/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ../../pom.xml test-utils diff --git a/test/tests-coverage-reporting/pom.xml b/test/tests-coverage-reporting/pom.xml index 46bb325ae2dd..8daa0c7bc078 100644 --- a/test/tests-coverage-reporting/pom.xml +++ b/test/tests-coverage-reporting/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/v2-migration-tests/pom.xml b/test/v2-migration-tests/pom.xml index 033d357bcb1c..2f4389d3148a 100644 --- a/test/v2-migration-tests/pom.xml +++ b/test/v2-migration-tests/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ../.. diff --git a/third-party/pom.xml b/third-party/pom.xml index 776d76550d70..7d746d1b51ed 100644 --- a/third-party/pom.xml +++ b/third-party/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT third-party diff --git a/third-party/third-party-jackson-core/pom.xml b/third-party/third-party-jackson-core/pom.xml index ebe812ac2858..734f675ea43a 100644 --- a/third-party/third-party-jackson-core/pom.xml +++ b/third-party/third-party-jackson-core/pom.xml @@ -20,7 +20,7 @@ third-party software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 diff --git a/third-party/third-party-jackson-dataformat-cbor/pom.xml b/third-party/third-party-jackson-dataformat-cbor/pom.xml index d825d9f3bd17..5789b38d56aa 100644 --- a/third-party/third-party-jackson-dataformat-cbor/pom.xml +++ b/third-party/third-party-jackson-dataformat-cbor/pom.xml @@ -20,7 +20,7 @@ third-party software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 diff --git a/third-party/third-party-slf4j-api/pom.xml b/third-party/third-party-slf4j-api/pom.xml index ae4cc4d17680..e7730c8fc6c5 100644 --- a/third-party/third-party-slf4j-api/pom.xml +++ b/third-party/third-party-slf4j-api/pom.xml @@ -20,7 +20,7 @@ third-party software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 diff --git a/utils-lite/pom.xml b/utils-lite/pom.xml index 7020357d0286..d19eebf04ce9 100644 --- a/utils-lite/pom.xml +++ b/utils-lite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT utils-lite AWS Java SDK :: Utils Lite diff --git a/utils/pom.xml b/utils/pom.xml index b9741aeebcd4..e74389b326e0 100644 --- a/utils/pom.xml +++ b/utils/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT 4.0.0 diff --git a/v2-migration/pom.xml b/v2-migration/pom.xml index 8e03de7669e1..7727b585b875 100644 --- a/v2-migration/pom.xml +++ b/v2-migration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.43.0-SNAPSHOT + 2.42.36-SNAPSHOT ../pom.xml