COMPRESSION_CONFIGURATION =
new SdkClientOption<>(CompressionConfiguration.class);
+ /**
+ * An optional identification value to be appended to the user agent header.
+ * The value should be less than 50 characters in length and is null by default.
+ *
+ * Users can additionally supply the appId value through environment and JVM settings, and
+ * it will be resolved using the following order of precedence (highest first):
+ *
+ * - This client option configuration
+ * - The {@code AWS_SDK_UA_APP_ID} environment variable
+ * - The {@code sdk.ua.appId} JVM system property
+ * - The {@code sdk_ua_app_id} setting in the profile file for the active profile
+ *
+ *
+ * This configuration option supersedes {@link SdkAdvancedClientOption#USER_AGENT_PREFIX} and
+ * {@link SdkAdvancedClientOption#USER_AGENT_SUFFIX} and should be used instead of those options.
+ */
+ public static final SdkClientOption USER_AGENT_APP_ID = new SdkClientOption<>(String.class);
+
/**
* Option to specify a reference to the SDK client in use.
*/
diff --git a/core/sdk-core/src/main/java/software/amazon/awssdk/core/internal/useragent/AppIdResolver.java b/core/sdk-core/src/main/java/software/amazon/awssdk/core/internal/useragent/AppIdResolver.java
new file mode 100644
index 000000000000..b4577769b57b
--- /dev/null
+++ b/core/sdk-core/src/main/java/software/amazon/awssdk/core/internal/useragent/AppIdResolver.java
@@ -0,0 +1,66 @@
+/*
+ * Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.
+ *
+ * Licensed under the Apache License, Version 2.0 (the "License").
+ * You may not use this file except in compliance with the License.
+ * A copy of the License is located at
+ *
+ * http://aws.amazon.com/apache2.0
+ *
+ * or in the "license" file accompanying this file. This file is distributed
+ * on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either
+ * express or implied. See the License for the specific language governing
+ * permissions and limitations under the License.
+ */
+
+package software.amazon.awssdk.core.internal.useragent;
+
+import java.util.Optional;
+import java.util.function.Supplier;
+import software.amazon.awssdk.annotations.SdkInternalApi;
+import software.amazon.awssdk.core.SdkSystemSetting;
+import software.amazon.awssdk.profiles.ProfileFile;
+import software.amazon.awssdk.profiles.ProfileFileSystemSetting;
+import software.amazon.awssdk.profiles.ProfileProperty;
+import software.amazon.awssdk.utils.OptionalUtils;
+
+@SdkInternalApi
+public final class AppIdResolver {
+
+ private Supplier profileFile;
+ private String profileName;
+
+ private AppIdResolver() {
+ }
+
+ public static AppIdResolver create() {
+ return new AppIdResolver();
+ }
+
+ public AppIdResolver profileFile(Supplier profileFile) {
+ this.profileFile = profileFile;
+ return this;
+ }
+
+ public AppIdResolver profileName(String profileName) {
+ this.profileName = profileName;
+ return this;
+ }
+
+ public Optional resolve() {
+ return OptionalUtils.firstPresent(fromSystemSettings(),
+ () -> fromProfileFile(profileFile, profileName));
+ }
+
+ private Optional fromSystemSettings() {
+ return SdkSystemSetting.AWS_SDK_UA_APP_ID.getStringValue();
+ }
+
+ private Optional fromProfileFile(Supplier profileFile, String profileName) {
+ profileFile = profileFile != null ? profileFile : ProfileFile::defaultProfileFile;
+ profileName = profileName != null ? profileName : ProfileFileSystemSetting.AWS_PROFILE.getStringValueOrThrow();
+ return profileFile.get()
+ .profile(profileName)
+ .flatMap(p -> p.property(ProfileProperty.SDK_UA_APP_ID));
+ }
+}
diff --git a/core/sdk-core/src/main/java/software/amazon/awssdk/core/internal/useragent/SdkUserAgentBuilder.java b/core/sdk-core/src/main/java/software/amazon/awssdk/core/internal/useragent/SdkUserAgentBuilder.java
index 213653cbd307..c2e311c92a2f 100644
--- a/core/sdk-core/src/main/java/software/amazon/awssdk/core/internal/useragent/SdkUserAgentBuilder.java
+++ b/core/sdk-core/src/main/java/software/amazon/awssdk/core/internal/useragent/SdkUserAgentBuilder.java
@@ -15,6 +15,7 @@
package software.amazon.awssdk.core.internal.useragent;
+import static software.amazon.awssdk.core.internal.useragent.UserAgentConstant.APP_ID;
import static software.amazon.awssdk.core.internal.useragent.UserAgentConstant.CONFIG_METADATA;
import static software.amazon.awssdk.core.internal.useragent.UserAgentConstant.ENV_METADATA;
import static software.amazon.awssdk.core.internal.useragent.UserAgentConstant.HTTP;
@@ -34,6 +35,7 @@
import software.amazon.awssdk.annotations.SdkProtectedApi;
import software.amazon.awssdk.annotations.ThreadSafe;
import software.amazon.awssdk.core.util.SystemUserAgent;
+import software.amazon.awssdk.utils.Logger;
import software.amazon.awssdk.utils.StringUtils;
/**
@@ -43,6 +45,8 @@
@SdkProtectedApi
public final class SdkUserAgentBuilder {
+ private static final Logger log = Logger.loggerFor(SdkUserAgentBuilder.class);
+
private SdkUserAgentBuilder() {
}
@@ -77,6 +81,12 @@ public static String buildClientUserAgentString(SystemUserAgent systemValues,
appendFieldAndSpace(uaString, CONFIG_METADATA, uaPair(RETRY_MODE, retryMode));
}
+ String appId = userAgentProperties.getProperty(APP_ID);
+ if (!StringUtils.isEmpty(appId)) {
+ checkLengthAndWarn(appId);
+ appendFieldAndSpace(uaString, APP_ID, appId);
+ }
+
removeFinalWhitespace(uaString);
return uaString.toString();
}
@@ -124,4 +134,12 @@ private static void appendAdditionalJvmMetadata(StringBuilder builder, SystemUse
appendNonEmptyField(builder, METADATA, lang);
}
}
+
+ private static void checkLengthAndWarn(String appId) {
+ if (appId.length() > 50) {
+ log.warn(() -> String.format("The configured appId '%s' is longer than the recommended maximum length of 50. "
+ + "This could result in not being able to transmit and log the whole user agent string, "
+ + "including the complete value of this string.", appId));
+ }
+ }
}
diff --git a/core/sdk-core/src/main/java/software/amazon/awssdk/core/internal/useragent/UserAgentConstant.java b/core/sdk-core/src/main/java/software/amazon/awssdk/core/internal/useragent/UserAgentConstant.java
index 179f54df965b..80f235d267f4 100644
--- a/core/sdk-core/src/main/java/software/amazon/awssdk/core/internal/useragent/UserAgentConstant.java
+++ b/core/sdk-core/src/main/java/software/amazon/awssdk/core/internal/useragent/UserAgentConstant.java
@@ -36,6 +36,7 @@ public final class UserAgentConstant {
public static final String FRAMEWORK_METADATA = "lib";
public static final String METADATA = "md";
public static final String INTERNAL_METADATA_MARKER = "internal";
+ public static final String APP_ID = "app";
//Separators used in SDK user agent
public static final String SLASH = "/";
diff --git a/core/sdk-core/src/test/java/software/amazon/awssdk/core/internal/useragent/AppIdResolutionTest.java b/core/sdk-core/src/test/java/software/amazon/awssdk/core/internal/useragent/AppIdResolutionTest.java
new file mode 100644
index 000000000000..158302e6540d
--- /dev/null
+++ b/core/sdk-core/src/test/java/software/amazon/awssdk/core/internal/useragent/AppIdResolutionTest.java
@@ -0,0 +1,115 @@
+/*
+ * Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.
+ *
+ * Licensed under the Apache License, Version 2.0 (the "License").
+ * You may not use this file except in compliance with the License.
+ * A copy of the License is located at
+ *
+ * http://aws.amazon.com/apache2.0
+ *
+ * or in the "license" file accompanying this file. This file is distributed
+ * on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either
+ * express or implied. See the License for the specific language governing
+ * permissions and limitations under the License.
+ */
+
+package software.amazon.awssdk.core.internal.useragent;
+
+import static org.assertj.core.api.Assertions.assertThat;
+
+import java.util.Arrays;
+import java.util.function.Function;
+import java.util.stream.Collectors;
+import java.util.stream.Stream;
+import org.junit.Test;
+import org.junit.jupiter.api.AfterEach;
+import org.junit.jupiter.params.ParameterizedTest;
+import org.junit.jupiter.params.provider.Arguments;
+import org.junit.jupiter.params.provider.MethodSource;
+import software.amazon.awssdk.core.SdkSystemSetting;
+import software.amazon.awssdk.profiles.ProfileFile;
+import software.amazon.awssdk.profiles.ProfileProperty;
+import software.amazon.awssdk.testutils.EnvironmentVariableHelper;
+import software.amazon.awssdk.utils.Pair;
+import software.amazon.awssdk.utils.StringInputStream;
+import software.amazon.awssdk.utils.StringUtils;
+
+class AppIdResolutionTest {
+
+ private static final EnvironmentVariableHelper ENVIRONMENT_VARIABLE_HELPER = new EnvironmentVariableHelper();
+ private static final String PROFILE = "test";
+
+ @AfterEach
+ public void cleanup() {
+ ENVIRONMENT_VARIABLE_HELPER.reset();
+ System.clearProperty(SdkSystemSetting.AWS_SDK_UA_APP_ID.property());
+ }
+
+ @ParameterizedTest(name = "{index} - {0}")
+ @MethodSource("inputValues")
+ void resolveAppIdFromEnvironment(String description, String systemProperty, String envVar,
+ ProfileFile profileFile, String expected) {
+
+ setUpSystemSettings(systemProperty, envVar);
+
+ AppIdResolver resolver = AppIdResolver.create().profileName(PROFILE);
+ if (profileFile != null) {
+ resolver.profileFile(() -> profileFile);
+ }
+
+ if (expected != null) {
+ assertThat(resolver.resolve()).isNotEmpty().contains(expected);
+ } else {
+ assertThat(resolver.resolve()).isEmpty();
+ }
+ }
+
+ private static Stream inputValues() {
+ ProfileFile emptyProfile = configFile("profile test", Pair.of("foo", "bar"));
+
+ Function testProfileConfig =
+ s -> configFile("profile test", Pair.of(ProfileProperty.SDK_UA_APP_ID, s));
+
+ return Stream.of(
+ Arguments.of("Without input, resolved value is null", null, null, null, null),
+ Arguments.of("Setting system property only gives result", "SystemPropertyAppId", null, null, "SystemPropertyAppId"),
+ Arguments.of("Setting env var only gives result", null, "EnvVarAppId", null, "EnvVarAppId"),
+ Arguments.of("System property takes precedence over env var", "SystemPropertyAppId", "EnvVarAppId", null,
+ "SystemPropertyAppId"),
+ Arguments.of("Setting profile file only gives result", null, null, testProfileConfig.apply("profileAppId"),
+ "profileAppId"),
+ Arguments.of("When profile file exists but has no input, resolved value is null", null, null, emptyProfile, null),
+ Arguments.of("System property takes precedence over profile file", "SystemPropertyAppId", null,
+ testProfileConfig.apply("profileAppId"), "SystemPropertyAppId"),
+ Arguments.of("Env var takes precedence over profile file", null, "EnvVarAppId",
+ testProfileConfig.apply("profileAppId"), "EnvVarAppId"),
+ Arguments.of("System prop var takes precedence over profile file", null, "EnvVarAppId",
+ testProfileConfig.apply("profileAppId"), "EnvVarAppId")
+ );
+ }
+
+ private static void setUpSystemSettings(String systemProperty, String envVar) {
+ if (!StringUtils.isEmpty(systemProperty)) {
+ System.setProperty(SdkSystemSetting.AWS_SDK_UA_APP_ID.property(), systemProperty);
+ }
+ if (!StringUtils.isEmpty(envVar)) {
+ ENVIRONMENT_VARIABLE_HELPER.set(SdkSystemSetting.AWS_SDK_UA_APP_ID.environmentVariable(), envVar);
+ }
+ }
+
+ private static ProfileFile configFile(String name, Pair, ?>... pairs) {
+ String values = Arrays.stream(pairs)
+ .map(pair -> String.format("%s=%s", pair.left(), pair.right()))
+ .collect(Collectors.joining(System.lineSeparator()));
+ String contents = String.format("[%s]\n%s", name, values);
+
+ return configFile(contents);
+ }
+
+ private static ProfileFile configFile(String credentialFile) {
+ return ProfileFile.builder()
+ .content(new StringInputStream(credentialFile))
+ .type(ProfileFile.Type.CONFIGURATION)
+ .build();
+ }
+}
diff --git a/core/sdk-core/src/test/java/software/amazon/awssdk/core/internal/useragent/SdkUserAgentBuilderTest.java b/core/sdk-core/src/test/java/software/amazon/awssdk/core/internal/useragent/SdkUserAgentBuilderTest.java
index d8f9343843a8..9df34a525a5c 100644
--- a/core/sdk-core/src/test/java/software/amazon/awssdk/core/internal/useragent/SdkUserAgentBuilderTest.java
+++ b/core/sdk-core/src/test/java/software/amazon/awssdk/core/internal/useragent/SdkUserAgentBuilderTest.java
@@ -16,6 +16,7 @@
package software.amazon.awssdk.core.internal.useragent;
import static org.assertj.core.api.Assertions.assertThat;
+import static software.amazon.awssdk.core.internal.useragent.UserAgentConstant.APP_ID;
import static software.amazon.awssdk.core.internal.useragent.UserAgentConstant.HTTP;
import static software.amazon.awssdk.core.internal.useragent.UserAgentConstant.INTERNAL_METADATA_MARKER;
import static software.amazon.awssdk.core.internal.useragent.UserAgentConstant.IO;
@@ -50,8 +51,8 @@ private static Stream inputValues() {
"OpenJDK_64-Bit_Server_VM#21.0.2+13-LTS", "vendor#Amazon.com_Inc.", "en_US",
Arrays.asList("Kotlin", "Scala"));
- SdkClientUserAgentProperties minimalProperties = sdkProperties(null, null, null, null);
- SdkClientUserAgentProperties maximalProperties = sdkProperties("standard", "arbitrary", "async", "Netty");
+ SdkClientUserAgentProperties minimalProperties = sdkProperties(null, null, null, null, null);
+ SdkClientUserAgentProperties maximalProperties = sdkProperties("standard", "arbitrary", "async", "Netty", "someAppId");
return Stream.of(
Arguments.of("default sysagent, empty requestvalues",
@@ -62,40 +63,47 @@ private static Stream inputValues() {
"aws-sdk-java/2.26.22-SNAPSHOT ua/2.0 os/Mac_OS_X#14.6.1 lang/java#21.0.2 "
+ "md/OpenJDK_64-Bit_Server_VM#21.0.2+13-LTS md/vendor#Amazon.com_Inc. md/en_US md/Kotlin md/Scala "
+ "exec-env/lambda cfg/retry-mode#standard",
- sdkProperties("standard", null, null, null),
+ sdkProperties("standard", null, null, null, null),
maximalSysAgent),
Arguments.of("standard sysagent, request values - internalMarker",
"aws-sdk-java/2.26.22-SNAPSHOT md/internal ua/2.0 os/Mac_OS_X#14.6.1 lang/java#21.0.2 "
+ "md/OpenJDK_64-Bit_Server_VM#21.0.2+13-LTS md/vendor#Amazon.com_Inc. md/en_US md/Kotlin md/Scala exec-env/lambda",
- sdkProperties(null, "arbitrary", null, null),
+ sdkProperties(null, "arbitrary", null, null, null),
maximalSysAgent),
Arguments.of("standard sysagent, request values - io",
"aws-sdk-java/2.26.22-SNAPSHOT md/io#async ua/2.0 os/Mac_OS_X#14.6.1 lang/java#21.0.2 "
+ "md/OpenJDK_64-Bit_Server_VM#21.0.2+13-LTS md/vendor#Amazon.com_Inc. md/en_US md/Kotlin md/Scala exec-env/lambda",
- sdkProperties(null, null, "async", null),
+ sdkProperties(null, null, "async", null, null),
maximalSysAgent),
Arguments.of("standard sysagent, request values - http",
"aws-sdk-java/2.26.22-SNAPSHOT md/http#Apache ua/2.0 os/Mac_OS_X#14.6.1 lang/java#21.0.2 "
+ "md/OpenJDK_64-Bit_Server_VM#21.0.2+13-LTS md/vendor#Amazon.com_Inc. md/en_US md/Kotlin md/Scala exec-env/lambda",
- sdkProperties(null, null, null, "Apache"),
+ sdkProperties(null, null, null, "Apache", null),
maximalSysAgent),
Arguments.of("standard sysagent, request values - authSource",
"aws-sdk-java/2.26.22-SNAPSHOT ua/2.0 os/Mac_OS_X#14.6.1 lang/java#21.0.2 "
+ "md/OpenJDK_64-Bit_Server_VM#21.0.2+13-LTS md/vendor#Amazon.com_Inc. md/en_US md/Kotlin md/Scala "
+ "exec-env/lambda",
- sdkProperties(null, null, null, null),
+ sdkProperties(null, null, null, null, null),
+ maximalSysAgent),
+ Arguments.of("standard sysagent, request values - appId",
+ "aws-sdk-java/2.26.22-SNAPSHOT ua/2.0 os/Mac_OS_X#14.6.1 lang/java#21.0.2 "
+ + "md/OpenJDK_64-Bit_Server_VM#21.0.2+13-LTS md/vendor#Amazon.com_Inc. md/en_US md/Kotlin md/Scala "
+ + "exec-env/lambda app/someAppId",
+ sdkProperties(null, null, null, null, "someAppId"),
maximalSysAgent),
Arguments.of("standard sysagent, request values - maximal",
"aws-sdk-java/2.26.22-SNAPSHOT md/io#async md/http#Netty md/internal ua/2.0 os/Mac_OS_X#14.6.1 "
+ "lang/java#21.0.2 "
+ "md/OpenJDK_64-Bit_Server_VM#21.0.2+13-LTS md/vendor#Amazon.com_Inc. md/en_US md/Kotlin md/Scala "
- + "exec-env/lambda cfg/retry-mode#standard",
+ + "exec-env/lambda cfg/retry-mode#standard app/someAppId",
maximalProperties,
maximalSysAgent)
);
}
- private static SdkClientUserAgentProperties sdkProperties(String retryMode, String internalMarker, String io, String http) {
+ private static SdkClientUserAgentProperties sdkProperties(String retryMode, String internalMarker, String io,
+ String http, String appId) {
SdkClientUserAgentProperties properties = new SdkClientUserAgentProperties();
if (retryMode != null) {
@@ -114,6 +122,10 @@ private static SdkClientUserAgentProperties sdkProperties(String retryMode, Stri
properties.putProperty(HTTP, http);
}
+ if (appId != null) {
+ properties.putProperty(APP_ID, appId);
+ }
+
return properties;
}
diff --git a/test/codegen-generated-classes-test/src/test/java/software/amazon/awssdk/services/useragent/AppIdUserAgentTest.java b/test/codegen-generated-classes-test/src/test/java/software/amazon/awssdk/services/useragent/AppIdUserAgentTest.java
new file mode 100644
index 000000000000..58ff279b1a30
--- /dev/null
+++ b/test/codegen-generated-classes-test/src/test/java/software/amazon/awssdk/services/useragent/AppIdUserAgentTest.java
@@ -0,0 +1,119 @@
+/*
+ * Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.
+ *
+ * Licensed under the Apache License, Version 2.0 (the "License").
+ * You may not use this file except in compliance with the License.
+ * A copy of the License is located at
+ *
+ * http://aws.amazon.com/apache2.0
+ *
+ * or in the "license" file accompanying this file. This file is distributed
+ * on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either
+ * express or implied. See the License for the specific language governing
+ * permissions and limitations under the License.
+ */
+
+package software.amazon.awssdk.services.useragent;
+
+import static org.assertj.core.api.Assertions.assertThat;
+import static org.assertj.core.api.Assertions.assertThatThrownBy;
+
+import java.util.List;
+import java.util.Map;
+import java.util.stream.Stream;
+import org.junit.jupiter.api.AfterEach;
+import org.junit.jupiter.api.BeforeEach;
+import org.junit.jupiter.params.ParameterizedTest;
+import org.junit.jupiter.params.provider.Arguments;
+import org.junit.jupiter.params.provider.MethodSource;
+import software.amazon.awssdk.auth.credentials.AwsBasicCredentials;
+import software.amazon.awssdk.auth.credentials.StaticCredentialsProvider;
+import software.amazon.awssdk.core.SdkSystemSetting;
+import software.amazon.awssdk.core.client.config.ClientOverrideConfiguration;
+import software.amazon.awssdk.core.interceptor.Context;
+import software.amazon.awssdk.core.interceptor.ExecutionAttributes;
+import software.amazon.awssdk.core.interceptor.ExecutionInterceptor;
+import software.amazon.awssdk.regions.Region;
+import software.amazon.awssdk.services.restjsonendpointproviders.RestJsonEndpointProvidersClient;
+import software.amazon.awssdk.services.restjsonendpointproviders.RestJsonEndpointProvidersClientBuilder;
+import software.amazon.awssdk.utils.StringUtils;
+
+class AppIdUserAgentTest {
+ private CapturingInterceptor interceptor;
+
+ private static final String USER_AGENT_HEADER_NAME = "User-Agent";
+
+ @BeforeEach
+ public void setup() {
+ this.interceptor = new CapturingInterceptor();
+ }
+
+ @AfterEach
+ public void cleanup() {
+ System.clearProperty(SdkSystemSetting.AWS_SDK_UA_APP_ID.property());
+ }
+
+ @ParameterizedTest(name = "{index} - {0}")
+ @MethodSource("inputValues")
+ void resolveAppIdFromEnvironment(String description, String clientAppId, String systemProperty, String expected) {
+ if (!StringUtils.isEmpty(systemProperty)) {
+ System.setProperty(SdkSystemSetting.AWS_SDK_UA_APP_ID.property(), systemProperty);
+ }
+
+ RestJsonEndpointProvidersClientBuilder clientBuilder = syncClientBuilder();
+
+ if (!StringUtils.isEmpty(clientAppId)) {
+ ClientOverrideConfiguration config = clientBuilder.overrideConfiguration().toBuilder().appId(clientAppId).build();
+ clientBuilder.overrideConfiguration(config);
+ }
+
+ assertThatThrownBy(() -> clientBuilder.build().allTypes(r -> {}))
+ .hasMessageContaining("stop");
+
+ Map> headers = interceptor.context.httpRequest().headers();
+ assertThat(headers).containsKey(USER_AGENT_HEADER_NAME);
+ String userAgent = headers.get(USER_AGENT_HEADER_NAME).get(0);
+
+ if (expected != null) {
+ assertThat(userAgent).contains("app/" + expected);
+ } else {
+ assertThat(userAgent).doesNotContain("app/");
+ }
+ }
+
+ private static Stream inputValues() {
+ return Stream.of(
+ Arguments.of("Without appId input, nothing is added to user agent", null, null, null),
+ Arguments.of("Values resolved from environment are propagated to user agent", null,
+ "SystemPropertyAppId", "SystemPropertyAppId"),
+ Arguments.of("Client value is propagated to user agent", "ClientAppId", null, "ClientAppId"),
+ Arguments.of("Client value takes precedence over environment values", "ClientAppId", "SystemPropertyAppId",
+ "ClientAppId")
+ );
+ }
+
+ private RestJsonEndpointProvidersClientBuilder syncClientBuilder() {
+ return RestJsonEndpointProvidersClient.builder()
+ .region(Region.US_WEST_2)
+ .credentialsProvider(
+ StaticCredentialsProvider.create(
+ AwsBasicCredentials.create("akid", "skid")))
+ .overrideConfiguration(c -> c.addExecutionInterceptor(interceptor));
+ }
+
+ public static class CapturingInterceptor implements ExecutionInterceptor {
+ private Context.BeforeTransmission context;
+ private ExecutionAttributes executionAttributes;
+
+ @Override
+ public void beforeTransmission(Context.BeforeTransmission context, ExecutionAttributes executionAttributes) {
+ this.context = context;
+ this.executionAttributes = executionAttributes;
+ throw new RuntimeException("stop");
+ }
+
+ public ExecutionAttributes executionAttributes() {
+ return executionAttributes;
+ }
+ }
+}
diff --git a/test/codegen-generated-classes-test/src/test/java/software/amazon/awssdk/services/customizeduseragent/InternalUserAgentTest.java b/test/codegen-generated-classes-test/src/test/java/software/amazon/awssdk/services/useragent/InternalUserAgentTest.java
similarity index 98%
rename from test/codegen-generated-classes-test/src/test/java/software/amazon/awssdk/services/customizeduseragent/InternalUserAgentTest.java
rename to test/codegen-generated-classes-test/src/test/java/software/amazon/awssdk/services/useragent/InternalUserAgentTest.java
index ccb2f28f8b10..8462ff843a84 100644
--- a/test/codegen-generated-classes-test/src/test/java/software/amazon/awssdk/services/customizeduseragent/InternalUserAgentTest.java
+++ b/test/codegen-generated-classes-test/src/test/java/software/amazon/awssdk/services/useragent/InternalUserAgentTest.java
@@ -13,7 +13,7 @@
* permissions and limitations under the License.
*/
-package software.amazon.awssdk.services.customizeduseragent;
+package software.amazon.awssdk.services.useragent;
import static com.github.tomakehurst.wiremock.client.WireMock.aResponse;
import static com.github.tomakehurst.wiremock.client.WireMock.anyUrl;
From b7588177d2cf8012e76ab201eafd46caec60c158 Mon Sep 17 00:00:00 2001
From: AWS <>
Date: Mon, 14 Oct 2024 18:06:24 +0000
Subject: [PATCH 3/9] AWS Transfer Family Update: This release enables
customers using SFTP connectors to query the transfer status of their files
to meet their monitoring needs as well as orchestrate post transfer actions.
---
.../feature-AWSTransferFamily-8791f09.json | 6 +
.../codegen-resources/paginators-1.json | 6 +
.../codegen-resources/service-2.json | 114 ++++++++++++++++--
3 files changed, 118 insertions(+), 8 deletions(-)
create mode 100644 .changes/next-release/feature-AWSTransferFamily-8791f09.json
diff --git a/.changes/next-release/feature-AWSTransferFamily-8791f09.json b/.changes/next-release/feature-AWSTransferFamily-8791f09.json
new file mode 100644
index 000000000000..8d75cc1b5963
--- /dev/null
+++ b/.changes/next-release/feature-AWSTransferFamily-8791f09.json
@@ -0,0 +1,6 @@
+{
+ "type": "feature",
+ "category": "AWS Transfer Family",
+ "contributor": "",
+ "description": "This release enables customers using SFTP connectors to query the transfer status of their files to meet their monitoring needs as well as orchestrate post transfer actions."
+}
diff --git a/services/transfer/src/main/resources/codegen-resources/paginators-1.json b/services/transfer/src/main/resources/codegen-resources/paginators-1.json
index 27e8219a68d3..335034d4b603 100644
--- a/services/transfer/src/main/resources/codegen-resources/paginators-1.json
+++ b/services/transfer/src/main/resources/codegen-resources/paginators-1.json
@@ -30,6 +30,12 @@
"limit_key": "MaxResults",
"result_key": "Executions"
},
+ "ListFileTransferResults": {
+ "input_token": "NextToken",
+ "output_token": "NextToken",
+ "limit_key": "MaxResults",
+ "result_key": "FileTransferResults"
+ },
"ListProfiles": {
"input_token": "NextToken",
"output_token": "NextToken",
diff --git a/services/transfer/src/main/resources/codegen-resources/service-2.json b/services/transfer/src/main/resources/codegen-resources/service-2.json
index 3422efdcb61b..fb236196fe18 100644
--- a/services/transfer/src/main/resources/codegen-resources/service-2.json
+++ b/services/transfer/src/main/resources/codegen-resources/service-2.json
@@ -2,6 +2,7 @@
"version":"2.0",
"metadata":{
"apiVersion":"2018-11-05",
+ "auth":["aws.auth#sigv4"],
"endpointPrefix":"transfer",
"jsonVersion":"1.1",
"protocol":"json",
@@ -614,6 +615,22 @@
],
"documentation":"Lists all in-progress executions for the specified workflow.
If the specified workflow ID cannot be found, ListExecutions
returns a ResourceNotFound
exception.
"
},
+ "ListFileTransferResults":{
+ "name":"ListFileTransferResults",
+ "http":{
+ "method":"POST",
+ "requestUri":"/"
+ },
+ "input":{"shape":"ListFileTransferResultsRequest"},
+ "output":{"shape":"ListFileTransferResultsResponse"},
+ "errors":[
+ {"shape":"ResourceNotFoundException"},
+ {"shape":"InvalidRequestException"},
+ {"shape":"InternalServiceError"},
+ {"shape":"ServiceUnavailableException"}
+ ],
+ "documentation":" Returns real-time updates and detailed information on the status of each individual file being transferred in a specific file transfer operation. You specify the file transfer by providing its ConnectorId
and its TransferId
.
File transfer results are available up to 7 days after an operation has been requested.
"
+ },
"ListHostKeys":{
"name":"ListHostKeys",
"http":{
@@ -1195,6 +1212,38 @@
"documentation":"This exception is thrown when the UpdateServer
is called for a file transfer protocol-enabled server that has VPC as the endpoint type and the server's VpcEndpointID
is not in the available state.
",
"exception":true
},
+ "ConnectorFileTransferResult":{
+ "type":"structure",
+ "required":[
+ "FilePath",
+ "StatusCode"
+ ],
+ "members":{
+ "FilePath":{
+ "shape":"FilePath",
+ "documentation":"The filename and path to where the file was sent to or retrieved from.
"
+ },
+ "StatusCode":{
+ "shape":"TransferTableStatus",
+ "documentation":"The current status for the transfer.
"
+ },
+ "FailureCode":{
+ "shape":"FailureCode",
+ "documentation":"For transfers that fail, this parameter contains a code indicating the reason. For example, RETRIEVE_FILE_NOT_FOUND
"
+ },
+ "FailureMessage":{
+ "shape":"Message",
+ "documentation":"For transfers that fail, this parameter describes the reason for the failure.
"
+ }
+ },
+ "documentation":"A structure that contains the details for files transferred using an SFTP connector, during a single transfer.
"
+ },
+ "ConnectorFileTransferResults":{
+ "type":"list",
+ "member":{"shape":"ConnectorFileTransferResult"},
+ "max":1000,
+ "min":0
+ },
"ConnectorId":{
"type":"string",
"max":19,
@@ -1313,7 +1362,7 @@
},
"BaseDirectory":{
"shape":"HomeDirectory",
- "documentation":"The landing directory (folder) for files transferred by using the AS2 protocol.
A BaseDirectory
example is /DOC-EXAMPLE-BUCKET/home/mydirectory
.
"
+ "documentation":"The landing directory (folder) for files transferred by using the AS2 protocol.
A BaseDirectory
example is /amzn-s3-demo-bucket/home/mydirectory
.
"
},
"AccessRole":{
"shape":"Role",
@@ -2701,7 +2750,7 @@
"documentation":"A list of security groups IDs that are available to attach to your server's endpoint.
This property can only be set when EndpointType
is set to VPC
.
You can edit the SecurityGroupIds
property in the UpdateServer API only if you are changing the EndpointType
from PUBLIC
or VPC_ENDPOINT
to VPC
. To change security groups associated with your server's VPC endpoint after creation, use the Amazon EC2 ModifyVpcEndpoint API.
"
}
},
- "documentation":"The virtual private cloud (VPC) endpoint settings that are configured for your file transfer protocol-enabled server. With a VPC endpoint, you can restrict access to your server and resources only within your VPC. To control incoming internet traffic, invoke the UpdateServer
API and attach an Elastic IP address to your server's endpoint.
After May 19, 2021, you won't be able to create a server using EndpointType=VPC_ENDPOINT
in your Amazon Web Servicesaccount if your account hasn't already done so before May 19, 2021. If you have already created servers with EndpointType=VPC_ENDPOINT
in your Amazon Web Servicesaccount on or before May 19, 2021, you will not be affected. After this date, use EndpointType
=VPC
.
For more information, see https://docs.aws.amazon.com/transfer/latest/userguide/create-server-in-vpc.html#deprecate-vpc-endpoint.
"
+ "documentation":"The virtual private cloud (VPC) endpoint settings that are configured for your file transfer protocol-enabled server. With a VPC endpoint, you can restrict access to your server and resources only within your VPC. To control incoming internet traffic, invoke the UpdateServer
API and attach an Elastic IP address to your server's endpoint.
After May 19, 2021, you won't be able to create a server using EndpointType=VPC_ENDPOINT
in your Amazon Web Services account if your account hasn't already done so before May 19, 2021. If you have already created servers with EndpointType=VPC_ENDPOINT
in your Amazon Web Services account on or before May 19, 2021, you will not be affected. After this date, use EndpointType
=VPC
.
For more information, see https://docs.aws.amazon.com/transfer/latest/userguide/create-server-in-vpc.html#deprecate-vpc-endpoint.
It is recommended that you use VPC
as the EndpointType
. With this endpoint type, you have the option to directly associate up to three Elastic IPv4 addresses (BYO IP included) with your server's endpoint and use VPC security groups to restrict traffic by the client's public IP address. This is not possible with EndpointType
set to VPC_ENDPOINT
.
"
},
"EndpointType":{
"type":"string",
@@ -2802,6 +2851,7 @@
"min":1,
"pattern":"S-1-[\\d-]+"
},
+ "FailureCode":{"type":"string"},
"FileLocation":{
"type":"structure",
"members":{
@@ -3279,6 +3329,45 @@
}
}
},
+ "ListFileTransferResultsRequest":{
+ "type":"structure",
+ "required":[
+ "ConnectorId",
+ "TransferId"
+ ],
+ "members":{
+ "ConnectorId":{
+ "shape":"ConnectorId",
+ "documentation":"A unique identifier for a connector. This value should match the value supplied to the corresponding StartFileTransfer
call.
"
+ },
+ "TransferId":{
+ "shape":"TransferId",
+ "documentation":"A unique identifier for a file transfer. This value should match the value supplied to the corresponding StartFileTransfer
call.
"
+ },
+ "NextToken":{
+ "shape":"NextToken",
+ "documentation":"If there are more file details than returned in this call, use this value for a subsequent call to ListFileTransferResults
to retrieve them.
"
+ },
+ "MaxResults":{
+ "shape":"MaxResults",
+ "documentation":"The maximum number of files to return in a single page. Note that currently you can specify a maximum of 10 file paths in a single StartFileTransfer operation. Thus, the maximum number of file transfer results that can be returned in a single page is 10.
"
+ }
+ }
+ },
+ "ListFileTransferResultsResponse":{
+ "type":"structure",
+ "required":["FileTransferResults"],
+ "members":{
+ "FileTransferResults":{
+ "shape":"ConnectorFileTransferResults",
+ "documentation":"Returns the details for the files transferred in the transfer identified by the TransferId
and ConnectorId
specified.
-
FilePath
: the filename and path to where the file was sent to or retrieved from.
-
StatusCode
: current status for the transfer. The status returned is one of the following values:QUEUED
, IN_PROGRESS
, COMPLETED
, or FAILED
-
FailureCode
: for transfers that fail, this parameter contains a code indicating the reason. For example, RETRIEVE_FILE_NOT_FOUND
-
FailureMessage
: for transfers that fail, this parameter describes the reason for the failure.
"
+ },
+ "NextToken":{
+ "shape":"NextToken",
+ "documentation":"Returns a token that you can use to call ListFileTransferResults
again and receive additional results, if there are any (against the same TransferId
.
"
+ }
+ }
+ },
"ListHostKeysRequest":{
"type":"structure",
"required":["ServerId"],
@@ -4485,7 +4574,7 @@
},
"SendFilePaths":{
"shape":"FilePaths",
- "documentation":"One or more source paths for the Amazon S3 storage. Each string represents a source file path for one outbound file transfer. For example, DOC-EXAMPLE-BUCKET/myfile.txt
.
Replace DOC-EXAMPLE-BUCKET
with one of your actual buckets.
"
+ "documentation":"One or more source paths for the Amazon S3 storage. Each string represents a source file path for one outbound file transfer. For example, amzn-s3-demo-bucket/myfile.txt
.
Replace amzn-s3-demo-bucket
with one of your actual buckets.
"
},
"RetrieveFilePaths":{
"shape":"FilePaths",
@@ -4739,6 +4828,15 @@
"min":1,
"pattern":"[0-9a-zA-Z./-]+"
},
+ "TransferTableStatus":{
+ "type":"string",
+ "enum":[
+ "QUEUED",
+ "IN_PROGRESS",
+ "COMPLETED",
+ "FAILED"
+ ]
+ },
"UntagResourceRequest":{
"type":"structure",
"required":[
@@ -4844,7 +4942,7 @@
},
"BaseDirectory":{
"shape":"HomeDirectory",
- "documentation":"To change the landing directory (folder) for files that are transferred, provide the bucket folder that you want to use; for example, /DOC-EXAMPLE-BUCKET/home/mydirectory
.
"
+ "documentation":"To change the landing directory (folder) for files that are transferred, provide the bucket folder that you want to use; for example, /amzn-s3-demo-bucket/home/mydirectory
.
"
},
"AccessRole":{
"shape":"Role",
@@ -5019,7 +5117,7 @@
},
"EndpointType":{
"shape":"EndpointType",
- "documentation":"The type of endpoint that you want your server to use. You can choose to make your server's endpoint publicly accessible (PUBLIC) or host it inside your VPC. With an endpoint that is hosted in a VPC, you can restrict access to your server and resources only within your VPC or choose to make it internet facing by attaching Elastic IP addresses directly to it.
After May 19, 2021, you won't be able to create a server using EndpointType=VPC_ENDPOINT
in your Amazon Web Servicesaccount if your account hasn't already done so before May 19, 2021. If you have already created servers with EndpointType=VPC_ENDPOINT
in your Amazon Web Servicesaccount on or before May 19, 2021, you will not be affected. After this date, use EndpointType
=VPC
.
For more information, see https://docs.aws.amazon.com/transfer/latest/userguide/create-server-in-vpc.html#deprecate-vpc-endpoint.
It is recommended that you use VPC
as the EndpointType
. With this endpoint type, you have the option to directly associate up to three Elastic IPv4 addresses (BYO IP included) with your server's endpoint and use VPC security groups to restrict traffic by the client's public IP address. This is not possible with EndpointType
set to VPC_ENDPOINT
.
"
+ "documentation":"The type of endpoint that you want your server to use. You can choose to make your server's endpoint publicly accessible (PUBLIC) or host it inside your VPC. With an endpoint that is hosted in a VPC, you can restrict access to your server and resources only within your VPC or choose to make it internet facing by attaching Elastic IP addresses directly to it.
After May 19, 2021, you won't be able to create a server using EndpointType=VPC_ENDPOINT
in your Amazon Web Services account if your account hasn't already done so before May 19, 2021. If you have already created servers with EndpointType=VPC_ENDPOINT
in your Amazon Web Services account on or before May 19, 2021, you will not be affected. After this date, use EndpointType
=VPC
.
For more information, see https://docs.aws.amazon.com/transfer/latest/userguide/create-server-in-vpc.html#deprecate-vpc-endpoint.
It is recommended that you use VPC
as the EndpointType
. With this endpoint type, you have the option to directly associate up to three Elastic IPv4 addresses (BYO IP included) with your server's endpoint and use VPC security groups to restrict traffic by the client's public IP address. This is not possible with EndpointType
set to VPC_ENDPOINT
.
"
},
"HostKey":{
"shape":"HostKey",
@@ -5215,11 +5313,11 @@
"members":{
"OnUpload":{
"shape":"OnUploadWorkflowDetails",
- "documentation":"A trigger that starts a workflow: the workflow begins to execute after a file is uploaded.
To remove an associated workflow from a server, you can provide an empty OnUpload
object, as in the following example.
aws transfer update-server --server-id s-01234567890abcdef --workflow-details '{\"OnUpload\":[]}'
"
+ "documentation":"A trigger that starts a workflow: the workflow begins to execute after a file is uploaded.
To remove an associated workflow from a server, you can provide an empty OnUpload
object, as in the following example.
aws transfer update-server --server-id s-01234567890abcdef --workflow-details '{\"OnUpload\":[]}'
OnUpload
can contain a maximum of one WorkflowDetail
object.
"
},
"OnPartialUpload":{
"shape":"OnPartialUploadWorkflowDetails",
- "documentation":"A trigger that starts a workflow if a file is only partially uploaded. You can attach a workflow to a server that executes whenever there is a partial upload.
A partial upload occurs when a file is open when the session disconnects.
"
+ "documentation":"A trigger that starts a workflow if a file is only partially uploaded. You can attach a workflow to a server that executes whenever there is a partial upload.
A partial upload occurs when a file is open when the session disconnects.
OnPartialUpload
can contain a maximum of one WorkflowDetail
object.
"
}
},
"documentation":"Container for the WorkflowDetail
data type. It is used by actions that trigger a workflow to begin execution.
"
@@ -5283,5 +5381,5 @@
"min":0
}
},
- "documentation":"Transfer Family is a fully managed service that enables the transfer of files over the File Transfer Protocol (FTP), File Transfer Protocol over SSL (FTPS), or Secure Shell (SSH) File Transfer Protocol (SFTP) directly into and out of Amazon Simple Storage Service (Amazon S3) or Amazon EFS. Additionally, you can use Applicability Statement 2 (AS2) to transfer files into and out of Amazon S3. Amazon Web Services helps you seamlessly migrate your file transfer workflows to Transfer Family by integrating with existing authentication systems, and providing DNS routing with Amazon Route 53 so nothing changes for your customers and partners, or their applications. With your data in Amazon S3, you can use it with Amazon Web Services for processing, analytics, machine learning, and archiving. Getting started with Transfer Family is easy since there is no infrastructure to buy and set up.
"
+ "documentation":"Transfer Family is a fully managed service that enables the transfer of files over the File Transfer Protocol (FTP), File Transfer Protocol over SSL (FTPS), or Secure Shell (SSH) File Transfer Protocol (SFTP) directly into and out of Amazon Simple Storage Service (Amazon S3) or Amazon EFS. Additionally, you can use Applicability Statement 2 (AS2) to transfer files into and out of Amazon S3. Amazon Web Services helps you seamlessly migrate your file transfer workflows to Transfer Family by integrating with existing authentication systems, and providing DNS routing with Amazon Route 53 so nothing changes for your customers and partners, or their applications. With your data in Amazon S3, you can use it with Amazon Web Services services for processing, analytics, machine learning, and archiving. Getting started with Transfer Family is easy since there is no infrastructure to buy and set up.
"
}
From b8207b48fd5cd2f3aa2c69dfc389fdd0a5179e83 Mon Sep 17 00:00:00 2001
From: AWS <>
Date: Mon, 14 Oct 2024 18:07:22 +0000
Subject: [PATCH 4/9] Amazon Security Lake Update: This release updates request
validation regex for resource ARNs.
---
.../feature-AmazonSecurityLake-5ad5dda.json | 6 ++
.../codegen-resources/service-2.json | 94 +++++++++----------
2 files changed, 53 insertions(+), 47 deletions(-)
create mode 100644 .changes/next-release/feature-AmazonSecurityLake-5ad5dda.json
diff --git a/.changes/next-release/feature-AmazonSecurityLake-5ad5dda.json b/.changes/next-release/feature-AmazonSecurityLake-5ad5dda.json
new file mode 100644
index 000000000000..0290dfc631dc
--- /dev/null
+++ b/.changes/next-release/feature-AmazonSecurityLake-5ad5dda.json
@@ -0,0 +1,6 @@
+{
+ "type": "feature",
+ "category": "Amazon Security Lake",
+ "contributor": "",
+ "description": "This release updates request validation regex for resource ARNs."
+}
diff --git a/services/securitylake/src/main/resources/codegen-resources/service-2.json b/services/securitylake/src/main/resources/codegen-resources/service-2.json
index c1c96cff08d2..ae0a96991076 100644
--- a/services/securitylake/src/main/resources/codegen-resources/service-2.json
+++ b/services/securitylake/src/main/resources/codegen-resources/service-2.json
@@ -31,7 +31,7 @@
{"shape":"ConflictException"},
{"shape":"ThrottlingException"}
],
- "documentation":"Adds a natively supported Amazon Web Service as an Amazon Security Lake source. Enables source types for member accounts in required Amazon Web Services Regions, based on the parameters you specify. You can choose any source type in any Region for either accounts that are part of a trusted organization or standalone accounts. Once you add an Amazon Web Service as a source, Security Lake starts collecting logs and events from it.
You can use this API only to enable natively supported Amazon Web Services as a source. Use CreateCustomLogSource
to enable data collection from a custom source.
"
+ "documentation":"Adds a natively supported Amazon Web Services service as an Amazon Security Lake source. Enables source types for member accounts in required Amazon Web Services Regions, based on the parameters you specify. You can choose any source type in any Region for either accounts that are part of a trusted organization or standalone accounts. Once you add an Amazon Web Services service as a source, Security Lake starts collecting logs and events from it.
You can use this API only to enable natively supported Amazon Web Services services as a source. Use CreateCustomLogSource
to enable data collection from a custom source.
"
},
"CreateCustomLogSource":{
"name":"CreateCustomLogSource",
@@ -70,7 +70,7 @@
{"shape":"ConflictException"},
{"shape":"ThrottlingException"}
],
- "documentation":"Initializes an Amazon Security Lake instance with the provided (or default) configuration. You can enable Security Lake in Amazon Web Services Regions with customized settings before enabling log collection in Regions. To specify particular Regions, configure these Regions using the configurations
parameter. If you have already enabled Security Lake in a Region when you call this command, the command will update the Region if you provide new configuration parameters. If you have not already enabled Security Lake in the Region when you call this API, it will set up the data lake in the Region with the specified configurations.
When you enable Security Lake, it starts ingesting security data after the CreateAwsLogSource
call. This includes ingesting security data from sources, storing data, and making data accessible to subscribers. Security Lake also enables all the existing settings and resources that it stores or maintains for your Amazon Web Services account in the current Region, including security log and event data. For more information, see the Amazon Security Lake User Guide.
"
+ "documentation":"Initializes an Amazon Security Lake instance with the provided (or default) configuration. You can enable Security Lake in Amazon Web Services Regions with customized settings before enabling log collection in Regions. To specify particular Regions, configure these Regions using the configurations
parameter. If you have already enabled Security Lake in a Region when you call this command, the command will update the Region if you provide new configuration parameters. If you have not already enabled Security Lake in the Region when you call this API, it will set up the data lake in the Region with the specified configurations.
When you enable Security Lake, it starts ingesting security data after the CreateAwsLogSource
call and after you create subscribers using the CreateSubscriber
API. This includes ingesting security data from sources, storing data, and making data accessible to subscribers. Security Lake also enables all the existing settings and resources that it stores or maintains for your Amazon Web Services account in the current Region, including security log and event data. For more information, see the Amazon Security Lake User Guide.
"
},
"CreateDataLakeExceptionSubscription":{
"name":"CreateDataLakeExceptionSubscription",
@@ -89,7 +89,7 @@
{"shape":"ConflictException"},
{"shape":"ThrottlingException"}
],
- "documentation":"Creates the specified notification subscription in Amazon Security Lake for the organization you specify.
"
+ "documentation":"Creates the specified notification subscription in Amazon Security Lake for the organization you specify. The notification subscription is created for exceptions that cannot be resolved by Security Lake automatically.
"
},
"CreateDataLakeOrganizationConfiguration":{
"name":"CreateDataLakeOrganizationConfiguration",
@@ -127,7 +127,7 @@
{"shape":"ConflictException"},
{"shape":"ThrottlingException"}
],
- "documentation":"Creates a subscription permission for accounts that are already enabled in Amazon Security Lake. You can create a subscriber with access to data in the current Amazon Web Services Region.
"
+ "documentation":"Creates a subscriber for accounts that are already enabled in Amazon Security Lake. You can create a subscriber with access to data in the current Amazon Web Services Region.
"
},
"CreateSubscriberNotification":{
"name":"CreateSubscriberNotification",
@@ -165,7 +165,7 @@
{"shape":"ConflictException"},
{"shape":"ThrottlingException"}
],
- "documentation":"Removes a natively supported Amazon Web Service as an Amazon Security Lake source. You can remove a source for one or more Regions. When you remove the source, Security Lake stops collecting data from that source in the specified Regions and accounts, and subscribers can no longer consume new data from the source. However, subscribers can still consume data that Security Lake collected from the source before removal.
You can choose any source type in any Amazon Web Services Region for either accounts that are part of a trusted organization or standalone accounts.
"
+ "documentation":"Removes a natively supported Amazon Web Services service as an Amazon Security Lake source. You can remove a source for one or more Regions. When you remove the source, Security Lake stops collecting data from that source in the specified Regions and accounts, and subscribers can no longer consume new data from the source. However, subscribers can still consume data that Security Lake collected from the source before removal.
You can choose any source type in any Amazon Web Services Region for either accounts that are part of a trusted organization or standalone accounts.
"
},
"DeleteCustomLogSource":{
"name":"DeleteCustomLogSource",
@@ -283,7 +283,7 @@
{"shape":"ConflictException"},
{"shape":"ThrottlingException"}
],
- "documentation":"Deletes the specified notification subscription in Amazon Security Lake for the organization you specify.
",
+ "documentation":"Deletes the specified subscription notification in Amazon Security Lake for the organization you specify.
",
"idempotent":true
},
"DeregisterDataLakeDelegatedAdministrator":{
@@ -323,7 +323,7 @@
{"shape":"ConflictException"},
{"shape":"ThrottlingException"}
],
- "documentation":"Retrieves the details of exception notifications for the account in Amazon Security Lake.
"
+ "documentation":"Retrieves the protocol and endpoint that were provided when subscribing to Amazon SNS topics for exception notifications.
"
},
"GetDataLakeOrganizationConfiguration":{
"name":"GetDataLakeOrganizationConfiguration",
@@ -437,7 +437,7 @@
{"shape":"ConflictException"},
{"shape":"ThrottlingException"}
],
- "documentation":"Retrieves the log sources in the current Amazon Web Services Region.
"
+ "documentation":"Retrieves the log sources.
"
},
"ListSubscribers":{
"name":"ListSubscribers",
@@ -456,7 +456,7 @@
{"shape":"ConflictException"},
{"shape":"ThrottlingException"}
],
- "documentation":"List all subscribers for the specific Amazon Security Lake account ID. You can retrieve a list of subscriptions associated with a specific organization or Amazon Web Services account.
"
+ "documentation":"Lists all subscribers for the specific Amazon Security Lake account ID. You can retrieve a list of subscriptions associated with a specific organization or Amazon Web Services account.
"
},
"ListTagsForResource":{
"name":"ListTagsForResource",
@@ -553,7 +553,7 @@
{"shape":"ConflictException"},
{"shape":"ThrottlingException"}
],
- "documentation":"Specifies where to store your security data and for how long. You can add a rollup Region to consolidate data from multiple Amazon Web Services Regions.
",
+ "documentation":"You can use UpdateDataLake
to specify where to store your security data, how it should be encrypted at rest and for how long. You can add a Rollup Region to consolidate data from multiple Amazon Web Services Regions, replace default encryption (SSE-S3) with Customer Manged Key, or specify transition and expiration actions through storage Lifecycle management. The UpdateDataLake
API works as an \"upsert\" operation that performs an insert if the specified item or record does not exist, or an update if it already exists. Security Lake securely stores your data at rest using Amazon Web Services encryption solutions. For more details, see Data protection in Amazon Security Lake.
For example, omitting the key encryptionConfiguration
from a Region that is included in an update call that currently uses KMS will leave that Region's KMS key in place, but specifying encryptionConfiguration: {kmsKeyId: 'S3_MANAGED_KEY'}
for that same Region will reset the key to S3-managed
.
For more details about lifecycle management and how to update retention settings for one or more Regions after enabling Security Lake, see the Amazon Security Lake User Guide.
",
"idempotent":true
},
"UpdateDataLakeExceptionSubscription":{
@@ -653,7 +653,7 @@
"type":"string",
"max":1011,
"min":1,
- "pattern":"^arn:(aws|aws-us-gov|aws-cn):securitylake:[A-za-z0-9_/.\\-]{0,63}:[A-za-z0-9_/.\\-]{0,63}:[A-Za-z0-9][A-za-z0-9_/.\\-]{0,127}$"
+ "pattern":"^arn:(aws|aws-us-gov|aws-cn):securitylake:[A-Za-z0-9_/.\\-]{0,63}:[A-Za-z0-9_/.\\-]{0,63}:[A-Za-z0-9][A-Za-z0-9_/.\\-]{0,127}$"
},
"AwsAccountId":{
"type":"string",
@@ -670,14 +670,14 @@
"members":{
"externalId":{
"shape":"ExternalId",
- "documentation":"The external ID used to estalish trust relationship with the AWS identity.
"
+ "documentation":"The external ID used to establish trust relationship with the Amazon Web Services identity.
"
},
"principal":{
"shape":"AwsPrincipal",
- "documentation":"The AWS identity principal.
"
+ "documentation":"The Amazon Web Services identity principal.
"
}
},
- "documentation":"The AWS identity.
"
+ "documentation":"The Amazon Web Services identity.
"
},
"AwsLogSourceConfiguration":{
"type":"structure",
@@ -696,14 +696,14 @@
},
"sourceName":{
"shape":"AwsLogSourceName",
- "documentation":"The name for a Amazon Web Services source. This must be a Regionally unique value.
"
+ "documentation":"The name for a Amazon Web Services source.
"
},
"sourceVersion":{
"shape":"AwsLogSourceVersion",
- "documentation":"The version for a Amazon Web Services source. This must be a Regionally unique value.
"
+ "documentation":"The version for a Amazon Web Services source.
"
}
},
- "documentation":"The Security Lake logs source configuration file describes the information needed to generate Security Lake logs.
"
+ "documentation":"To add a natively-supported Amazon Web Services service as a log source, use these parameters to specify the configuration settings for the log source.
"
},
"AwsLogSourceConfigurationList":{
"type":"list",
@@ -798,7 +798,7 @@
"members":{
"failed":{
"shape":"AccountList",
- "documentation":"Lists all accounts in which enabling a natively supported Amazon Web Service as a Security Lake source failed. The failure occurred as these accounts are not part of an organization.
"
+ "documentation":"Lists all accounts in which enabling a natively supported Amazon Web Services service as a Security Lake source failed. The failure occurred as these accounts are not part of an organization.
"
}
}
},
@@ -811,7 +811,7 @@
"members":{
"configuration":{
"shape":"CustomLogSourceConfiguration",
- "documentation":"The configuration for the third-party custom source.
"
+ "documentation":"The configuration used for the third-party custom source.
"
},
"eventClasses":{
"shape":"OcsfEventClassList",
@@ -819,7 +819,7 @@
},
"sourceName":{
"shape":"CustomLogSourceName",
- "documentation":"Specify the name for a third-party custom source. This must be a Regionally unique value.
"
+ "documentation":"Specify the name for a third-party custom source. This must be a Regionally unique value. The sourceName
you enter here, is used in the LogProviderRole
name which follows the convention AmazonSecurityLake-Provider-{name of the custom source}-{region}
. You must use a CustomLogSource
name that is shorter than or equal to 20 characters. This ensures that the LogProviderRole
name is below the 64 character limit.
"
},
"sourceVersion":{
"shape":"CustomLogSourceVersion",
@@ -832,7 +832,7 @@
"members":{
"source":{
"shape":"CustomLogSourceResource",
- "documentation":"The created third-party custom source.
"
+ "documentation":"The third-party custom source that was created.
"
}
}
},
@@ -845,7 +845,7 @@
"members":{
"exceptionTimeToLive":{
"shape":"CreateDataLakeExceptionSubscriptionRequestExceptionTimeToLiveLong",
- "documentation":"The expiration period and time-to-live (TTL).
"
+ "documentation":"The expiration period and time-to-live (TTL). It is the duration of time until which the exception message remains.
"
},
"notificationEndpoint":{
"shape":"SafeString",
@@ -953,7 +953,7 @@
},
"sources":{
"shape":"LogSourceResourceList",
- "documentation":"The supported Amazon Web Services from which logs and events are collected. Security Lake supports log and event collection for natively supported Amazon Web Services.
"
+ "documentation":"The supported Amazon Web Services services from which logs and events are collected. Security Lake supports log and event collection for natively supported Amazon Web Services services.
"
},
"subscriberDescription":{
"shape":"DescriptionString",
@@ -1014,14 +1014,14 @@
"members":{
"crawlerConfiguration":{
"shape":"CustomLogSourceCrawlerConfiguration",
- "documentation":"The configuration for the Glue Crawler for the third-party custom source.
"
+ "documentation":"The configuration used for the Glue Crawler for a third-party custom source.
"
},
"providerIdentity":{
"shape":"AwsIdentity",
"documentation":"The identity of the log provider for the third-party custom source.
"
}
},
- "documentation":"The configuration for the third-party custom source.
"
+ "documentation":"The configuration used for the third-party custom source.
"
},
"CustomLogSourceCrawlerConfiguration":{
"type":"structure",
@@ -1032,7 +1032,7 @@
"documentation":"The Amazon Resource Name (ARN) of the Identity and Access Management (IAM) role to be used by the Glue crawler. The recommended IAM policies are:
"
}
},
- "documentation":"The configuration for the Glue Crawler for the third-party custom source.
"
+ "documentation":"The configuration used for the Glue Crawler for a third-party custom source.
"
},
"CustomLogSourceName":{
"type":"string",
@@ -1138,7 +1138,7 @@
"members":{
"kmsKeyId":{
"shape":"String",
- "documentation":"The id of KMS encryption key used by Amazon Security Lake to encrypt the Security Lake object.
"
+ "documentation":"The identifier of KMS encryption key used by Amazon Security Lake to encrypt the Security Lake object.
"
}
},
"documentation":"Provides encryption details of Amazon Security Lake object.
"
@@ -1244,7 +1244,7 @@
"members":{
"createStatus":{
"shape":"DataLakeStatus",
- "documentation":"Retrieves the status of the configuration operation for an account in Amazon Security Lake.
"
+ "documentation":"Retrieves the status of the CreateDatalake
API call for an account in Amazon Security Lake.
"
},
"dataLakeArn":{
"shape":"AmazonResourceName",
@@ -1294,14 +1294,14 @@
},
"sourceName":{
"shape":"String",
- "documentation":"The supported Amazon Web Services from which logs and events are collected. Amazon Security Lake supports log and event collection for natively supported Amazon Web Services.
"
+ "documentation":"The supported Amazon Web Services services from which logs and events are collected. Amazon Security Lake supports log and event collection for natively supported Amazon Web Services services.
"
},
"sourceStatuses":{
"shape":"DataLakeSourceStatusList",
"documentation":"The log status for the Security Lake account.
"
}
},
- "documentation":"Amazon Security Lake collects logs and events from supported Amazon Web Services and custom sources. For the list of supported Amazon Web Services, see the Amazon Security Lake User Guide.
"
+ "documentation":"Amazon Security Lake collects logs and events from supported Amazon Web Services services and custom sources. For the list of supported Amazon Web Services services, see the Amazon Security Lake User Guide.
"
},
"DataLakeSourceList":{
"type":"list",
@@ -1512,7 +1512,7 @@
"members":{
"exceptionTimeToLive":{
"shape":"Long",
- "documentation":"The expiration period and time-to-live (TTL).
"
+ "documentation":"The expiration period and time-to-live (TTL). It is the duration of time until which the exception message remains.
"
},
"notificationEndpoint":{
"shape":"SafeString",
@@ -1534,7 +1534,7 @@
"members":{
"autoEnableNewAccount":{
"shape":"DataLakeAutoEnableNewAccountConfigurationList",
- "documentation":"The configuration for new accounts.
"
+ "documentation":"The configuration used for new accounts in Security Lake.
"
}
}
},
@@ -1628,7 +1628,7 @@
"documentation":"The Amazon Resource Name (ARN) of the EventBridge API destinations IAM role that you created. For more information about ARNs and how to use them in policies, see Managing data access and Amazon Web Services Managed Policies in the Amazon Security Lake User Guide.
"
}
},
- "documentation":"The configurations for HTTPS subscriber notification.
"
+ "documentation":"The configurations used for HTTPS subscriber notification.
"
},
"HttpsNotificationConfigurationEndpointString":{
"type":"string",
@@ -1654,11 +1654,11 @@
"members":{
"maxResults":{
"shape":"MaxResults",
- "documentation":"List the maximum number of failures in Security Lake.
"
+ "documentation":"Lists the maximum number of failures in Security Lake.
"
},
"nextToken":{
"shape":"NextToken",
- "documentation":"List if there are more results available. The value of nextToken is a unique pagination token for each page. Repeat the call using the returned token to retrieve the next page. Keep all other arguments unchanged.
Each pagination token expires after 24 hours. Using an expired pagination token will return an HTTP 400 InvalidToken error.
"
+ "documentation":"Lists if there are more results available. The value of nextToken is a unique pagination token for each page. Repeat the call using the returned token to retrieve the next page. Keep all other arguments unchanged.
Each pagination token expires after 24 hours. Using an expired pagination token will return an HTTP 400 InvalidToken error.
"
},
"regions":{
"shape":"RegionList",
@@ -1671,11 +1671,11 @@
"members":{
"exceptions":{
"shape":"DataLakeExceptionList",
- "documentation":"Lists the failures that cannot be retried in the current Region.
"
+ "documentation":"Lists the failures that cannot be retried.
"
},
"nextToken":{
"shape":"NextToken",
- "documentation":"List if there are more results available. The value of nextToken is a unique pagination token for each page. Repeat the call using the returned token to retrieve the next page. Keep all other arguments unchanged.
Each pagination token expires after 24 hours. Using an expired pagination token will return an HTTP 400 InvalidToken error.
"
+ "documentation":"Lists if there are more results available. The value of nextToken is a unique pagination token for each page. Repeat the call using the returned token to retrieve the next page. Keep all other arguments unchanged.
Each pagination token expires after 24 hours. Using an expired pagination token will return an HTTP 400 InvalidToken error.
"
}
}
},
@@ -1815,14 +1815,14 @@
"members":{
"awsLogSource":{
"shape":"AwsLogSourceResource",
- "documentation":"Amazon Security Lake supports log and event collection for natively supported Amazon Web Services. For more information, see the Amazon Security Lake User Guide.
"
+ "documentation":"Amazon Security Lake supports log and event collection for natively supported Amazon Web Services services. For more information, see the Amazon Security Lake User Guide.
"
},
"customLogSource":{
"shape":"CustomLogSourceResource",
"documentation":"Amazon Security Lake supports custom source types. For more information, see the Amazon Security Lake User Guide.
"
}
},
- "documentation":"The supported source types from which logs and events are collected in Amazon Security Lake. For a list of supported Amazon Web Services, see the Amazon Security Lake User Guide.
",
+ "documentation":"The supported source types from which logs and events are collected in Amazon Security Lake. For a list of supported Amazon Web Services services, see the Amazon Security Lake User Guide.
",
"union":true
},
"LogSourceResourceList":{
@@ -1849,7 +1849,7 @@
"members":{
"httpsNotificationConfiguration":{
"shape":"HttpsNotificationConfiguration",
- "documentation":"The configurations for HTTPS subscriber notification.
"
+ "documentation":"The configurations used for HTTPS subscriber notification.
"
},
"sqsNotificationConfiguration":{
"shape":"SqsNotificationConfiguration",
@@ -1943,7 +1943,7 @@
"type":"structure",
"members":{
},
- "documentation":"The configurations for SQS subscriber notification.
"
+ "documentation":"The configurations used for EventBridge subscriber notification.
"
},
"String":{"type":"string"},
"SubscriberResource":{
@@ -1982,7 +1982,7 @@
},
"sources":{
"shape":"LogSourceResourceList",
- "documentation":"Amazon Security Lake supports log and event collection for natively supported Amazon Web Services. For more information, see the Amazon Security Lake User Guide.
"
+ "documentation":"Amazon Security Lake supports log and event collection for natively supported Amazon Web Services services. For more information, see the Amazon Security Lake User Guide.
"
},
"subscriberArn":{
"shape":"AmazonResourceName",
@@ -2170,7 +2170,7 @@
"members":{
"exceptionTimeToLive":{
"shape":"UpdateDataLakeExceptionSubscriptionRequestExceptionTimeToLiveLong",
- "documentation":"The time-to-live (TTL) for the exception message to remain.
"
+ "documentation":"The time-to-live (TTL) for the exception message to remain. It is the duration of time until which the exception message remains.
"
},
"notificationEndpoint":{
"shape":"SafeString",
@@ -2198,7 +2198,7 @@
"members":{
"configurations":{
"shape":"DataLakeConfigurationList",
- "documentation":"Specify the Region or Regions that will contribute data to the rollup region.
"
+ "documentation":"Specifies the Region or Regions that will contribute data to the rollup region.
"
},
"metaStoreManagerRoleArn":{
"shape":"RoleArn",
@@ -2249,7 +2249,7 @@
"members":{
"sources":{
"shape":"LogSourceResourceList",
- "documentation":"The supported Amazon Web Services from which logs and events are collected. For the list of supported Amazon Web Services, see the Amazon Security Lake User Guide.
"
+ "documentation":"The supported Amazon Web Services services from which logs and events are collected. For the list of supported Amazon Web Services services, see the Amazon Security Lake User Guide.
"
},
"subscriberDescription":{
"shape":"DescriptionString",
@@ -2263,7 +2263,7 @@
},
"subscriberIdentity":{
"shape":"AwsIdentity",
- "documentation":"The AWS identity used to access your data.
"
+ "documentation":"The Amazon Web Services identity used to access your data.
"
},
"subscriberName":{
"shape":"UpdateSubscriberRequestSubscriberNameString",
@@ -2287,5 +2287,5 @@
}
}
},
- "documentation":"Amazon Security Lake is a fully managed security data lake service. You can use Security Lake to automatically centralize security data from cloud, on-premises, and custom sources into a data lake that's stored in your Amazon Web Services account. Amazon Web Services Organizations is an account management service that lets you consolidate multiple Amazon Web Services accounts into an organization that you create and centrally manage. With Organizations, you can create member accounts and invite existing accounts to join your organization. Security Lake helps you analyze security data for a more complete understanding of your security posture across the entire organization. It can also help you improve the protection of your workloads, applications, and data.
The data lake is backed by Amazon Simple Storage Service (Amazon S3) buckets, and you retain ownership over your data.
Amazon Security Lake integrates with CloudTrail, a service that provides a record of actions taken by a user, role, or an Amazon Web Services service. In Security Lake, CloudTrail captures API calls for Security Lake as events. The calls captured include calls from the Security Lake console and code calls to the Security Lake API operations. If you create a trail, you can enable continuous delivery of CloudTrail events to an Amazon S3 bucket, including events for Security Lake. If you don't configure a trail, you can still view the most recent events in the CloudTrail console in Event history. Using the information collected by CloudTrail you can determine the request that was made to Security Lake, the IP address from which the request was made, who made the request, when it was made, and additional details. To learn more about Security Lake information in CloudTrail, see the Amazon Security Lake User Guide.
Security Lake automates the collection of security-related log and event data from integrated Amazon Web Services and third-party services. It also helps you manage the lifecycle of data with customizable retention and replication settings. Security Lake converts ingested data into Apache Parquet format and a standard open-source schema called the Open Cybersecurity Schema Framework (OCSF).
Other Amazon Web Services and third-party services can subscribe to the data that's stored in Security Lake for incident response and security data analytics.
"
+ "documentation":"Amazon Security Lake is a fully managed security data lake service. You can use Security Lake to automatically centralize security data from cloud, on-premises, and custom sources into a data lake that's stored in your Amazon Web Services account. Amazon Web Services Organizations is an account management service that lets you consolidate multiple Amazon Web Services accounts into an organization that you create and centrally manage. With Organizations, you can create member accounts and invite existing accounts to join your organization. Security Lake helps you analyze security data for a more complete understanding of your security posture across the entire organization. It can also help you improve the protection of your workloads, applications, and data.
The data lake is backed by Amazon Simple Storage Service (Amazon S3) buckets, and you retain ownership over your data.
Amazon Security Lake integrates with CloudTrail, a service that provides a record of actions taken by a user, role, or an Amazon Web Services service. In Security Lake, CloudTrail captures API calls for Security Lake as events. The calls captured include calls from the Security Lake console and code calls to the Security Lake API operations. If you create a trail, you can enable continuous delivery of CloudTrail events to an Amazon S3 bucket, including events for Security Lake. If you don't configure a trail, you can still view the most recent events in the CloudTrail console in Event history. Using the information collected by CloudTrail you can determine the request that was made to Security Lake, the IP address from which the request was made, who made the request, when it was made, and additional details. To learn more about Security Lake information in CloudTrail, see the Amazon Security Lake User Guide.
Security Lake automates the collection of security-related log and event data from integrated Amazon Web Services services and third-party services. It also helps you manage the lifecycle of data with customizable retention and replication settings. Security Lake converts ingested data into Apache Parquet format and a standard open-source schema called the Open Cybersecurity Schema Framework (OCSF).
Other Amazon Web Services services and third-party services can subscribe to the data that's stored in Security Lake for incident response and security data analytics.
"
}
From fb313523b74a44e8125ae0288ba62ee7be8da652 Mon Sep 17 00:00:00 2001
From: AWS <>
Date: Mon, 14 Oct 2024 18:07:24 +0000
Subject: [PATCH 5/9] AWS CodePipeline Update: AWS CodePipeline V2 type
pipelines now support automatically retrying failed stages and skipping stage
for failed entry conditions.
---
.../feature-AWSCodePipeline-7008be6.json | 6 +++
.../codegen-resources/service-2.json | 54 ++++++++++++++++++-
2 files changed, 58 insertions(+), 2 deletions(-)
create mode 100644 .changes/next-release/feature-AWSCodePipeline-7008be6.json
diff --git a/.changes/next-release/feature-AWSCodePipeline-7008be6.json b/.changes/next-release/feature-AWSCodePipeline-7008be6.json
new file mode 100644
index 000000000000..60df03ad5f6f
--- /dev/null
+++ b/.changes/next-release/feature-AWSCodePipeline-7008be6.json
@@ -0,0 +1,6 @@
+{
+ "type": "feature",
+ "category": "AWS CodePipeline",
+ "contributor": "",
+ "description": "AWS CodePipeline V2 type pipelines now support automatically retrying failed stages and skipping stage for failed entry conditions."
+}
diff --git a/services/codepipeline/src/main/resources/codegen-resources/service-2.json b/services/codepipeline/src/main/resources/codegen-resources/service-2.json
index 2186431aabc5..7b919be2ca4e 100644
--- a/services/codepipeline/src/main/resources/codegen-resources/service-2.json
+++ b/services/codepipeline/src/main/resources/codegen-resources/service-2.json
@@ -2301,6 +2301,10 @@
"shape":"Result",
"documentation":"The specified result for when the failure conditions are met, such as rolling back the stage.
"
},
+ "retryConfiguration":{
+ "shape":"RetryConfiguration",
+ "documentation":"The retry configuration specifies automatic retry for a failed stage, along with the configured retry mode.
"
+ },
"conditions":{
"shape":"ConditionList",
"documentation":"The conditions that are configured as failure conditions.
"
@@ -4192,9 +4196,25 @@
"type":"string",
"enum":[
"ROLLBACK",
- "FAIL"
+ "FAIL",
+ "RETRY",
+ "SKIP"
]
},
+ "RetryAttempt":{
+ "type":"integer",
+ "min":1
+ },
+ "RetryConfiguration":{
+ "type":"structure",
+ "members":{
+ "retryMode":{
+ "shape":"StageRetryMode",
+ "documentation":"The method that you want to configure for automatic stage retry on stage failure. You can specify to retry only failed action in the stage or all actions in the stage.
"
+ }
+ },
+ "documentation":"The retry configuration specifies automatic retry for a failed stage, along with the configured retry mode.
"
+ },
"RetryStageExecutionInput":{
"type":"structure",
"required":[
@@ -4233,6 +4253,31 @@
},
"documentation":"Represents the output of a RetryStageExecution
action.
"
},
+ "RetryStageMetadata":{
+ "type":"structure",
+ "members":{
+ "autoStageRetryAttempt":{
+ "shape":"RetryAttempt",
+ "documentation":"The number of attempts for a specific stage with automatic retry on stage failure. One attempt is allowed for automatic stage retry on failure.
"
+ },
+ "manualStageRetryAttempt":{
+ "shape":"RetryAttempt",
+ "documentation":"The number of attempts for a specific stage where manual retries have been made upon stage failure.
"
+ },
+ "latestRetryTrigger":{
+ "shape":"RetryTrigger",
+ "documentation":"The latest trigger for a specific stage where manual or automatic retries have been made upon stage failure.
"
+ }
+ },
+ "documentation":"The details of a specific automatic retry on stage failure, including the attempt number and trigger.
"
+ },
+ "RetryTrigger":{
+ "type":"string",
+ "enum":[
+ "AutomatedStageRetry",
+ "ManualStageRetry"
+ ]
+ },
"Revision":{
"type":"string",
"max":1500,
@@ -4972,7 +5017,8 @@
"Failed",
"Stopped",
"Stopping",
- "Succeeded"
+ "Succeeded",
+ "Skipped"
]
},
"StageName":{
@@ -5037,6 +5083,10 @@
"onFailureConditionState":{
"shape":"StageConditionState",
"documentation":"The state of the failure conditions for a stage.
"
+ },
+ "retryStageMetadata":{
+ "shape":"RetryStageMetadata",
+ "documentation":"he details of a specific automatic retry on stage failure, including the attempt number and trigger.
"
}
},
"documentation":"Represents information about the state of the stage.
"
From f80f5a6403132209c6afd426b99329f4219e1ceb Mon Sep 17 00:00:00 2001
From: AWS <>
Date: Mon, 14 Oct 2024 18:07:25 +0000
Subject: [PATCH 6/9] MailManager Update: Mail Manager support for viewing and
exporting metadata of archived messages.
---
.../feature-MailManager-c2bb7c9.json | 6 ++
.../codegen-resources/service-2.json | 92 ++++++++++++++++++-
2 files changed, 97 insertions(+), 1 deletion(-)
create mode 100644 .changes/next-release/feature-MailManager-c2bb7c9.json
diff --git a/.changes/next-release/feature-MailManager-c2bb7c9.json b/.changes/next-release/feature-MailManager-c2bb7c9.json
new file mode 100644
index 000000000000..0020653768b2
--- /dev/null
+++ b/.changes/next-release/feature-MailManager-c2bb7c9.json
@@ -0,0 +1,6 @@
+{
+ "type": "feature",
+ "category": "MailManager",
+ "contributor": "",
+ "description": "Mail Manager support for viewing and exporting metadata of archived messages."
+}
diff --git a/services/mailmanager/src/main/resources/codegen-resources/service-2.json b/services/mailmanager/src/main/resources/codegen-resources/service-2.json
index ddfb826d08cc..8444470d09c3 100644
--- a/services/mailmanager/src/main/resources/codegen-resources/service-2.json
+++ b/services/mailmanager/src/main/resources/codegen-resources/service-2.json
@@ -1027,7 +1027,9 @@
"TO",
"FROM",
"CC",
- "SUBJECT"
+ "SUBJECT",
+ "ENVELOPE_TO",
+ "ENVELOPE_FROM"
]
},
"ArchiveStringExpression":{
@@ -1509,6 +1511,24 @@
"type":"list",
"member":{"shape":"String"}
},
+ "Envelope":{
+ "type":"structure",
+ "members":{
+ "From":{
+ "shape":"String",
+ "documentation":"The RCPT FROM given by the host from which the email was received.
"
+ },
+ "Helo":{
+ "shape":"String",
+ "documentation":"The HELO used by the host from which the email was received.
"
+ },
+ "To":{
+ "shape":"StringList",
+ "documentation":"All SMTP TO entries given by the host from which the email was received.
"
+ }
+ },
+ "documentation":"The SMTP envelope information of the email.
"
+ },
"ErrorMessage":{"type":"string"},
"ExportDestinationConfiguration":{
"type":"structure",
@@ -1719,9 +1739,17 @@
"GetArchiveMessageResponse":{
"type":"structure",
"members":{
+ "Envelope":{
+ "shape":"Envelope",
+ "documentation":"The SMTP envelope information of the email.
"
+ },
"MessageDownloadLink":{
"shape":"S3PresignedURL",
"documentation":"A pre-signed URL to temporarily download the full message content.
"
+ },
+ "Metadata":{
+ "shape":"Metadata",
+ "documentation":"The metadata about the email.
"
}
},
"documentation":"The response containing details about the requested archived email message.
"
@@ -2726,6 +2754,44 @@
},
"documentation":"The textual body content of an email message.
"
},
+ "Metadata":{
+ "type":"structure",
+ "members":{
+ "IngressPointId":{
+ "shape":"IngressPointId",
+ "documentation":"The ID of the ingress endpoint through which the email was received.
"
+ },
+ "RuleSetId":{
+ "shape":"RuleSetId",
+ "documentation":"The ID of the rule set that processed the email.
"
+ },
+ "SenderHostname":{
+ "shape":"String",
+ "documentation":"The name of the host from which the email was received.
"
+ },
+ "SenderIpAddress":{
+ "shape":"SenderIpAddress",
+ "documentation":"The IP address of the host from which the email was received.
"
+ },
+ "Timestamp":{
+ "shape":"Timestamp",
+ "documentation":"The timestamp of when the email was received.
"
+ },
+ "TlsCipherSuite":{
+ "shape":"String",
+ "documentation":"The TLS cipher suite used to communicate with the host from which the email was received.
"
+ },
+ "TlsProtocol":{
+ "shape":"String",
+ "documentation":"The TLS protocol used to communicate with the host from which the email was received.
"
+ },
+ "TrafficPolicyId":{
+ "shape":"TrafficPolicyId",
+ "documentation":"The ID of the traffic policy that was in effect when the email was received.
"
+ }
+ },
+ "documentation":"The metadata about the email.
"
+ },
"MimeHeaderAttribute":{
"type":"string",
"pattern":"^X-[a-zA-Z0-9-]{1,256}$"
@@ -2950,6 +3016,10 @@
"shape":"String",
"documentation":"The date the email was sent.
"
},
+ "Envelope":{
+ "shape":"Envelope",
+ "documentation":"The SMTP envelope information of the email.
"
+ },
"From":{
"shape":"String",
"documentation":"The email address of the sender.
"
@@ -2962,6 +3032,10 @@
"shape":"String",
"documentation":"The email message ID this is a reply to.
"
},
+ "IngressPointId":{
+ "shape":"IngressPointId",
+ "documentation":"The ID of the ingress endpoint through which the email was received.
"
+ },
"MessageId":{
"shape":"String",
"documentation":"The unique message ID of the email.
"
@@ -2974,6 +3048,14 @@
"shape":"Timestamp",
"documentation":"The timestamp of when the email was received.
"
},
+ "SenderHostname":{
+ "shape":"String",
+ "documentation":"The name of the host from which the email was received.
"
+ },
+ "SenderIpAddress":{
+ "shape":"SenderIpAddress",
+ "documentation":"The IP address of the host from which the email was received.
"
+ },
"Subject":{
"shape":"String",
"documentation":"The subject header value of the email.
"
@@ -3617,6 +3699,10 @@
},
"documentation":"Sends the email to the internet using the ses:SendRawEmail API.
"
},
+ "SenderIpAddress":{
+ "type":"string",
+ "sensitive":true
+ },
"ServiceQuotaExceededException":{
"type":"structure",
"members":{
@@ -3657,6 +3743,10 @@
"shape":"Timestamp",
"documentation":"The start of the timestamp range to include emails from.
"
},
+ "IncludeMetadata":{
+ "shape":"Boolean",
+ "documentation":"Whether to include message metadata as JSON files in the export.
"
+ },
"MaxResults":{
"shape":"ExportMaxResults",
"documentation":"The maximum number of email items to include in the export.
"
From fd54c726b4b535b6cdb6e2e71c18dc7009a62cd7 Mon Sep 17 00:00:00 2001
From: AWS <>
Date: Mon, 14 Oct 2024 18:07:30 +0000
Subject: [PATCH 7/9] AWS Supply Chain Update: This release adds AWS Supply
Chain instance management functionality. Specifically adding CreateInstance,
DeleteInstance, GetInstance, ListInstances, and UpdateInstance APIs.
---
.../feature-AWSSupplyChain-6a6bb5a.json | 6 +
.../codegen-resources/paginators-1.json | 6 +
.../codegen-resources/service-2.json | 384 ++++++++++++++++++
3 files changed, 396 insertions(+)
create mode 100644 .changes/next-release/feature-AWSSupplyChain-6a6bb5a.json
diff --git a/.changes/next-release/feature-AWSSupplyChain-6a6bb5a.json b/.changes/next-release/feature-AWSSupplyChain-6a6bb5a.json
new file mode 100644
index 000000000000..3b23aeab4dfa
--- /dev/null
+++ b/.changes/next-release/feature-AWSSupplyChain-6a6bb5a.json
@@ -0,0 +1,6 @@
+{
+ "type": "feature",
+ "category": "AWS Supply Chain",
+ "contributor": "",
+ "description": "This release adds AWS Supply Chain instance management functionality. Specifically adding CreateInstance, DeleteInstance, GetInstance, ListInstances, and UpdateInstance APIs."
+}
diff --git a/services/supplychain/src/main/resources/codegen-resources/paginators-1.json b/services/supplychain/src/main/resources/codegen-resources/paginators-1.json
index b92bd396a2c3..8ca1db6b5421 100644
--- a/services/supplychain/src/main/resources/codegen-resources/paginators-1.json
+++ b/services/supplychain/src/main/resources/codegen-resources/paginators-1.json
@@ -11,6 +11,12 @@
"output_token": "nextToken",
"limit_key": "maxResults",
"result_key": "datasets"
+ },
+ "ListInstances": {
+ "input_token": "nextToken",
+ "output_token": "nextToken",
+ "limit_key": "maxResults",
+ "result_key": "instances"
}
}
}
diff --git a/services/supplychain/src/main/resources/codegen-resources/service-2.json b/services/supplychain/src/main/resources/codegen-resources/service-2.json
index c9302aac71cd..a344dd644199 100644
--- a/services/supplychain/src/main/resources/codegen-resources/service-2.json
+++ b/services/supplychain/src/main/resources/codegen-resources/service-2.json
@@ -76,6 +76,27 @@
"documentation":"Create a data lake dataset.
",
"idempotent":true
},
+ "CreateInstance":{
+ "name":"CreateInstance",
+ "http":{
+ "method":"POST",
+ "requestUri":"/api/instance",
+ "responseCode":200
+ },
+ "input":{"shape":"CreateInstanceRequest"},
+ "output":{"shape":"CreateInstanceResponse"},
+ "errors":[
+ {"shape":"ServiceQuotaExceededException"},
+ {"shape":"ThrottlingException"},
+ {"shape":"ResourceNotFoundException"},
+ {"shape":"AccessDeniedException"},
+ {"shape":"ValidationException"},
+ {"shape":"InternalServerException"},
+ {"shape":"ConflictException"}
+ ],
+ "documentation":"Create a new instance for AWS Supply Chain. This is an asynchronous operation. Upon receiving a CreateInstance request, AWS Supply Chain immediately returns the instance resource, with instance ID, and the initializing state while simultaneously creating all required Amazon Web Services resources for an instance creation. You can use GetInstance to check the status of the instance.
",
+ "idempotent":true
+ },
"DeleteDataIntegrationFlow":{
"name":"DeleteDataIntegrationFlow",
"http":{
@@ -118,6 +139,27 @@
"documentation":"Delete a data lake dataset.
",
"idempotent":true
},
+ "DeleteInstance":{
+ "name":"DeleteInstance",
+ "http":{
+ "method":"DELETE",
+ "requestUri":"/api/instance/{instanceId}",
+ "responseCode":200
+ },
+ "input":{"shape":"DeleteInstanceRequest"},
+ "output":{"shape":"DeleteInstanceResponse"},
+ "errors":[
+ {"shape":"ServiceQuotaExceededException"},
+ {"shape":"ResourceNotFoundException"},
+ {"shape":"ThrottlingException"},
+ {"shape":"AccessDeniedException"},
+ {"shape":"ValidationException"},
+ {"shape":"InternalServerException"},
+ {"shape":"ConflictException"}
+ ],
+ "documentation":"Delete the instance. This is an asynchronous operation. Upon receiving a DeleteInstance request, AWS Supply Chain immediately returns a response with the instance resource, delete state while cleaning up all Amazon Web Services resources created during the instance creation process. You can use the GetInstance action to check the instance status.
",
+ "idempotent":true
+ },
"GetBillOfMaterialsImportJob":{
"name":"GetBillOfMaterialsImportJob",
"http":{
@@ -178,6 +220,26 @@
],
"documentation":"Get a data lake dataset.
"
},
+ "GetInstance":{
+ "name":"GetInstance",
+ "http":{
+ "method":"GET",
+ "requestUri":"/api/instance/{instanceId}",
+ "responseCode":200
+ },
+ "input":{"shape":"GetInstanceRequest"},
+ "output":{"shape":"GetInstanceResponse"},
+ "errors":[
+ {"shape":"ServiceQuotaExceededException"},
+ {"shape":"ResourceNotFoundException"},
+ {"shape":"ThrottlingException"},
+ {"shape":"AccessDeniedException"},
+ {"shape":"ValidationException"},
+ {"shape":"InternalServerException"},
+ {"shape":"ConflictException"}
+ ],
+ "documentation":"Get the AWS Supply Chain instance details.
"
+ },
"ListDataIntegrationFlows":{
"name":"ListDataIntegrationFlows",
"http":{
@@ -218,6 +280,26 @@
],
"documentation":"List the data lake datasets for a specific instance and name space.
"
},
+ "ListInstances":{
+ "name":"ListInstances",
+ "http":{
+ "method":"GET",
+ "requestUri":"/api/instance",
+ "responseCode":200
+ },
+ "input":{"shape":"ListInstancesRequest"},
+ "output":{"shape":"ListInstancesResponse"},
+ "errors":[
+ {"shape":"ServiceQuotaExceededException"},
+ {"shape":"ThrottlingException"},
+ {"shape":"ResourceNotFoundException"},
+ {"shape":"AccessDeniedException"},
+ {"shape":"ValidationException"},
+ {"shape":"InternalServerException"},
+ {"shape":"ConflictException"}
+ ],
+ "documentation":"List all the AWS Supply Chain instances in a paginated way.
"
+ },
"ListTagsForResource":{
"name":"ListTagsForResource",
"http":{
@@ -339,6 +421,26 @@
{"shape":"ConflictException"}
],
"documentation":"Update a data lake dataset.
"
+ },
+ "UpdateInstance":{
+ "name":"UpdateInstance",
+ "http":{
+ "method":"PATCH",
+ "requestUri":"/api/instance/{instanceId}",
+ "responseCode":200
+ },
+ "input":{"shape":"UpdateInstanceRequest"},
+ "output":{"shape":"UpdateInstanceResponse"},
+ "errors":[
+ {"shape":"ServiceQuotaExceededException"},
+ {"shape":"ResourceNotFoundException"},
+ {"shape":"ThrottlingException"},
+ {"shape":"AccessDeniedException"},
+ {"shape":"ValidationException"},
+ {"shape":"InternalServerException"},
+ {"shape":"ConflictException"}
+ ],
+ "documentation":"Update the instance.
"
}
},
"shapes":{
@@ -360,6 +462,10 @@
"min":20,
"pattern":"arn:aws:scn(?::([a-z0-9-]+):([0-9]+):instance)?/([a-f0-9]{8}-[a-f0-9]{4}-[a-f0-9]{4}-[a-f0-9]{4}-[a-f0-9]{12})[-_./A-Za-z0-9]*"
},
+ "AwsAccountId":{
+ "type":"string",
+ "pattern":"[0-9]{12}"
+ },
"BillOfMaterialsImportJob":{
"type":"structure",
"required":[
@@ -577,6 +683,44 @@
},
"documentation":"The response parameters of CreateDataLakeDataset.
"
},
+ "CreateInstanceRequest":{
+ "type":"structure",
+ "members":{
+ "instanceName":{
+ "shape":"InstanceName",
+ "documentation":"The AWS Supply Chain instance name.
"
+ },
+ "instanceDescription":{
+ "shape":"InstanceDescription",
+ "documentation":"The AWS Supply Chain instance description.
"
+ },
+ "kmsKeyArn":{
+ "shape":"KmsKeyArn",
+ "documentation":"The ARN (Amazon Resource Name) of the Key Management Service (KMS) key you provide for encryption. This is required if you do not want to use the Amazon Web Services owned KMS key. If you don't provide anything here, AWS Supply Chain uses the Amazon Web Services owned KMS key.
"
+ },
+ "tags":{
+ "shape":"TagMap",
+ "documentation":"The Amazon Web Services tags of an instance to be created.
"
+ },
+ "clientToken":{
+ "shape":"ClientToken",
+ "documentation":"The client token for idempotency.
",
+ "idempotencyToken":true
+ }
+ },
+ "documentation":"The request parameters for CreateInstance.
"
+ },
+ "CreateInstanceResponse":{
+ "type":"structure",
+ "required":["instance"],
+ "members":{
+ "instance":{
+ "shape":"Instance",
+ "documentation":"The AWS Supply Chain instance resource data details.
"
+ }
+ },
+ "documentation":"The response parameters for CreateInstance.
"
+ },
"DataIntegrationEventData":{
"type":"string",
"max":1048576,
@@ -1147,6 +1291,34 @@
},
"documentation":"The response parameters of DeleteDataLakeDataset.
"
},
+ "DeleteInstanceRequest":{
+ "type":"structure",
+ "required":["instanceId"],
+ "members":{
+ "instanceId":{
+ "shape":"UUID",
+ "documentation":"The AWS Supply Chain instance identifier.
",
+ "location":"uri",
+ "locationName":"instanceId"
+ }
+ },
+ "documentation":"The request parameters for DeleteInstance.
"
+ },
+ "DeleteInstanceResponse":{
+ "type":"structure",
+ "required":["instance"],
+ "members":{
+ "instance":{
+ "shape":"Instance",
+ "documentation":"The AWS Supply Chain instance resource data details.
"
+ }
+ },
+ "documentation":"The response parameters for DeleteInstance.
"
+ },
+ "Double":{
+ "type":"double",
+ "box":true
+ },
"GetBillOfMaterialsImportJobRequest":{
"type":"structure",
"required":[
@@ -1253,6 +1425,135 @@
},
"documentation":"The response parameters for UpdateDataLakeDataset.
"
},
+ "GetInstanceRequest":{
+ "type":"structure",
+ "required":["instanceId"],
+ "members":{
+ "instanceId":{
+ "shape":"UUID",
+ "documentation":"The AWS Supply Chain instance identifier
",
+ "location":"uri",
+ "locationName":"instanceId"
+ }
+ },
+ "documentation":"The request parameters for GetInstance.
"
+ },
+ "GetInstanceResponse":{
+ "type":"structure",
+ "required":["instance"],
+ "members":{
+ "instance":{
+ "shape":"Instance",
+ "documentation":"The instance resource data details.
"
+ }
+ },
+ "documentation":"The response parameters for GetInstance.
"
+ },
+ "Instance":{
+ "type":"structure",
+ "required":[
+ "instanceId",
+ "awsAccountId",
+ "state"
+ ],
+ "members":{
+ "instanceId":{
+ "shape":"UUID",
+ "documentation":"The Amazon Web Services Supply Chain instance identifier.
"
+ },
+ "awsAccountId":{
+ "shape":"AwsAccountId",
+ "documentation":"The Amazon Web Services account ID that owns the instance.
"
+ },
+ "state":{
+ "shape":"InstanceState",
+ "documentation":"The state of the instance.
"
+ },
+ "webAppDnsDomain":{
+ "shape":"InstanceWebAppDnsDomain",
+ "documentation":"The WebApp DNS domain name of the instance.
"
+ },
+ "createdTime":{
+ "shape":"Timestamp",
+ "documentation":"The instance creation timestamp.
"
+ },
+ "lastModifiedTime":{
+ "shape":"Timestamp",
+ "documentation":"The instance last modified timestamp.
"
+ },
+ "instanceName":{
+ "shape":"InstanceName",
+ "documentation":"The Amazon Web Services Supply Chain instance name.
"
+ },
+ "instanceDescription":{
+ "shape":"InstanceDescription",
+ "documentation":"The Amazon Web Services Supply Chain instance description.
"
+ },
+ "kmsKeyArn":{
+ "shape":"KmsKeyArn",
+ "documentation":"The ARN (Amazon Resource Name) of the Key Management Service (KMS) key you optionally provided for encryption. If you did not provide anything here, AWS Supply Chain uses the Amazon Web Services owned KMS key and nothing is returned.
"
+ },
+ "versionNumber":{
+ "shape":"Double",
+ "documentation":"The version number of the instance.
"
+ }
+ },
+ "documentation":"The details of the instance.
"
+ },
+ "InstanceDescription":{
+ "type":"string",
+ "max":501,
+ "min":0,
+ "pattern":"([a-zA-Z0-9., _ʼ'%-]){0,500}"
+ },
+ "InstanceList":{
+ "type":"list",
+ "member":{"shape":"Instance"}
+ },
+ "InstanceMaxResults":{
+ "type":"integer",
+ "box":true,
+ "max":20,
+ "min":0
+ },
+ "InstanceName":{
+ "type":"string",
+ "max":63,
+ "min":0,
+ "pattern":"(?![ _ʼ'%-])[a-zA-Z0-9 _ʼ'%-]{0,62}[a-zA-Z0-9]"
+ },
+ "InstanceNameList":{
+ "type":"list",
+ "member":{"shape":"InstanceName"},
+ "max":10,
+ "min":0
+ },
+ "InstanceNextToken":{
+ "type":"string",
+ "max":1024,
+ "min":1
+ },
+ "InstanceState":{
+ "type":"string",
+ "enum":[
+ "Initializing",
+ "Active",
+ "CreateFailed",
+ "DeleteFailed",
+ "Deleting",
+ "Deleted"
+ ]
+ },
+ "InstanceStateList":{
+ "type":"list",
+ "member":{"shape":"InstanceState"},
+ "max":6,
+ "min":0
+ },
+ "InstanceWebAppDnsDomain":{
+ "type":"string",
+ "pattern":"[A-Za-z0-9]+(.[A-Za-z0-9]+)+"
+ },
"InternalServerException":{
"type":"structure",
"members":{
@@ -1264,6 +1565,12 @@
"fault":true,
"retryable":{"throttling":false}
},
+ "KmsKeyArn":{
+ "type":"string",
+ "max":2048,
+ "min":0,
+ "pattern":"arn:[a-z0-9][-.a-z0-9]{0,62}:kms:([a-z0-9][-.a-z0-9]{0,62})?:([a-z0-9][-.a-z0-9]{0,62})?:key/.{0,1019}"
+ },
"ListDataIntegrationFlowsRequest":{
"type":"structure",
"required":["instanceId"],
@@ -1353,6 +1660,51 @@
},
"documentation":"The response parameters of ListDataLakeDatasets.
"
},
+ "ListInstancesRequest":{
+ "type":"structure",
+ "members":{
+ "nextToken":{
+ "shape":"InstanceNextToken",
+ "documentation":"The pagination token to fetch the next page of instances.
",
+ "location":"querystring",
+ "locationName":"nextToken"
+ },
+ "maxResults":{
+ "shape":"InstanceMaxResults",
+ "documentation":"Specify the maximum number of instances to fetch in this paginated request.
",
+ "location":"querystring",
+ "locationName":"maxResults"
+ },
+ "instanceNameFilter":{
+ "shape":"InstanceNameList",
+ "documentation":"The filter to ListInstances based on their names.
",
+ "location":"querystring",
+ "locationName":"instanceNameFilter"
+ },
+ "instanceStateFilter":{
+ "shape":"InstanceStateList",
+ "documentation":"The filter to ListInstances based on their state.
",
+ "location":"querystring",
+ "locationName":"instanceStateFilter"
+ }
+ },
+ "documentation":"The request parameters for ListInstances.
"
+ },
+ "ListInstancesResponse":{
+ "type":"structure",
+ "required":["instances"],
+ "members":{
+ "instances":{
+ "shape":"InstanceList",
+ "documentation":"The list of instances resource data details.
"
+ },
+ "nextToken":{
+ "shape":"InstanceNextToken",
+ "documentation":"The pagination token to fetch the next page of instances.
"
+ }
+ },
+ "documentation":"The response parameters for ListInstances.
"
+ },
"ListTagsForResourceRequest":{
"type":"structure",
"required":["resourceArn"],
@@ -1648,6 +2000,38 @@
},
"documentation":"The response parameters of UpdateDataLakeDataset.
"
},
+ "UpdateInstanceRequest":{
+ "type":"structure",
+ "required":["instanceId"],
+ "members":{
+ "instanceId":{
+ "shape":"UUID",
+ "documentation":"The AWS Supply Chain instance identifier.
",
+ "location":"uri",
+ "locationName":"instanceId"
+ },
+ "instanceName":{
+ "shape":"InstanceName",
+ "documentation":"The AWS Supply Chain instance name.
"
+ },
+ "instanceDescription":{
+ "shape":"InstanceDescription",
+ "documentation":"The AWS Supply Chain instance description.
"
+ }
+ },
+ "documentation":"The request parameters for UpdateInstance.
"
+ },
+ "UpdateInstanceResponse":{
+ "type":"structure",
+ "required":["instance"],
+ "members":{
+ "instance":{
+ "shape":"Instance",
+ "documentation":"The instance resource data details.
"
+ }
+ },
+ "documentation":"The response parameters for UpdateInstance.
"
+ },
"ValidationException":{
"type":"structure",
"members":{
From c555195e1789f1f07059dfef289e89ac818b6053 Mon Sep 17 00:00:00 2001
From: AWS <>
Date: Mon, 14 Oct 2024 18:09:23 +0000
Subject: [PATCH 8/9] Updated endpoints.json and partitions.json.
---
.../feature-AWSSDKforJavav2-0443982.json | 6 ++
.../regions/internal/region/endpoints.json | 91 ++++++++++++++++---
2 files changed, 83 insertions(+), 14 deletions(-)
create mode 100644 .changes/next-release/feature-AWSSDKforJavav2-0443982.json
diff --git a/.changes/next-release/feature-AWSSDKforJavav2-0443982.json b/.changes/next-release/feature-AWSSDKforJavav2-0443982.json
new file mode 100644
index 000000000000..e5b5ee3ca5e3
--- /dev/null
+++ b/.changes/next-release/feature-AWSSDKforJavav2-0443982.json
@@ -0,0 +1,6 @@
+{
+ "type": "feature",
+ "category": "AWS SDK for Java v2",
+ "contributor": "",
+ "description": "Updated endpoint and partition metadata."
+}
diff --git a/core/regions/src/main/resources/software/amazon/awssdk/regions/internal/region/endpoints.json b/core/regions/src/main/resources/software/amazon/awssdk/regions/internal/region/endpoints.json
index 696bf8d1b3d2..d05ebee7cd42 100644
--- a/core/regions/src/main/resources/software/amazon/awssdk/regions/internal/region/endpoints.json
+++ b/core/regions/src/main/resources/software/amazon/awssdk/regions/internal/region/endpoints.json
@@ -2055,20 +2055,76 @@
"protocols" : [ "https" ]
},
"endpoints" : {
- "ap-northeast-1" : { },
- "ap-northeast-2" : { },
- "ap-south-1" : { },
- "ap-southeast-1" : { },
- "ap-southeast-2" : { },
- "eu-central-1" : { },
- "eu-north-1" : { },
- "eu-west-1" : { },
- "eu-west-2" : { },
- "eu-west-3" : { },
- "sa-east-1" : { },
- "us-east-1" : { },
- "us-east-2" : { },
- "us-west-2" : { }
+ "ap-northeast-1" : {
+ "variants" : [ {
+ "tags" : [ "dualstack" ]
+ } ]
+ },
+ "ap-northeast-2" : {
+ "variants" : [ {
+ "tags" : [ "dualstack" ]
+ } ]
+ },
+ "ap-south-1" : {
+ "variants" : [ {
+ "tags" : [ "dualstack" ]
+ } ]
+ },
+ "ap-southeast-1" : {
+ "variants" : [ {
+ "tags" : [ "dualstack" ]
+ } ]
+ },
+ "ap-southeast-2" : {
+ "variants" : [ {
+ "tags" : [ "dualstack" ]
+ } ]
+ },
+ "eu-central-1" : {
+ "variants" : [ {
+ "tags" : [ "dualstack" ]
+ } ]
+ },
+ "eu-north-1" : {
+ "variants" : [ {
+ "tags" : [ "dualstack" ]
+ } ]
+ },
+ "eu-west-1" : {
+ "variants" : [ {
+ "tags" : [ "dualstack" ]
+ } ]
+ },
+ "eu-west-2" : {
+ "variants" : [ {
+ "tags" : [ "dualstack" ]
+ } ]
+ },
+ "eu-west-3" : {
+ "variants" : [ {
+ "tags" : [ "dualstack" ]
+ } ]
+ },
+ "sa-east-1" : {
+ "variants" : [ {
+ "tags" : [ "dualstack" ]
+ } ]
+ },
+ "us-east-1" : {
+ "variants" : [ {
+ "tags" : [ "dualstack" ]
+ } ]
+ },
+ "us-east-2" : {
+ "variants" : [ {
+ "tags" : [ "dualstack" ]
+ } ]
+ },
+ "us-west-2" : {
+ "variants" : [ {
+ "tags" : [ "dualstack" ]
+ } ]
+ }
}
},
"arc-zonal-shift" : {
@@ -2576,6 +2632,7 @@
"ap-southeast-2" : { },
"ap-southeast-3" : { },
"ap-southeast-4" : { },
+ "ap-southeast-5" : { },
"ca-central-1" : { },
"ca-west-1" : { },
"eu-central-1" : { },
@@ -28092,6 +28149,12 @@
}
}
},
+ "schemas" : {
+ "endpoints" : {
+ "us-gov-east-1" : { },
+ "us-gov-west-1" : { }
+ }
+ },
"secretsmanager" : {
"endpoints" : {
"us-gov-east-1" : {
From a4c8f9e59a8abe2c9b64f6a9797f5bedf8ac2070 Mon Sep 17 00:00:00 2001
From: AWS <>
Date: Mon, 14 Oct 2024 18:10:45 +0000
Subject: [PATCH 9/9] Release 2.28.22. Updated CHANGELOG.md, README.md and all
pom.xml.
---
.changes/2.28.22.json | 48 +++++++++++++++++++
.../feature-AWSCodePipeline-7008be6.json | 6 ---
.../feature-AWSSDKforJavav2-0277feb.json | 6 ---
.../feature-AWSSDKforJavav2-0443982.json | 6 ---
.../feature-AWSSupplyChain-6a6bb5a.json | 6 ---
.../feature-AWSTransferFamily-8791f09.json | 6 ---
.../feature-AmazonSecurityLake-5ad5dda.json | 6 ---
.../feature-MailManager-c2bb7c9.json | 6 ---
CHANGELOG.md | 26 ++++++++++
README.md | 8 ++--
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 +-
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/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 +-
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/accessanalyzer/pom.xml | 2 +-
services/account/pom.xml | 2 +-
services/acm/pom.xml | 2 +-
services/acmpca/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/apptest/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/batch/pom.xml | 2 +-
services/bcmdataexports/pom.xml | 2 +-
services/bedrock/pom.xml | 2 +-
services/bedrockagent/pom.xml | 2 +-
services/bedrockagentruntime/pom.xml | 2 +-
services/bedrockruntime/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/config/pom.xml | 2 +-
services/connect/pom.xml | 2 +-
services/connectcampaigns/pom.xml | 2 +-
services/connectcases/pom.xml | 2 +-
services/connectcontactlens/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/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/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/elasticinference/pom.xml | 2 +-
services/elasticloadbalancing/pom.xml | 2 +-
services/elasticloadbalancingv2/pom.xml | 2 +-
services/elasticsearch/pom.xml | 2 +-
services/elastictranscoder/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/evidently/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/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/internetmonitor/pom.xml | 2 +-
services/iot/pom.xml | 2 +-
services/iot1clickdevices/pom.xml | 2 +-
services/iot1clickprojects/pom.xml | 2 +-
services/iotanalytics/pom.xml | 2 +-
services/iotdataplane/pom.xml | 2 +-
services/iotdeviceadvisor/pom.xml | 2 +-
services/iotevents/pom.xml | 2 +-
services/ioteventsdata/pom.xml | 2 +-
services/iotfleethub/pom.xml | 2 +-
services/iotfleetwise/pom.xml | 2 +-
services/iotjobsdataplane/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/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/lookoutmetrics/pom.xml | 2 +-
services/lookoutvision/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/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/mq/pom.xml | 2 +-
services/mturk/pom.xml | 2 +-
services/mwaa/pom.xml | 2 +-
services/neptune/pom.xml | 2 +-
services/neptunedata/pom.xml | 2 +-
services/neptunegraph/pom.xml | 2 +-
services/networkfirewall/pom.xml | 2 +-
services/networkmanager/pom.xml | 2 +-
services/networkmonitor/pom.xml | 2 +-
services/nimble/pom.xml | 2 +-
services/oam/pom.xml | 2 +-
services/omics/pom.xml | 2 +-
services/opensearch/pom.xml | 2 +-
services/opensearchserverless/pom.xml | 2 +-
services/opsworks/pom.xml | 2 +-
services/opsworkscm/pom.xml | 2 +-
services/organizations/pom.xml | 2 +-
services/osis/pom.xml | 2 +-
services/outposts/pom.xml | 2 +-
services/panorama/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/privatenetworks/pom.xml | 2 +-
services/proton/pom.xml | 2 +-
services/qapps/pom.xml | 2 +-
services/qbusiness/pom.xml | 2 +-
services/qconnect/pom.xml | 2 +-
services/qldb/pom.xml | 2 +-
services/qldbsession/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/robomaker/pom.xml | 2 +-
services/rolesanywhere/pom.xml | 2 +-
services/route53/pom.xml | 2 +-
services/route53domains/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/rum/pom.xml | 2 +-
services/s3/pom.xml | 2 +-
services/s3control/pom.xml | 2 +-
services/s3outposts/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/savingsplans/pom.xml | 2 +-
services/scheduler/pom.xml | 2 +-
services/schemas/pom.xml | 2 +-
services/secretsmanager/pom.xml | 2 +-
services/securityhub/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/simspaceweaver/pom.xml | 2 +-
services/sms/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/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/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/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/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/workspacesthinclient/pom.xml | 2 +-
services/workspacesweb/pom.xml | 2 +-
services/xray/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-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/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/pom.xml | 2 +-
v2-migration/pom.xml | 2 +-
482 files changed, 550 insertions(+), 518 deletions(-)
create mode 100644 .changes/2.28.22.json
delete mode 100644 .changes/next-release/feature-AWSCodePipeline-7008be6.json
delete mode 100644 .changes/next-release/feature-AWSSDKforJavav2-0277feb.json
delete mode 100644 .changes/next-release/feature-AWSSDKforJavav2-0443982.json
delete mode 100644 .changes/next-release/feature-AWSSupplyChain-6a6bb5a.json
delete mode 100644 .changes/next-release/feature-AWSTransferFamily-8791f09.json
delete mode 100644 .changes/next-release/feature-AmazonSecurityLake-5ad5dda.json
delete mode 100644 .changes/next-release/feature-MailManager-c2bb7c9.json
diff --git a/.changes/2.28.22.json b/.changes/2.28.22.json
new file mode 100644
index 000000000000..95caa640ff71
--- /dev/null
+++ b/.changes/2.28.22.json
@@ -0,0 +1,48 @@
+{
+ "version": "2.28.22",
+ "date": "2024-10-14",
+ "entries": [
+ {
+ "type": "feature",
+ "category": "AWS CodePipeline",
+ "contributor": "",
+ "description": "AWS CodePipeline V2 type pipelines now support automatically retrying failed stages and skipping stage for failed entry conditions."
+ },
+ {
+ "type": "feature",
+ "category": "AWS SDK for Java v2",
+ "contributor": "",
+ "description": "Adds an option to set 'appId' metadata to the client builder or to system settings and config files. This metadata string value will be added to the user agent string as `app/somevalue`"
+ },
+ {
+ "type": "feature",
+ "category": "AWS Supply Chain",
+ "contributor": "",
+ "description": "This release adds AWS Supply Chain instance management functionality. Specifically adding CreateInstance, DeleteInstance, GetInstance, ListInstances, and UpdateInstance APIs."
+ },
+ {
+ "type": "feature",
+ "category": "AWS Transfer Family",
+ "contributor": "",
+ "description": "This release enables customers using SFTP connectors to query the transfer status of their files to meet their monitoring needs as well as orchestrate post transfer actions."
+ },
+ {
+ "type": "feature",
+ "category": "Amazon Security Lake",
+ "contributor": "",
+ "description": "This release updates request validation regex for resource ARNs."
+ },
+ {
+ "type": "feature",
+ "category": "MailManager",
+ "contributor": "",
+ "description": "Mail Manager support for viewing and exporting metadata of archived messages."
+ },
+ {
+ "type": "feature",
+ "category": "AWS SDK for Java v2",
+ "contributor": "",
+ "description": "Updated endpoint and partition metadata."
+ }
+ ]
+}
\ No newline at end of file
diff --git a/.changes/next-release/feature-AWSCodePipeline-7008be6.json b/.changes/next-release/feature-AWSCodePipeline-7008be6.json
deleted file mode 100644
index 60df03ad5f6f..000000000000
--- a/.changes/next-release/feature-AWSCodePipeline-7008be6.json
+++ /dev/null
@@ -1,6 +0,0 @@
-{
- "type": "feature",
- "category": "AWS CodePipeline",
- "contributor": "",
- "description": "AWS CodePipeline V2 type pipelines now support automatically retrying failed stages and skipping stage for failed entry conditions."
-}
diff --git a/.changes/next-release/feature-AWSSDKforJavav2-0277feb.json b/.changes/next-release/feature-AWSSDKforJavav2-0277feb.json
deleted file mode 100644
index 898e23895f2c..000000000000
--- a/.changes/next-release/feature-AWSSDKforJavav2-0277feb.json
+++ /dev/null
@@ -1,6 +0,0 @@
-{
- "type": "feature",
- "category": "AWS SDK for Java v2",
- "contributor": "",
- "description": "Adds an option to set 'appId' metadata to the client builder or to system settings and config files. This metadata string value will be added to the user agent string as `app/somevalue`"
-}
diff --git a/.changes/next-release/feature-AWSSDKforJavav2-0443982.json b/.changes/next-release/feature-AWSSDKforJavav2-0443982.json
deleted file mode 100644
index e5b5ee3ca5e3..000000000000
--- a/.changes/next-release/feature-AWSSDKforJavav2-0443982.json
+++ /dev/null
@@ -1,6 +0,0 @@
-{
- "type": "feature",
- "category": "AWS SDK for Java v2",
- "contributor": "",
- "description": "Updated endpoint and partition metadata."
-}
diff --git a/.changes/next-release/feature-AWSSupplyChain-6a6bb5a.json b/.changes/next-release/feature-AWSSupplyChain-6a6bb5a.json
deleted file mode 100644
index 3b23aeab4dfa..000000000000
--- a/.changes/next-release/feature-AWSSupplyChain-6a6bb5a.json
+++ /dev/null
@@ -1,6 +0,0 @@
-{
- "type": "feature",
- "category": "AWS Supply Chain",
- "contributor": "",
- "description": "This release adds AWS Supply Chain instance management functionality. Specifically adding CreateInstance, DeleteInstance, GetInstance, ListInstances, and UpdateInstance APIs."
-}
diff --git a/.changes/next-release/feature-AWSTransferFamily-8791f09.json b/.changes/next-release/feature-AWSTransferFamily-8791f09.json
deleted file mode 100644
index 8d75cc1b5963..000000000000
--- a/.changes/next-release/feature-AWSTransferFamily-8791f09.json
+++ /dev/null
@@ -1,6 +0,0 @@
-{
- "type": "feature",
- "category": "AWS Transfer Family",
- "contributor": "",
- "description": "This release enables customers using SFTP connectors to query the transfer status of their files to meet their monitoring needs as well as orchestrate post transfer actions."
-}
diff --git a/.changes/next-release/feature-AmazonSecurityLake-5ad5dda.json b/.changes/next-release/feature-AmazonSecurityLake-5ad5dda.json
deleted file mode 100644
index 0290dfc631dc..000000000000
--- a/.changes/next-release/feature-AmazonSecurityLake-5ad5dda.json
+++ /dev/null
@@ -1,6 +0,0 @@
-{
- "type": "feature",
- "category": "Amazon Security Lake",
- "contributor": "",
- "description": "This release updates request validation regex for resource ARNs."
-}
diff --git a/.changes/next-release/feature-MailManager-c2bb7c9.json b/.changes/next-release/feature-MailManager-c2bb7c9.json
deleted file mode 100644
index 0020653768b2..000000000000
--- a/.changes/next-release/feature-MailManager-c2bb7c9.json
+++ /dev/null
@@ -1,6 +0,0 @@
-{
- "type": "feature",
- "category": "MailManager",
- "contributor": "",
- "description": "Mail Manager support for viewing and exporting metadata of archived messages."
-}
diff --git a/CHANGELOG.md b/CHANGELOG.md
index 4867cbad410e..dc1904376467 100644
--- a/CHANGELOG.md
+++ b/CHANGELOG.md
@@ -1,4 +1,30 @@
#### 👋 _Looking for changelogs for older versions? You can find them in the [changelogs](./changelogs) directory._
+# __2.28.22__ __2024-10-14__
+## __AWS CodePipeline__
+ - ### Features
+ - AWS CodePipeline V2 type pipelines now support automatically retrying failed stages and skipping stage for failed entry conditions.
+
+## __AWS SDK for Java v2__
+ - ### Features
+ - Adds an option to set 'appId' metadata to the client builder or to system settings and config files. This metadata string value will be added to the user agent string as `app/somevalue`
+ - Updated endpoint and partition metadata.
+
+## __AWS Supply Chain__
+ - ### Features
+ - This release adds AWS Supply Chain instance management functionality. Specifically adding CreateInstance, DeleteInstance, GetInstance, ListInstances, and UpdateInstance APIs.
+
+## __AWS Transfer Family__
+ - ### Features
+ - This release enables customers using SFTP connectors to query the transfer status of their files to meet their monitoring needs as well as orchestrate post transfer actions.
+
+## __Amazon Security Lake__
+ - ### Features
+ - This release updates request validation regex for resource ARNs.
+
+## __MailManager__
+ - ### Features
+ - Mail Manager support for viewing and exporting metadata of archived messages.
+
# __2.28.21__ __2024-10-11__
## __AWS RoboMaker__
- ### Features
diff --git a/README.md b/README.md
index 72df17211f89..399653d0e316 100644
--- a/README.md
+++ b/README.md
@@ -51,7 +51,7 @@ To automatically manage module versions (currently all modules have the same ver
software.amazon.awssdk
bom
- 2.28.21
+ 2.28.22
pom
import
@@ -85,12 +85,12 @@ Alternatively you can add dependencies for the specific services you use only:
software.amazon.awssdk
ec2
- 2.28.21
+ 2.28.22
software.amazon.awssdk
s3
- 2.28.21
+ 2.28.22
```
@@ -102,7 +102,7 @@ You can import the whole SDK into your project (includes *ALL* services). Please
software.amazon.awssdk
aws-sdk-java
- 2.28.21
+ 2.28.22
```
diff --git a/archetypes/archetype-app-quickstart/pom.xml b/archetypes/archetype-app-quickstart/pom.xml
index 3224e9b6fb18..c9c047e74143 100644
--- a/archetypes/archetype-app-quickstart/pom.xml
+++ b/archetypes/archetype-app-quickstart/pom.xml
@@ -20,7 +20,7 @@
archetypes
software.amazon.awssdk
- 2.28.22-SNAPSHOT
+ 2.28.22
4.0.0
diff --git a/archetypes/archetype-lambda/pom.xml b/archetypes/archetype-lambda/pom.xml
index e67926ad72fe..25e4a00a8a60 100644
--- a/archetypes/archetype-lambda/pom.xml
+++ b/archetypes/archetype-lambda/pom.xml
@@ -20,7 +20,7 @@
archetypes
software.amazon.awssdk
- 2.28.22-SNAPSHOT
+ 2.28.22
4.0.0
archetype-lambda
diff --git a/archetypes/archetype-tools/pom.xml b/archetypes/archetype-tools/pom.xml
index 0eea710caa14..e942766999d8 100644
--- a/archetypes/archetype-tools/pom.xml
+++ b/archetypes/archetype-tools/pom.xml
@@ -20,7 +20,7 @@
archetypes
software.amazon.awssdk
- 2.28.22-SNAPSHOT
+ 2.28.22
4.0.0
diff --git a/archetypes/pom.xml b/archetypes/pom.xml
index 801a2bf51b76..3a9ea3594a8d 100644
--- a/archetypes/pom.xml
+++ b/archetypes/pom.xml
@@ -20,7 +20,7 @@
aws-sdk-java-pom
software.amazon.awssdk
- 2.28.22-SNAPSHOT
+ 2.28.22
4.0.0
archetypes
diff --git a/aws-sdk-java/pom.xml b/aws-sdk-java/pom.xml
index 0ff4f9fba4b3..eb6cec2ea89c 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.28.22-SNAPSHOT
+ 2.28.22
../pom.xml
aws-sdk-java
diff --git a/bom-internal/pom.xml b/bom-internal/pom.xml
index a505414d72a1..fa4f293bba84 100644
--- a/bom-internal/pom.xml
+++ b/bom-internal/pom.xml
@@ -20,7 +20,7 @@
aws-sdk-java-pom
software.amazon.awssdk
- 2.28.22-SNAPSHOT
+ 2.28.22
4.0.0
diff --git a/bom/pom.xml b/bom/pom.xml
index d2963b0d2135..170c2b753526 100644
--- a/bom/pom.xml
+++ b/bom/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
aws-sdk-java-pom
- 2.28.22-SNAPSHOT
+ 2.28.22
../pom.xml
bom
diff --git a/bundle-logging-bridge/pom.xml b/bundle-logging-bridge/pom.xml
index 2597bc7e202b..e786cd1c34eb 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.28.22-SNAPSHOT
+ 2.28.22
bundle-logging-bridge
jar
diff --git a/bundle-sdk/pom.xml b/bundle-sdk/pom.xml
index da633f733d82..5cfa8456df2a 100644
--- a/bundle-sdk/pom.xml
+++ b/bundle-sdk/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
aws-sdk-java-pom
- 2.28.22-SNAPSHOT
+ 2.28.22
bundle-sdk
jar
diff --git a/bundle/pom.xml b/bundle/pom.xml
index 42f1c08179d9..8e81fb5c2bb4 100644
--- a/bundle/pom.xml
+++ b/bundle/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
aws-sdk-java-pom
- 2.28.22-SNAPSHOT
+ 2.28.22
bundle
jar
diff --git a/codegen-lite-maven-plugin/pom.xml b/codegen-lite-maven-plugin/pom.xml
index bea6bddf92d1..60236915a58b 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.28.22-SNAPSHOT
+ 2.28.22
../pom.xml
codegen-lite-maven-plugin
diff --git a/codegen-lite/pom.xml b/codegen-lite/pom.xml
index cb3465be2def..90b5aebd8412 100644
--- a/codegen-lite/pom.xml
+++ b/codegen-lite/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
aws-sdk-java-pom
- 2.28.22-SNAPSHOT
+ 2.28.22
codegen-lite
AWS Java SDK :: Code Generator Lite
diff --git a/codegen-maven-plugin/pom.xml b/codegen-maven-plugin/pom.xml
index 42f69893244b..3aed4dd2d365 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.28.22-SNAPSHOT
+ 2.28.22
../pom.xml
codegen-maven-plugin
diff --git a/codegen/pom.xml b/codegen/pom.xml
index 9a19b41c8610..47d8fefb8adc 100644
--- a/codegen/pom.xml
+++ b/codegen/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
aws-sdk-java-pom
- 2.28.22-SNAPSHOT
+ 2.28.22
codegen
AWS Java SDK :: Code Generator
diff --git a/core/annotations/pom.xml b/core/annotations/pom.xml
index d77ad9f77b95..6622fb0c0bf4 100644
--- a/core/annotations/pom.xml
+++ b/core/annotations/pom.xml
@@ -20,7 +20,7 @@
core
software.amazon.awssdk
- 2.28.22-SNAPSHOT
+ 2.28.22
4.0.0
diff --git a/core/arns/pom.xml b/core/arns/pom.xml
index 477142833e84..a4347c71e6d3 100644
--- a/core/arns/pom.xml
+++ b/core/arns/pom.xml
@@ -20,7 +20,7 @@
core
software.amazon.awssdk
- 2.28.22-SNAPSHOT
+ 2.28.22
4.0.0
diff --git a/core/auth-crt/pom.xml b/core/auth-crt/pom.xml
index 3d57002c4962..6ea96de04563 100644
--- a/core/auth-crt/pom.xml
+++ b/core/auth-crt/pom.xml
@@ -22,7 +22,7 @@
software.amazon.awssdk
core
- 2.28.22-SNAPSHOT
+ 2.28.22
auth-crt
diff --git a/core/auth/pom.xml b/core/auth/pom.xml
index 394816e5c2fe..c184e88d1943 100644
--- a/core/auth/pom.xml
+++ b/core/auth/pom.xml
@@ -22,7 +22,7 @@
software.amazon.awssdk
core
- 2.28.22-SNAPSHOT
+ 2.28.22
auth
diff --git a/core/aws-core/pom.xml b/core/aws-core/pom.xml
index e379b0fb7df1..a5c4ff798d98 100644
--- a/core/aws-core/pom.xml
+++ b/core/aws-core/pom.xml
@@ -22,7 +22,7 @@
software.amazon.awssdk
core
- 2.28.22-SNAPSHOT
+ 2.28.22
aws-core
diff --git a/core/checksums-spi/pom.xml b/core/checksums-spi/pom.xml
index 4befbd5e1aef..59698ee31da3 100644
--- a/core/checksums-spi/pom.xml
+++ b/core/checksums-spi/pom.xml
@@ -22,7 +22,7 @@
software.amazon.awssdk
core
- 2.28.22-SNAPSHOT
+ 2.28.22
checksums-spi
diff --git a/core/checksums/pom.xml b/core/checksums/pom.xml
index 786987e4fb81..6b1b281505f0 100644
--- a/core/checksums/pom.xml
+++ b/core/checksums/pom.xml
@@ -22,7 +22,7 @@
software.amazon.awssdk
core
- 2.28.22-SNAPSHOT
+ 2.28.22
checksums
diff --git a/core/crt-core/pom.xml b/core/crt-core/pom.xml
index 095c040b3e37..09844842f028 100644
--- a/core/crt-core/pom.xml
+++ b/core/crt-core/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
core
- 2.28.22-SNAPSHOT
+ 2.28.22
crt-core
diff --git a/core/endpoints-spi/pom.xml b/core/endpoints-spi/pom.xml
index 8bd5210a8074..d9cc7dc4bdf5 100644
--- a/core/endpoints-spi/pom.xml
+++ b/core/endpoints-spi/pom.xml
@@ -20,7 +20,7 @@
core
software.amazon.awssdk
- 2.28.22-SNAPSHOT
+ 2.28.22
4.0.0
diff --git a/core/http-auth-aws-crt/pom.xml b/core/http-auth-aws-crt/pom.xml
index c8402525088e..ce708d00dd4b 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.28.22-SNAPSHOT
+ 2.28.22
http-auth-aws-crt
diff --git a/core/http-auth-aws-eventstream/pom.xml b/core/http-auth-aws-eventstream/pom.xml
index d3ff771de370..13aab944805d 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.28.22-SNAPSHOT
+ 2.28.22
http-auth-aws-eventstream
diff --git a/core/http-auth-aws/pom.xml b/core/http-auth-aws/pom.xml
index b3dbda1fd9e1..61f3383747b6 100644
--- a/core/http-auth-aws/pom.xml
+++ b/core/http-auth-aws/pom.xml
@@ -22,7 +22,7 @@
software.amazon.awssdk
core
- 2.28.22-SNAPSHOT
+ 2.28.22
http-auth-aws
diff --git a/core/http-auth-spi/pom.xml b/core/http-auth-spi/pom.xml
index 92a10569776a..68b748bc54cf 100644
--- a/core/http-auth-spi/pom.xml
+++ b/core/http-auth-spi/pom.xml
@@ -22,7 +22,7 @@
software.amazon.awssdk
core
- 2.28.22-SNAPSHOT
+ 2.28.22
http-auth-spi
diff --git a/core/http-auth/pom.xml b/core/http-auth/pom.xml
index 7ec200902e5d..fe4c187c97ba 100644
--- a/core/http-auth/pom.xml
+++ b/core/http-auth/pom.xml
@@ -22,7 +22,7 @@
software.amazon.awssdk
core
- 2.28.22-SNAPSHOT
+ 2.28.22
http-auth
diff --git a/core/identity-spi/pom.xml b/core/identity-spi/pom.xml
index 700e0350b40a..16a2d7a9cc31 100644
--- a/core/identity-spi/pom.xml
+++ b/core/identity-spi/pom.xml
@@ -22,7 +22,7 @@
software.amazon.awssdk
core
- 2.28.22-SNAPSHOT
+ 2.28.22
identity-spi
diff --git a/core/imds/pom.xml b/core/imds/pom.xml
index 6120ac457803..c3c24f0a357f 100644
--- a/core/imds/pom.xml
+++ b/core/imds/pom.xml
@@ -20,7 +20,7 @@
core
software.amazon.awssdk
- 2.28.22-SNAPSHOT
+ 2.28.22
4.0.0
imds
diff --git a/core/json-utils/pom.xml b/core/json-utils/pom.xml
index 173458ca6d7e..88d5ba32873e 100644
--- a/core/json-utils/pom.xml
+++ b/core/json-utils/pom.xml
@@ -20,7 +20,7 @@
core
software.amazon.awssdk
- 2.28.22-SNAPSHOT
+ 2.28.22
4.0.0
diff --git a/core/metrics-spi/pom.xml b/core/metrics-spi/pom.xml
index 4200ae4f9d59..6812d3db0938 100644
--- a/core/metrics-spi/pom.xml
+++ b/core/metrics-spi/pom.xml
@@ -5,7 +5,7 @@
core
software.amazon.awssdk
- 2.28.22-SNAPSHOT
+ 2.28.22
4.0.0
diff --git a/core/pom.xml b/core/pom.xml
index 4905bbffe33e..9d45b03fa8c4 100644
--- a/core/pom.xml
+++ b/core/pom.xml
@@ -21,7 +21,7 @@
aws-sdk-java-pom
software.amazon.awssdk
- 2.28.22-SNAPSHOT
+ 2.28.22
core
diff --git a/core/profiles/pom.xml b/core/profiles/pom.xml
index fc8ffcb0cf99..a5057d1ff2f3 100644
--- a/core/profiles/pom.xml
+++ b/core/profiles/pom.xml
@@ -22,7 +22,7 @@
software.amazon.awssdk
core
- 2.28.22-SNAPSHOT
+ 2.28.22
profiles
diff --git a/core/protocols/aws-cbor-protocol/pom.xml b/core/protocols/aws-cbor-protocol/pom.xml
index d41135667402..907d9d3ca1fd 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.28.22-SNAPSHOT
+ 2.28.22
4.0.0
diff --git a/core/protocols/aws-json-protocol/pom.xml b/core/protocols/aws-json-protocol/pom.xml
index 3bef60198080..3c4490b07349 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.28.22-SNAPSHOT
+ 2.28.22
4.0.0
diff --git a/core/protocols/aws-query-protocol/pom.xml b/core/protocols/aws-query-protocol/pom.xml
index 8b1dea2beea9..b203006ebda4 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.28.22-SNAPSHOT
+ 2.28.22
4.0.0
diff --git a/core/protocols/aws-xml-protocol/pom.xml b/core/protocols/aws-xml-protocol/pom.xml
index 2d2af7f13ed4..4ada5766669d 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.28.22-SNAPSHOT
+ 2.28.22
4.0.0
diff --git a/core/protocols/pom.xml b/core/protocols/pom.xml
index ad21836ad5ca..4c27fa80fe99 100644
--- a/core/protocols/pom.xml
+++ b/core/protocols/pom.xml
@@ -20,7 +20,7 @@
core
software.amazon.awssdk
- 2.28.22-SNAPSHOT
+ 2.28.22
4.0.0
diff --git a/core/protocols/protocol-core/pom.xml b/core/protocols/protocol-core/pom.xml
index 2b9e5fdc13a0..b1ca3114fced 100644
--- a/core/protocols/protocol-core/pom.xml
+++ b/core/protocols/protocol-core/pom.xml
@@ -20,7 +20,7 @@
protocols
software.amazon.awssdk
- 2.28.22-SNAPSHOT
+ 2.28.22
4.0.0
diff --git a/core/protocols/smithy-rpcv2-protocol/pom.xml b/core/protocols/smithy-rpcv2-protocol/pom.xml
index 7539b14c26dd..9332cd9f46da 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.28.22-SNAPSHOT
+ 2.28.22
4.0.0
diff --git a/core/regions/pom.xml b/core/regions/pom.xml
index f48abafda537..7b91c6c5b6f6 100644
--- a/core/regions/pom.xml
+++ b/core/regions/pom.xml
@@ -22,7 +22,7 @@
software.amazon.awssdk
core
- 2.28.22-SNAPSHOT
+ 2.28.22
regions
diff --git a/core/retries-spi/pom.xml b/core/retries-spi/pom.xml
index 174ae26f7f8a..a28bfad21cb1 100644
--- a/core/retries-spi/pom.xml
+++ b/core/retries-spi/pom.xml
@@ -20,7 +20,7 @@
core
software.amazon.awssdk
- 2.28.22-SNAPSHOT
+ 2.28.22
4.0.0
diff --git a/core/retries/pom.xml b/core/retries/pom.xml
index c22f2aa51bc0..b948115c9158 100644
--- a/core/retries/pom.xml
+++ b/core/retries/pom.xml
@@ -21,7 +21,7 @@
core
software.amazon.awssdk
- 2.28.22-SNAPSHOT
+ 2.28.22
4.0.0
diff --git a/core/sdk-core/pom.xml b/core/sdk-core/pom.xml
index 8d5c4b6042ef..6f9b822a82e0 100644
--- a/core/sdk-core/pom.xml
+++ b/core/sdk-core/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
core
- 2.28.22-SNAPSHOT
+ 2.28.22
sdk-core
AWS Java SDK :: SDK Core
diff --git a/http-client-spi/pom.xml b/http-client-spi/pom.xml
index c1759ab4238a..8c7dfda6a91d 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.28.22-SNAPSHOT
+ 2.28.22
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 c6a7d45938ab..7334f9f615f7 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.28.22-SNAPSHOT
+ 2.28.22
apache-client
diff --git a/http-clients/aws-crt-client/pom.xml b/http-clients/aws-crt-client/pom.xml
index 6144cd4d0c41..d0e8140f3e17 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.28.22-SNAPSHOT
+ 2.28.22
4.0.0
diff --git a/http-clients/netty-nio-client/pom.xml b/http-clients/netty-nio-client/pom.xml
index 8ea75d7bbfc8..94ccf2be9d58 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.28.22-SNAPSHOT
+ 2.28.22
4.0.0
diff --git a/http-clients/pom.xml b/http-clients/pom.xml
index b92098524bcd..bd103a06a8d1 100644
--- a/http-clients/pom.xml
+++ b/http-clients/pom.xml
@@ -21,7 +21,7 @@
aws-sdk-java-pom
software.amazon.awssdk
- 2.28.22-SNAPSHOT
+ 2.28.22
4.0.0
diff --git a/http-clients/url-connection-client/pom.xml b/http-clients/url-connection-client/pom.xml
index d0fcda6959b9..63120e745d49 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.28.22-SNAPSHOT
+ 2.28.22
4.0.0
diff --git a/metric-publishers/cloudwatch-metric-publisher/pom.xml b/metric-publishers/cloudwatch-metric-publisher/pom.xml
index f889ae3e16e8..e656abd83707 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.28.22-SNAPSHOT
+ 2.28.22
cloudwatch-metric-publisher
diff --git a/metric-publishers/pom.xml b/metric-publishers/pom.xml
index 5674f18998f3..2166b18f21d2 100644
--- a/metric-publishers/pom.xml
+++ b/metric-publishers/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
aws-sdk-java-pom
- 2.28.22-SNAPSHOT
+ 2.28.22
metric-publishers
diff --git a/pom.xml b/pom.xml
index ad265f21ed45..738e8ef2fd35 100644
--- a/pom.xml
+++ b/pom.xml
@@ -20,7 +20,7 @@
4.0.0
software.amazon.awssdk
aws-sdk-java-pom
- 2.28.22-SNAPSHOT
+ 2.28.22
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 fa04bf8e7acb..b5e028429ba6 100644
--- a/release-scripts/pom.xml
+++ b/release-scripts/pom.xml
@@ -22,7 +22,7 @@
software.amazon.awssdk
aws-sdk-java-pom
- 2.28.22-SNAPSHOT
+ 2.28.22
../pom.xml
release-scripts
diff --git a/services-custom/dynamodb-enhanced/pom.xml b/services-custom/dynamodb-enhanced/pom.xml
index 14dd9efeb7ef..f0d2f3447723 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.28.22-SNAPSHOT
+ 2.28.22
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 17bdc53b01eb..039e29d90d63 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.28.22-SNAPSHOT
+ 2.28.22
../../pom.xml
iam-policy-builder
diff --git a/services-custom/pom.xml b/services-custom/pom.xml
index 26371cec1ab2..a62b2781a576 100644
--- a/services-custom/pom.xml
+++ b/services-custom/pom.xml
@@ -19,7 +19,7 @@
software.amazon.awssdk
aws-sdk-java-pom
- 2.28.22-SNAPSHOT
+ 2.28.22
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 391225d5f98e..b53d90e474fa 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.28.22-SNAPSHOT
+ 2.28.22
../../pom.xml
s3-event-notifications
diff --git a/services-custom/s3-transfer-manager/pom.xml b/services-custom/s3-transfer-manager/pom.xml
index 5ca36e464de9..ec7a296396e0 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.28.22-SNAPSHOT
+ 2.28.22
../../pom.xml
s3-transfer-manager
diff --git a/services/accessanalyzer/pom.xml b/services/accessanalyzer/pom.xml
index 3634afe536c4..ab126d934c77 100644
--- a/services/accessanalyzer/pom.xml
+++ b/services/accessanalyzer/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
accessanalyzer
AWS Java SDK :: Services :: AccessAnalyzer
diff --git a/services/account/pom.xml b/services/account/pom.xml
index 0c333cd7e95c..e50557f21ec3 100644
--- a/services/account/pom.xml
+++ b/services/account/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
account
AWS Java SDK :: Services :: Account
diff --git a/services/acm/pom.xml b/services/acm/pom.xml
index f2bdaf9a89e8..09c7f305c55f 100644
--- a/services/acm/pom.xml
+++ b/services/acm/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
acm
AWS Java SDK :: Services :: AWS Certificate Manager
diff --git a/services/acmpca/pom.xml b/services/acmpca/pom.xml
index 70fe5e224b5b..4d61492e70db 100644
--- a/services/acmpca/pom.xml
+++ b/services/acmpca/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
acmpca
AWS Java SDK :: Services :: ACM PCA
diff --git a/services/amp/pom.xml b/services/amp/pom.xml
index e5b865f72893..3ad7e4028f0e 100644
--- a/services/amp/pom.xml
+++ b/services/amp/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
amp
AWS Java SDK :: Services :: Amp
diff --git a/services/amplify/pom.xml b/services/amplify/pom.xml
index f7b05184bfe5..00f0f6713b3c 100644
--- a/services/amplify/pom.xml
+++ b/services/amplify/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
amplify
AWS Java SDK :: Services :: Amplify
diff --git a/services/amplifybackend/pom.xml b/services/amplifybackend/pom.xml
index 889c6928eafa..049d62b23c4d 100644
--- a/services/amplifybackend/pom.xml
+++ b/services/amplifybackend/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
amplifybackend
AWS Java SDK :: Services :: Amplify Backend
diff --git a/services/amplifyuibuilder/pom.xml b/services/amplifyuibuilder/pom.xml
index a9832c36ebad..efc459f08c67 100644
--- a/services/amplifyuibuilder/pom.xml
+++ b/services/amplifyuibuilder/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
amplifyuibuilder
AWS Java SDK :: Services :: Amplify UI Builder
diff --git a/services/apigateway/pom.xml b/services/apigateway/pom.xml
index aff0f4cedb01..73aef063f22b 100644
--- a/services/apigateway/pom.xml
+++ b/services/apigateway/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
apigateway
AWS Java SDK :: Services :: Amazon API Gateway
diff --git a/services/apigatewaymanagementapi/pom.xml b/services/apigatewaymanagementapi/pom.xml
index f66dc5652179..211b12f79b07 100644
--- a/services/apigatewaymanagementapi/pom.xml
+++ b/services/apigatewaymanagementapi/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
apigatewaymanagementapi
AWS Java SDK :: Services :: ApiGatewayManagementApi
diff --git a/services/apigatewayv2/pom.xml b/services/apigatewayv2/pom.xml
index fe0e9ac63e35..0169e41dbf95 100644
--- a/services/apigatewayv2/pom.xml
+++ b/services/apigatewayv2/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
apigatewayv2
AWS Java SDK :: Services :: ApiGatewayV2
diff --git a/services/appconfig/pom.xml b/services/appconfig/pom.xml
index 18df55725ca5..e302bfb0ef5d 100644
--- a/services/appconfig/pom.xml
+++ b/services/appconfig/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
appconfig
AWS Java SDK :: Services :: AppConfig
diff --git a/services/appconfigdata/pom.xml b/services/appconfigdata/pom.xml
index 51b019437908..59fa37930fbe 100644
--- a/services/appconfigdata/pom.xml
+++ b/services/appconfigdata/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
appconfigdata
AWS Java SDK :: Services :: App Config Data
diff --git a/services/appfabric/pom.xml b/services/appfabric/pom.xml
index 9dc19880633f..ab73e8d1ab3f 100644
--- a/services/appfabric/pom.xml
+++ b/services/appfabric/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
appfabric
AWS Java SDK :: Services :: App Fabric
diff --git a/services/appflow/pom.xml b/services/appflow/pom.xml
index b84067b9c75e..2b9e9475eb46 100644
--- a/services/appflow/pom.xml
+++ b/services/appflow/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
appflow
AWS Java SDK :: Services :: Appflow
diff --git a/services/appintegrations/pom.xml b/services/appintegrations/pom.xml
index 8d70ad80e9f3..777381bcd424 100644
--- a/services/appintegrations/pom.xml
+++ b/services/appintegrations/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
appintegrations
AWS Java SDK :: Services :: App Integrations
diff --git a/services/applicationautoscaling/pom.xml b/services/applicationautoscaling/pom.xml
index b295ef6026f6..83bbc52ab19f 100644
--- a/services/applicationautoscaling/pom.xml
+++ b/services/applicationautoscaling/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
applicationautoscaling
AWS Java SDK :: Services :: AWS Application Auto Scaling
diff --git a/services/applicationcostprofiler/pom.xml b/services/applicationcostprofiler/pom.xml
index e15f3e74965e..14c916f57df6 100644
--- a/services/applicationcostprofiler/pom.xml
+++ b/services/applicationcostprofiler/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
applicationcostprofiler
AWS Java SDK :: Services :: Application Cost Profiler
diff --git a/services/applicationdiscovery/pom.xml b/services/applicationdiscovery/pom.xml
index 8ca08c609e75..e1602bd41488 100644
--- a/services/applicationdiscovery/pom.xml
+++ b/services/applicationdiscovery/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
applicationdiscovery
AWS Java SDK :: Services :: AWS Application Discovery Service
diff --git a/services/applicationinsights/pom.xml b/services/applicationinsights/pom.xml
index b4f7afc4476a..44534d5ae1a6 100644
--- a/services/applicationinsights/pom.xml
+++ b/services/applicationinsights/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
applicationinsights
AWS Java SDK :: Services :: Application Insights
diff --git a/services/applicationsignals/pom.xml b/services/applicationsignals/pom.xml
index 3d0d6acd3f15..01aac376abfe 100644
--- a/services/applicationsignals/pom.xml
+++ b/services/applicationsignals/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
applicationsignals
AWS Java SDK :: Services :: Application Signals
diff --git a/services/appmesh/pom.xml b/services/appmesh/pom.xml
index 0db8bf058676..8e0ca3f511ed 100644
--- a/services/appmesh/pom.xml
+++ b/services/appmesh/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
appmesh
AWS Java SDK :: Services :: App Mesh
diff --git a/services/apprunner/pom.xml b/services/apprunner/pom.xml
index d54dc15e07d4..246bc7c4742e 100644
--- a/services/apprunner/pom.xml
+++ b/services/apprunner/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
apprunner
AWS Java SDK :: Services :: App Runner
diff --git a/services/appstream/pom.xml b/services/appstream/pom.xml
index 529d6dc3e9b5..6b9188e89b8e 100644
--- a/services/appstream/pom.xml
+++ b/services/appstream/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
appstream
AWS Java SDK :: Services :: Amazon AppStream
diff --git a/services/appsync/pom.xml b/services/appsync/pom.xml
index 693c285aed5d..df5823160c77 100644
--- a/services/appsync/pom.xml
+++ b/services/appsync/pom.xml
@@ -21,7 +21,7 @@
services
software.amazon.awssdk
- 2.28.22-SNAPSHOT
+ 2.28.22
appsync
diff --git a/services/apptest/pom.xml b/services/apptest/pom.xml
index 041302be03a6..a52a717dceb8 100644
--- a/services/apptest/pom.xml
+++ b/services/apptest/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
apptest
AWS Java SDK :: Services :: App Test
diff --git a/services/arczonalshift/pom.xml b/services/arczonalshift/pom.xml
index 7c8d61cefaa2..5951f0cdea0b 100644
--- a/services/arczonalshift/pom.xml
+++ b/services/arczonalshift/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
arczonalshift
AWS Java SDK :: Services :: ARC Zonal Shift
diff --git a/services/artifact/pom.xml b/services/artifact/pom.xml
index 629e4b054fac..13d9010450d4 100644
--- a/services/artifact/pom.xml
+++ b/services/artifact/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
artifact
AWS Java SDK :: Services :: Artifact
diff --git a/services/athena/pom.xml b/services/athena/pom.xml
index f56130d66767..fef12dcf11eb 100644
--- a/services/athena/pom.xml
+++ b/services/athena/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
athena
AWS Java SDK :: Services :: Amazon Athena
diff --git a/services/auditmanager/pom.xml b/services/auditmanager/pom.xml
index 8cc0851187f6..129a18d20f5a 100644
--- a/services/auditmanager/pom.xml
+++ b/services/auditmanager/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
auditmanager
AWS Java SDK :: Services :: Audit Manager
diff --git a/services/autoscaling/pom.xml b/services/autoscaling/pom.xml
index e599847f16a2..7463bd803cac 100644
--- a/services/autoscaling/pom.xml
+++ b/services/autoscaling/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
autoscaling
AWS Java SDK :: Services :: Auto Scaling
diff --git a/services/autoscalingplans/pom.xml b/services/autoscalingplans/pom.xml
index 28ef4be18d84..1eedf5dbae89 100644
--- a/services/autoscalingplans/pom.xml
+++ b/services/autoscalingplans/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
autoscalingplans
AWS Java SDK :: Services :: Auto Scaling Plans
diff --git a/services/b2bi/pom.xml b/services/b2bi/pom.xml
index 12f88836c36b..15f8138588ca 100644
--- a/services/b2bi/pom.xml
+++ b/services/b2bi/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
b2bi
AWS Java SDK :: Services :: B2 Bi
diff --git a/services/backup/pom.xml b/services/backup/pom.xml
index f2c687a88521..ef31c6daf331 100644
--- a/services/backup/pom.xml
+++ b/services/backup/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
backup
AWS Java SDK :: Services :: Backup
diff --git a/services/backupgateway/pom.xml b/services/backupgateway/pom.xml
index a9a78a6ebc9c..6141fa608570 100644
--- a/services/backupgateway/pom.xml
+++ b/services/backupgateway/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
backupgateway
AWS Java SDK :: Services :: Backup Gateway
diff --git a/services/batch/pom.xml b/services/batch/pom.xml
index 0eb4a644f656..be67fa24f3c0 100644
--- a/services/batch/pom.xml
+++ b/services/batch/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
batch
AWS Java SDK :: Services :: AWS Batch
diff --git a/services/bcmdataexports/pom.xml b/services/bcmdataexports/pom.xml
index 5dac27a8368c..00f1691da5ac 100644
--- a/services/bcmdataexports/pom.xml
+++ b/services/bcmdataexports/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
bcmdataexports
AWS Java SDK :: Services :: BCM Data Exports
diff --git a/services/bedrock/pom.xml b/services/bedrock/pom.xml
index ed6150a1f9c4..77191cd48d1e 100644
--- a/services/bedrock/pom.xml
+++ b/services/bedrock/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
bedrock
AWS Java SDK :: Services :: Bedrock
diff --git a/services/bedrockagent/pom.xml b/services/bedrockagent/pom.xml
index 14eb9a27dd1f..b65c7d8eb92c 100644
--- a/services/bedrockagent/pom.xml
+++ b/services/bedrockagent/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
bedrockagent
AWS Java SDK :: Services :: Bedrock Agent
diff --git a/services/bedrockagentruntime/pom.xml b/services/bedrockagentruntime/pom.xml
index 4a0c93957a70..9f1ec37c7496 100644
--- a/services/bedrockagentruntime/pom.xml
+++ b/services/bedrockagentruntime/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
bedrockagentruntime
AWS Java SDK :: Services :: Bedrock Agent Runtime
diff --git a/services/bedrockruntime/pom.xml b/services/bedrockruntime/pom.xml
index 0f6411c46e4b..9c2f787e3ce5 100644
--- a/services/bedrockruntime/pom.xml
+++ b/services/bedrockruntime/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
bedrockruntime
AWS Java SDK :: Services :: Bedrock Runtime
diff --git a/services/billingconductor/pom.xml b/services/billingconductor/pom.xml
index f555936d9e86..a8e37cb6bc69 100644
--- a/services/billingconductor/pom.xml
+++ b/services/billingconductor/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
billingconductor
AWS Java SDK :: Services :: Billingconductor
diff --git a/services/braket/pom.xml b/services/braket/pom.xml
index d28bf71bed3d..edf382f04854 100644
--- a/services/braket/pom.xml
+++ b/services/braket/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
braket
AWS Java SDK :: Services :: Braket
diff --git a/services/budgets/pom.xml b/services/budgets/pom.xml
index f231f4a2f6e5..67661a787d79 100644
--- a/services/budgets/pom.xml
+++ b/services/budgets/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
budgets
AWS Java SDK :: Services :: AWS Budgets
diff --git a/services/chatbot/pom.xml b/services/chatbot/pom.xml
index 5ba94db0bc96..3929a6cb14f4 100644
--- a/services/chatbot/pom.xml
+++ b/services/chatbot/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
chatbot
AWS Java SDK :: Services :: Chatbot
diff --git a/services/chime/pom.xml b/services/chime/pom.xml
index ecdf3c2709ac..a329cf07ef8b 100644
--- a/services/chime/pom.xml
+++ b/services/chime/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
chime
AWS Java SDK :: Services :: Chime
diff --git a/services/chimesdkidentity/pom.xml b/services/chimesdkidentity/pom.xml
index c1e12d2ae026..c2c5d4b6356f 100644
--- a/services/chimesdkidentity/pom.xml
+++ b/services/chimesdkidentity/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
chimesdkidentity
AWS Java SDK :: Services :: Chime SDK Identity
diff --git a/services/chimesdkmediapipelines/pom.xml b/services/chimesdkmediapipelines/pom.xml
index 2fff66ad2280..392c6e5980ab 100644
--- a/services/chimesdkmediapipelines/pom.xml
+++ b/services/chimesdkmediapipelines/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
chimesdkmediapipelines
AWS Java SDK :: Services :: Chime SDK Media Pipelines
diff --git a/services/chimesdkmeetings/pom.xml b/services/chimesdkmeetings/pom.xml
index 445fd0a3c359..3cc1c23ade18 100644
--- a/services/chimesdkmeetings/pom.xml
+++ b/services/chimesdkmeetings/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
chimesdkmeetings
AWS Java SDK :: Services :: Chime SDK Meetings
diff --git a/services/chimesdkmessaging/pom.xml b/services/chimesdkmessaging/pom.xml
index 2b80e45a5bad..a29f4a826d39 100644
--- a/services/chimesdkmessaging/pom.xml
+++ b/services/chimesdkmessaging/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
chimesdkmessaging
AWS Java SDK :: Services :: Chime SDK Messaging
diff --git a/services/chimesdkvoice/pom.xml b/services/chimesdkvoice/pom.xml
index 09213a96bfef..4973682c5625 100644
--- a/services/chimesdkvoice/pom.xml
+++ b/services/chimesdkvoice/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
chimesdkvoice
AWS Java SDK :: Services :: Chime SDK Voice
diff --git a/services/cleanrooms/pom.xml b/services/cleanrooms/pom.xml
index 4cf3903c1036..ec42fd640494 100644
--- a/services/cleanrooms/pom.xml
+++ b/services/cleanrooms/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
cleanrooms
AWS Java SDK :: Services :: Clean Rooms
diff --git a/services/cleanroomsml/pom.xml b/services/cleanroomsml/pom.xml
index e3b8056dcfbd..db96d9e8a164 100644
--- a/services/cleanroomsml/pom.xml
+++ b/services/cleanroomsml/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
cleanroomsml
AWS Java SDK :: Services :: Clean Rooms ML
diff --git a/services/cloud9/pom.xml b/services/cloud9/pom.xml
index 25bd56de1c58..8545f5320006 100644
--- a/services/cloud9/pom.xml
+++ b/services/cloud9/pom.xml
@@ -20,7 +20,7 @@
services
software.amazon.awssdk
- 2.28.22-SNAPSHOT
+ 2.28.22
4.0.0
cloud9
diff --git a/services/cloudcontrol/pom.xml b/services/cloudcontrol/pom.xml
index 1efe64ff4581..e0a93c59eb3e 100644
--- a/services/cloudcontrol/pom.xml
+++ b/services/cloudcontrol/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
cloudcontrol
AWS Java SDK :: Services :: Cloud Control
diff --git a/services/clouddirectory/pom.xml b/services/clouddirectory/pom.xml
index 87d437f58141..2e40113fe01b 100644
--- a/services/clouddirectory/pom.xml
+++ b/services/clouddirectory/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
clouddirectory
AWS Java SDK :: Services :: Amazon CloudDirectory
diff --git a/services/cloudformation/pom.xml b/services/cloudformation/pom.xml
index 9c655e362633..e90715d3843a 100644
--- a/services/cloudformation/pom.xml
+++ b/services/cloudformation/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
cloudformation
AWS Java SDK :: Services :: AWS CloudFormation
diff --git a/services/cloudfront/pom.xml b/services/cloudfront/pom.xml
index 196723cddece..ec95787e5f7b 100644
--- a/services/cloudfront/pom.xml
+++ b/services/cloudfront/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
cloudfront
AWS Java SDK :: Services :: Amazon CloudFront
diff --git a/services/cloudfrontkeyvaluestore/pom.xml b/services/cloudfrontkeyvaluestore/pom.xml
index b82c1700a235..52105f5c5d16 100644
--- a/services/cloudfrontkeyvaluestore/pom.xml
+++ b/services/cloudfrontkeyvaluestore/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
cloudfrontkeyvaluestore
AWS Java SDK :: Services :: Cloud Front Key Value Store
diff --git a/services/cloudhsm/pom.xml b/services/cloudhsm/pom.xml
index a709b2150799..552f435c3814 100644
--- a/services/cloudhsm/pom.xml
+++ b/services/cloudhsm/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
cloudhsm
AWS Java SDK :: Services :: AWS CloudHSM
diff --git a/services/cloudhsmv2/pom.xml b/services/cloudhsmv2/pom.xml
index 8709119ca758..76333d3603a9 100644
--- a/services/cloudhsmv2/pom.xml
+++ b/services/cloudhsmv2/pom.xml
@@ -20,7 +20,7 @@
services
software.amazon.awssdk
- 2.28.22-SNAPSHOT
+ 2.28.22
4.0.0
cloudhsmv2
diff --git a/services/cloudsearch/pom.xml b/services/cloudsearch/pom.xml
index cd460c394c22..48f048e84046 100644
--- a/services/cloudsearch/pom.xml
+++ b/services/cloudsearch/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
cloudsearch
AWS Java SDK :: Services :: Amazon CloudSearch
diff --git a/services/cloudsearchdomain/pom.xml b/services/cloudsearchdomain/pom.xml
index 8b9261d5b310..1bddccb27b49 100644
--- a/services/cloudsearchdomain/pom.xml
+++ b/services/cloudsearchdomain/pom.xml
@@ -22,7 +22,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
cloudsearchdomain
AWS Java SDK :: Services :: Amazon CloudSearch Domain
diff --git a/services/cloudtrail/pom.xml b/services/cloudtrail/pom.xml
index 5c006c47aabb..4cb3adbc196f 100644
--- a/services/cloudtrail/pom.xml
+++ b/services/cloudtrail/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
cloudtrail
AWS Java SDK :: Services :: AWS CloudTrail
diff --git a/services/cloudtraildata/pom.xml b/services/cloudtraildata/pom.xml
index c513b5a925d9..f47f7dd844ac 100644
--- a/services/cloudtraildata/pom.xml
+++ b/services/cloudtraildata/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
cloudtraildata
AWS Java SDK :: Services :: Cloud Trail Data
diff --git a/services/cloudwatch/pom.xml b/services/cloudwatch/pom.xml
index 480995c770b0..037d988318ef 100644
--- a/services/cloudwatch/pom.xml
+++ b/services/cloudwatch/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
cloudwatch
AWS Java SDK :: Services :: Amazon CloudWatch
diff --git a/services/cloudwatchevents/pom.xml b/services/cloudwatchevents/pom.xml
index a83a73ded77e..ff9575687dc1 100644
--- a/services/cloudwatchevents/pom.xml
+++ b/services/cloudwatchevents/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
cloudwatchevents
AWS Java SDK :: Services :: Amazon CloudWatch Events
diff --git a/services/cloudwatchlogs/pom.xml b/services/cloudwatchlogs/pom.xml
index 473c43049602..368cec8e7801 100644
--- a/services/cloudwatchlogs/pom.xml
+++ b/services/cloudwatchlogs/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
cloudwatchlogs
AWS Java SDK :: Services :: Amazon CloudWatch Logs
diff --git a/services/codeartifact/pom.xml b/services/codeartifact/pom.xml
index 92f5f565282f..081c12d1bd76 100644
--- a/services/codeartifact/pom.xml
+++ b/services/codeartifact/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
codeartifact
AWS Java SDK :: Services :: Codeartifact
diff --git a/services/codebuild/pom.xml b/services/codebuild/pom.xml
index 3299864e88ec..af4cd749723b 100644
--- a/services/codebuild/pom.xml
+++ b/services/codebuild/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
codebuild
AWS Java SDK :: Services :: AWS Code Build
diff --git a/services/codecatalyst/pom.xml b/services/codecatalyst/pom.xml
index 8c46b0ae8437..58156f7efa7b 100644
--- a/services/codecatalyst/pom.xml
+++ b/services/codecatalyst/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
codecatalyst
AWS Java SDK :: Services :: Code Catalyst
diff --git a/services/codecommit/pom.xml b/services/codecommit/pom.xml
index 4e5c173d9b59..f3a6001034bc 100644
--- a/services/codecommit/pom.xml
+++ b/services/codecommit/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
codecommit
AWS Java SDK :: Services :: AWS CodeCommit
diff --git a/services/codeconnections/pom.xml b/services/codeconnections/pom.xml
index f397c3a52e35..c0622ddd5470 100644
--- a/services/codeconnections/pom.xml
+++ b/services/codeconnections/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
codeconnections
AWS Java SDK :: Services :: Code Connections
diff --git a/services/codedeploy/pom.xml b/services/codedeploy/pom.xml
index 1c9d36d11964..809b66c501cf 100644
--- a/services/codedeploy/pom.xml
+++ b/services/codedeploy/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
codedeploy
AWS Java SDK :: Services :: AWS CodeDeploy
diff --git a/services/codeguruprofiler/pom.xml b/services/codeguruprofiler/pom.xml
index 43aee69c1705..35bdf8b21353 100644
--- a/services/codeguruprofiler/pom.xml
+++ b/services/codeguruprofiler/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
codeguruprofiler
AWS Java SDK :: Services :: CodeGuruProfiler
diff --git a/services/codegurureviewer/pom.xml b/services/codegurureviewer/pom.xml
index 9cb5887933d4..859a7b0738ee 100644
--- a/services/codegurureviewer/pom.xml
+++ b/services/codegurureviewer/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
codegurureviewer
AWS Java SDK :: Services :: CodeGuru Reviewer
diff --git a/services/codegurusecurity/pom.xml b/services/codegurusecurity/pom.xml
index 41bcdffd71d0..c7395921051d 100644
--- a/services/codegurusecurity/pom.xml
+++ b/services/codegurusecurity/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
codegurusecurity
AWS Java SDK :: Services :: Code Guru Security
diff --git a/services/codepipeline/pom.xml b/services/codepipeline/pom.xml
index e7c6c2fbd789..d43b8e04948d 100644
--- a/services/codepipeline/pom.xml
+++ b/services/codepipeline/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
codepipeline
AWS Java SDK :: Services :: AWS CodePipeline
diff --git a/services/codestarconnections/pom.xml b/services/codestarconnections/pom.xml
index 28562e1d81f2..c5e3d23020b9 100644
--- a/services/codestarconnections/pom.xml
+++ b/services/codestarconnections/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
codestarconnections
AWS Java SDK :: Services :: CodeStar connections
diff --git a/services/codestarnotifications/pom.xml b/services/codestarnotifications/pom.xml
index a831eaa7bdc3..1ab9f67b141a 100644
--- a/services/codestarnotifications/pom.xml
+++ b/services/codestarnotifications/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
codestarnotifications
AWS Java SDK :: Services :: Codestar Notifications
diff --git a/services/cognitoidentity/pom.xml b/services/cognitoidentity/pom.xml
index e9602236bf3b..3a30ac34eb15 100644
--- a/services/cognitoidentity/pom.xml
+++ b/services/cognitoidentity/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
cognitoidentity
AWS Java SDK :: Services :: Amazon Cognito Identity
diff --git a/services/cognitoidentityprovider/pom.xml b/services/cognitoidentityprovider/pom.xml
index b1068d2b5268..54253d790917 100644
--- a/services/cognitoidentityprovider/pom.xml
+++ b/services/cognitoidentityprovider/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
cognitoidentityprovider
AWS Java SDK :: Services :: Amazon Cognito Identity Provider Service
diff --git a/services/cognitosync/pom.xml b/services/cognitosync/pom.xml
index a5bf59aed91f..e5d14c69f7bf 100644
--- a/services/cognitosync/pom.xml
+++ b/services/cognitosync/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
cognitosync
AWS Java SDK :: Services :: Amazon Cognito Sync
diff --git a/services/comprehend/pom.xml b/services/comprehend/pom.xml
index a6ce007b17e2..d3a766aebffb 100644
--- a/services/comprehend/pom.xml
+++ b/services/comprehend/pom.xml
@@ -20,7 +20,7 @@
services
software.amazon.awssdk
- 2.28.22-SNAPSHOT
+ 2.28.22
4.0.0
comprehend
diff --git a/services/comprehendmedical/pom.xml b/services/comprehendmedical/pom.xml
index 4f6829dc3859..ffae5f8761bf 100644
--- a/services/comprehendmedical/pom.xml
+++ b/services/comprehendmedical/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
comprehendmedical
AWS Java SDK :: Services :: ComprehendMedical
diff --git a/services/computeoptimizer/pom.xml b/services/computeoptimizer/pom.xml
index 755e2ee9b9a9..863d16fdf86a 100644
--- a/services/computeoptimizer/pom.xml
+++ b/services/computeoptimizer/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
computeoptimizer
AWS Java SDK :: Services :: Compute Optimizer
diff --git a/services/config/pom.xml b/services/config/pom.xml
index 616d3f41f713..b8f413d0fda0 100644
--- a/services/config/pom.xml
+++ b/services/config/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
config
AWS Java SDK :: Services :: AWS Config
diff --git a/services/connect/pom.xml b/services/connect/pom.xml
index 16252dee9ec4..a4e7c8b22f60 100644
--- a/services/connect/pom.xml
+++ b/services/connect/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
connect
AWS Java SDK :: Services :: Connect
diff --git a/services/connectcampaigns/pom.xml b/services/connectcampaigns/pom.xml
index ee4b0c82f931..745154998fb0 100644
--- a/services/connectcampaigns/pom.xml
+++ b/services/connectcampaigns/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
connectcampaigns
AWS Java SDK :: Services :: Connect Campaigns
diff --git a/services/connectcases/pom.xml b/services/connectcases/pom.xml
index 4b62bbdbc440..99ebb1f43ff9 100644
--- a/services/connectcases/pom.xml
+++ b/services/connectcases/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
connectcases
AWS Java SDK :: Services :: Connect Cases
diff --git a/services/connectcontactlens/pom.xml b/services/connectcontactlens/pom.xml
index ef8144cbdf9b..fc8d172248d2 100644
--- a/services/connectcontactlens/pom.xml
+++ b/services/connectcontactlens/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
connectcontactlens
AWS Java SDK :: Services :: Connect Contact Lens
diff --git a/services/connectparticipant/pom.xml b/services/connectparticipant/pom.xml
index f2b0ea6be1fb..6c60a97e2196 100644
--- a/services/connectparticipant/pom.xml
+++ b/services/connectparticipant/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
connectparticipant
AWS Java SDK :: Services :: ConnectParticipant
diff --git a/services/controlcatalog/pom.xml b/services/controlcatalog/pom.xml
index bed70ea8ac90..7be2df5d334e 100644
--- a/services/controlcatalog/pom.xml
+++ b/services/controlcatalog/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
controlcatalog
AWS Java SDK :: Services :: Control Catalog
diff --git a/services/controltower/pom.xml b/services/controltower/pom.xml
index 380bfb376ddc..a5c0567a2988 100644
--- a/services/controltower/pom.xml
+++ b/services/controltower/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
controltower
AWS Java SDK :: Services :: Control Tower
diff --git a/services/costandusagereport/pom.xml b/services/costandusagereport/pom.xml
index 700547de6c73..83db54a7ec79 100644
--- a/services/costandusagereport/pom.xml
+++ b/services/costandusagereport/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
costandusagereport
AWS Java SDK :: Services :: AWS Cost and Usage Report
diff --git a/services/costexplorer/pom.xml b/services/costexplorer/pom.xml
index 064e7d9282ee..1799a18e963b 100644
--- a/services/costexplorer/pom.xml
+++ b/services/costexplorer/pom.xml
@@ -20,7 +20,7 @@
services
software.amazon.awssdk
- 2.28.22-SNAPSHOT
+ 2.28.22
4.0.0
costexplorer
diff --git a/services/costoptimizationhub/pom.xml b/services/costoptimizationhub/pom.xml
index db58077f437f..ef938880a3d2 100644
--- a/services/costoptimizationhub/pom.xml
+++ b/services/costoptimizationhub/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
costoptimizationhub
AWS Java SDK :: Services :: Cost Optimization Hub
diff --git a/services/customerprofiles/pom.xml b/services/customerprofiles/pom.xml
index f043c5ca8eee..8d3421f2b623 100644
--- a/services/customerprofiles/pom.xml
+++ b/services/customerprofiles/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
customerprofiles
AWS Java SDK :: Services :: Customer Profiles
diff --git a/services/databasemigration/pom.xml b/services/databasemigration/pom.xml
index b2ff7f1ff087..6eaa734951c4 100644
--- a/services/databasemigration/pom.xml
+++ b/services/databasemigration/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
databasemigration
AWS Java SDK :: Services :: AWS Database Migration Service
diff --git a/services/databrew/pom.xml b/services/databrew/pom.xml
index 885671150609..8947b06d5fe6 100644
--- a/services/databrew/pom.xml
+++ b/services/databrew/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
databrew
AWS Java SDK :: Services :: Data Brew
diff --git a/services/dataexchange/pom.xml b/services/dataexchange/pom.xml
index d95f8ae3a1d1..2cb7c7ba0531 100644
--- a/services/dataexchange/pom.xml
+++ b/services/dataexchange/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
dataexchange
AWS Java SDK :: Services :: DataExchange
diff --git a/services/datapipeline/pom.xml b/services/datapipeline/pom.xml
index 71a96b253e5a..5e5cd3816c14 100644
--- a/services/datapipeline/pom.xml
+++ b/services/datapipeline/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
datapipeline
AWS Java SDK :: Services :: AWS Data Pipeline
diff --git a/services/datasync/pom.xml b/services/datasync/pom.xml
index ca72d4c777a0..8f2db353fe10 100644
--- a/services/datasync/pom.xml
+++ b/services/datasync/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
datasync
AWS Java SDK :: Services :: DataSync
diff --git a/services/datazone/pom.xml b/services/datazone/pom.xml
index b97416bacceb..e2071390a3db 100644
--- a/services/datazone/pom.xml
+++ b/services/datazone/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
datazone
AWS Java SDK :: Services :: Data Zone
diff --git a/services/dax/pom.xml b/services/dax/pom.xml
index dff40fc216dc..4ce23ef4deef 100644
--- a/services/dax/pom.xml
+++ b/services/dax/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
dax
AWS Java SDK :: Services :: Amazon DynamoDB Accelerator (DAX)
diff --git a/services/deadline/pom.xml b/services/deadline/pom.xml
index e9c84e2d8bc8..34200ad5289e 100644
--- a/services/deadline/pom.xml
+++ b/services/deadline/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
deadline
AWS Java SDK :: Services :: Deadline
diff --git a/services/detective/pom.xml b/services/detective/pom.xml
index 956b87989782..4613f7d993c1 100644
--- a/services/detective/pom.xml
+++ b/services/detective/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
detective
AWS Java SDK :: Services :: Detective
diff --git a/services/devicefarm/pom.xml b/services/devicefarm/pom.xml
index 8eea0006a663..d41d61d52143 100644
--- a/services/devicefarm/pom.xml
+++ b/services/devicefarm/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
devicefarm
AWS Java SDK :: Services :: AWS Device Farm
diff --git a/services/devopsguru/pom.xml b/services/devopsguru/pom.xml
index 0c83a20304b5..5ff62316bbd9 100644
--- a/services/devopsguru/pom.xml
+++ b/services/devopsguru/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
devopsguru
AWS Java SDK :: Services :: Dev Ops Guru
diff --git a/services/directconnect/pom.xml b/services/directconnect/pom.xml
index 61febb2f7e68..cf2cee165bef 100644
--- a/services/directconnect/pom.xml
+++ b/services/directconnect/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
directconnect
AWS Java SDK :: Services :: AWS Direct Connect
diff --git a/services/directory/pom.xml b/services/directory/pom.xml
index d592cb1d7d2a..10b09d942918 100644
--- a/services/directory/pom.xml
+++ b/services/directory/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
directory
AWS Java SDK :: Services :: AWS Directory Service
diff --git a/services/directoryservicedata/pom.xml b/services/directoryservicedata/pom.xml
index 00cca053af51..99e39bd858e0 100644
--- a/services/directoryservicedata/pom.xml
+++ b/services/directoryservicedata/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
directoryservicedata
AWS Java SDK :: Services :: Directory Service Data
diff --git a/services/dlm/pom.xml b/services/dlm/pom.xml
index 9a1ad9111d06..c3cc63c11d83 100644
--- a/services/dlm/pom.xml
+++ b/services/dlm/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
dlm
AWS Java SDK :: Services :: DLM
diff --git a/services/docdb/pom.xml b/services/docdb/pom.xml
index 664e7d783839..55b7b725096c 100644
--- a/services/docdb/pom.xml
+++ b/services/docdb/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
docdb
AWS Java SDK :: Services :: DocDB
diff --git a/services/docdbelastic/pom.xml b/services/docdbelastic/pom.xml
index 1638f4e2191b..63534ddae652 100644
--- a/services/docdbelastic/pom.xml
+++ b/services/docdbelastic/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
docdbelastic
AWS Java SDK :: Services :: Doc DB Elastic
diff --git a/services/drs/pom.xml b/services/drs/pom.xml
index 5404d674b887..8cf897a2513c 100644
--- a/services/drs/pom.xml
+++ b/services/drs/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
drs
AWS Java SDK :: Services :: Drs
diff --git a/services/dynamodb/pom.xml b/services/dynamodb/pom.xml
index e2a99e6095f8..01511cdac199 100644
--- a/services/dynamodb/pom.xml
+++ b/services/dynamodb/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
dynamodb
AWS Java SDK :: Services :: Amazon DynamoDB
diff --git a/services/ebs/pom.xml b/services/ebs/pom.xml
index 0738a146636c..2ca5f78c3211 100644
--- a/services/ebs/pom.xml
+++ b/services/ebs/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
ebs
AWS Java SDK :: Services :: EBS
diff --git a/services/ec2/pom.xml b/services/ec2/pom.xml
index e2d17943664c..9d6e491fd193 100644
--- a/services/ec2/pom.xml
+++ b/services/ec2/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
ec2
AWS Java SDK :: Services :: Amazon EC2
diff --git a/services/ec2instanceconnect/pom.xml b/services/ec2instanceconnect/pom.xml
index 8255a0c4cc55..441396f1e481 100644
--- a/services/ec2instanceconnect/pom.xml
+++ b/services/ec2instanceconnect/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
ec2instanceconnect
AWS Java SDK :: Services :: EC2 Instance Connect
diff --git a/services/ecr/pom.xml b/services/ecr/pom.xml
index 831d5cc26b29..fcb18c3fefe3 100644
--- a/services/ecr/pom.xml
+++ b/services/ecr/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
ecr
AWS Java SDK :: Services :: Amazon EC2 Container Registry
diff --git a/services/ecrpublic/pom.xml b/services/ecrpublic/pom.xml
index 2076a3e09bc1..cee612df9855 100644
--- a/services/ecrpublic/pom.xml
+++ b/services/ecrpublic/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
ecrpublic
AWS Java SDK :: Services :: ECR PUBLIC
diff --git a/services/ecs/pom.xml b/services/ecs/pom.xml
index e92ab09bfaf7..055ee0f50691 100644
--- a/services/ecs/pom.xml
+++ b/services/ecs/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
ecs
AWS Java SDK :: Services :: Amazon EC2 Container Service
diff --git a/services/efs/pom.xml b/services/efs/pom.xml
index a8092c2263b3..7b8583de9201 100644
--- a/services/efs/pom.xml
+++ b/services/efs/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
efs
AWS Java SDK :: Services :: Amazon Elastic File System
diff --git a/services/eks/pom.xml b/services/eks/pom.xml
index 6033e8bf0602..fa4e7e30e5ee 100644
--- a/services/eks/pom.xml
+++ b/services/eks/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
eks
AWS Java SDK :: Services :: EKS
diff --git a/services/eksauth/pom.xml b/services/eksauth/pom.xml
index a9b83f4f33ba..4dddbd8ba086 100644
--- a/services/eksauth/pom.xml
+++ b/services/eksauth/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
eksauth
AWS Java SDK :: Services :: EKS Auth
diff --git a/services/elasticache/pom.xml b/services/elasticache/pom.xml
index 862638625993..c4763d94c903 100644
--- a/services/elasticache/pom.xml
+++ b/services/elasticache/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
elasticache
AWS Java SDK :: Services :: Amazon ElastiCache
diff --git a/services/elasticbeanstalk/pom.xml b/services/elasticbeanstalk/pom.xml
index e5f5b56d1584..9742f3ee4ea7 100644
--- a/services/elasticbeanstalk/pom.xml
+++ b/services/elasticbeanstalk/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
elasticbeanstalk
AWS Java SDK :: Services :: AWS Elastic Beanstalk
diff --git a/services/elasticinference/pom.xml b/services/elasticinference/pom.xml
index 9b6c8e3f43cd..f3f0dd339e89 100644
--- a/services/elasticinference/pom.xml
+++ b/services/elasticinference/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
elasticinference
AWS Java SDK :: Services :: Elastic Inference
diff --git a/services/elasticloadbalancing/pom.xml b/services/elasticloadbalancing/pom.xml
index 733956178c3c..95bb36916eab 100644
--- a/services/elasticloadbalancing/pom.xml
+++ b/services/elasticloadbalancing/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
elasticloadbalancing
AWS Java SDK :: Services :: Elastic Load Balancing
diff --git a/services/elasticloadbalancingv2/pom.xml b/services/elasticloadbalancingv2/pom.xml
index 31da5124034a..18caf6072c39 100644
--- a/services/elasticloadbalancingv2/pom.xml
+++ b/services/elasticloadbalancingv2/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
elasticloadbalancingv2
AWS Java SDK :: Services :: Elastic Load Balancing V2
diff --git a/services/elasticsearch/pom.xml b/services/elasticsearch/pom.xml
index 8e55be968872..86b9eba8aa54 100644
--- a/services/elasticsearch/pom.xml
+++ b/services/elasticsearch/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
elasticsearch
AWS Java SDK :: Services :: Amazon Elasticsearch Service
diff --git a/services/elastictranscoder/pom.xml b/services/elastictranscoder/pom.xml
index 74ba08a8ff72..058d50db4df2 100644
--- a/services/elastictranscoder/pom.xml
+++ b/services/elastictranscoder/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
elastictranscoder
AWS Java SDK :: Services :: Amazon Elastic Transcoder
diff --git a/services/emr/pom.xml b/services/emr/pom.xml
index 0eaf470ec3cb..c5df613170d6 100644
--- a/services/emr/pom.xml
+++ b/services/emr/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
emr
AWS Java SDK :: Services :: Amazon EMR
diff --git a/services/emrcontainers/pom.xml b/services/emrcontainers/pom.xml
index f718326fcbfd..02947fe245dd 100644
--- a/services/emrcontainers/pom.xml
+++ b/services/emrcontainers/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
emrcontainers
AWS Java SDK :: Services :: EMR Containers
diff --git a/services/emrserverless/pom.xml b/services/emrserverless/pom.xml
index 7e066a558dcb..c92bb36c357b 100644
--- a/services/emrserverless/pom.xml
+++ b/services/emrserverless/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
emrserverless
AWS Java SDK :: Services :: EMR Serverless
diff --git a/services/entityresolution/pom.xml b/services/entityresolution/pom.xml
index c11fb4ab0d0d..0be4f4c82039 100644
--- a/services/entityresolution/pom.xml
+++ b/services/entityresolution/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
entityresolution
AWS Java SDK :: Services :: Entity Resolution
diff --git a/services/eventbridge/pom.xml b/services/eventbridge/pom.xml
index c28d84939779..937ab7304693 100644
--- a/services/eventbridge/pom.xml
+++ b/services/eventbridge/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
eventbridge
AWS Java SDK :: Services :: EventBridge
diff --git a/services/evidently/pom.xml b/services/evidently/pom.xml
index bbe3177eaf9e..25d55c1f0e18 100644
--- a/services/evidently/pom.xml
+++ b/services/evidently/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
evidently
AWS Java SDK :: Services :: Evidently
diff --git a/services/finspace/pom.xml b/services/finspace/pom.xml
index 4339e3d83347..1352c7ba5873 100644
--- a/services/finspace/pom.xml
+++ b/services/finspace/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
finspace
AWS Java SDK :: Services :: Finspace
diff --git a/services/finspacedata/pom.xml b/services/finspacedata/pom.xml
index 065384eef29a..b509eeb506ed 100644
--- a/services/finspacedata/pom.xml
+++ b/services/finspacedata/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
finspacedata
AWS Java SDK :: Services :: Finspace Data
diff --git a/services/firehose/pom.xml b/services/firehose/pom.xml
index 8b87449ca130..b9d6db7daabf 100644
--- a/services/firehose/pom.xml
+++ b/services/firehose/pom.xml
@@ -22,7 +22,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
firehose
AWS Java SDK :: Services :: Amazon Kinesis Firehose
diff --git a/services/fis/pom.xml b/services/fis/pom.xml
index 5ab0edb7c1d3..38b3548a2c59 100644
--- a/services/fis/pom.xml
+++ b/services/fis/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
fis
AWS Java SDK :: Services :: Fis
diff --git a/services/fms/pom.xml b/services/fms/pom.xml
index de86fbe59891..fc46d45f98c5 100644
--- a/services/fms/pom.xml
+++ b/services/fms/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
fms
AWS Java SDK :: Services :: FMS
diff --git a/services/forecast/pom.xml b/services/forecast/pom.xml
index fe1ef14774b9..ea9468d1c6d6 100644
--- a/services/forecast/pom.xml
+++ b/services/forecast/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
forecast
AWS Java SDK :: Services :: Forecast
diff --git a/services/forecastquery/pom.xml b/services/forecastquery/pom.xml
index 0d5bb39167dc..626cd78f9ea5 100644
--- a/services/forecastquery/pom.xml
+++ b/services/forecastquery/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
forecastquery
AWS Java SDK :: Services :: Forecastquery
diff --git a/services/frauddetector/pom.xml b/services/frauddetector/pom.xml
index b1c1b5b96c40..4e995e8df341 100644
--- a/services/frauddetector/pom.xml
+++ b/services/frauddetector/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
frauddetector
AWS Java SDK :: Services :: FraudDetector
diff --git a/services/freetier/pom.xml b/services/freetier/pom.xml
index edc5544f2fb7..c7cbab59e89c 100644
--- a/services/freetier/pom.xml
+++ b/services/freetier/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
freetier
AWS Java SDK :: Services :: Free Tier
diff --git a/services/fsx/pom.xml b/services/fsx/pom.xml
index 7bdb36efc689..1fec818e9c95 100644
--- a/services/fsx/pom.xml
+++ b/services/fsx/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
fsx
AWS Java SDK :: Services :: FSx
diff --git a/services/gamelift/pom.xml b/services/gamelift/pom.xml
index b4fae6f38a49..4113b71a4322 100644
--- a/services/gamelift/pom.xml
+++ b/services/gamelift/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
gamelift
AWS Java SDK :: Services :: AWS GameLift
diff --git a/services/glacier/pom.xml b/services/glacier/pom.xml
index 9cd02d8b5204..bfbe3301b523 100644
--- a/services/glacier/pom.xml
+++ b/services/glacier/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
glacier
AWS Java SDK :: Services :: Amazon Glacier
diff --git a/services/globalaccelerator/pom.xml b/services/globalaccelerator/pom.xml
index a4ff833ef87b..8be706c39090 100644
--- a/services/globalaccelerator/pom.xml
+++ b/services/globalaccelerator/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
globalaccelerator
AWS Java SDK :: Services :: Global Accelerator
diff --git a/services/glue/pom.xml b/services/glue/pom.xml
index 267745e3bbcd..fb34d4b44cdb 100644
--- a/services/glue/pom.xml
+++ b/services/glue/pom.xml
@@ -20,7 +20,7 @@
services
software.amazon.awssdk
- 2.28.22-SNAPSHOT
+ 2.28.22
4.0.0
glue
diff --git a/services/grafana/pom.xml b/services/grafana/pom.xml
index fbef11c3a81a..b0ef680cc9b0 100644
--- a/services/grafana/pom.xml
+++ b/services/grafana/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
grafana
AWS Java SDK :: Services :: Grafana
diff --git a/services/greengrass/pom.xml b/services/greengrass/pom.xml
index 8ee2d651c7b2..ab6f91e4f8c6 100644
--- a/services/greengrass/pom.xml
+++ b/services/greengrass/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
greengrass
AWS Java SDK :: Services :: AWS Greengrass
diff --git a/services/greengrassv2/pom.xml b/services/greengrassv2/pom.xml
index 12c72e102403..b70b8367482d 100644
--- a/services/greengrassv2/pom.xml
+++ b/services/greengrassv2/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
greengrassv2
AWS Java SDK :: Services :: Greengrass V2
diff --git a/services/groundstation/pom.xml b/services/groundstation/pom.xml
index ce5799ad9fba..55d274b89572 100644
--- a/services/groundstation/pom.xml
+++ b/services/groundstation/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
groundstation
AWS Java SDK :: Services :: GroundStation
diff --git a/services/guardduty/pom.xml b/services/guardduty/pom.xml
index 876ee50eb5bd..2278c7f4b139 100644
--- a/services/guardduty/pom.xml
+++ b/services/guardduty/pom.xml
@@ -20,7 +20,7 @@
services
software.amazon.awssdk
- 2.28.22-SNAPSHOT
+ 2.28.22
4.0.0
guardduty
diff --git a/services/health/pom.xml b/services/health/pom.xml
index 9b32b7837365..deca21c10179 100644
--- a/services/health/pom.xml
+++ b/services/health/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
health
AWS Java SDK :: Services :: AWS Health APIs and Notifications
diff --git a/services/healthlake/pom.xml b/services/healthlake/pom.xml
index 280a204ab90d..402ae6b5d9df 100644
--- a/services/healthlake/pom.xml
+++ b/services/healthlake/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
healthlake
AWS Java SDK :: Services :: Health Lake
diff --git a/services/iam/pom.xml b/services/iam/pom.xml
index a3bdd4f128cd..bf7af0f35878 100644
--- a/services/iam/pom.xml
+++ b/services/iam/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
iam
AWS Java SDK :: Services :: AWS IAM
diff --git a/services/identitystore/pom.xml b/services/identitystore/pom.xml
index e04d518ee537..0edffb9b9ae7 100644
--- a/services/identitystore/pom.xml
+++ b/services/identitystore/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
identitystore
AWS Java SDK :: Services :: Identitystore
diff --git a/services/imagebuilder/pom.xml b/services/imagebuilder/pom.xml
index 057ca20b0fb7..3de7eadb4452 100644
--- a/services/imagebuilder/pom.xml
+++ b/services/imagebuilder/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
imagebuilder
AWS Java SDK :: Services :: Imagebuilder
diff --git a/services/inspector/pom.xml b/services/inspector/pom.xml
index 92839b351527..3094e7f05ecf 100644
--- a/services/inspector/pom.xml
+++ b/services/inspector/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
inspector
AWS Java SDK :: Services :: Amazon Inspector Service
diff --git a/services/inspector2/pom.xml b/services/inspector2/pom.xml
index 09462b9968c2..f71f9ce64d14 100644
--- a/services/inspector2/pom.xml
+++ b/services/inspector2/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
inspector2
AWS Java SDK :: Services :: Inspector2
diff --git a/services/inspectorscan/pom.xml b/services/inspectorscan/pom.xml
index f2093e7b2d28..1ca1c31b80ae 100644
--- a/services/inspectorscan/pom.xml
+++ b/services/inspectorscan/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
inspectorscan
AWS Java SDK :: Services :: Inspector Scan
diff --git a/services/internetmonitor/pom.xml b/services/internetmonitor/pom.xml
index 04d2260b5332..56174f957260 100644
--- a/services/internetmonitor/pom.xml
+++ b/services/internetmonitor/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
internetmonitor
AWS Java SDK :: Services :: Internet Monitor
diff --git a/services/iot/pom.xml b/services/iot/pom.xml
index 4c88c3783974..838fda65a234 100644
--- a/services/iot/pom.xml
+++ b/services/iot/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
iot
AWS Java SDK :: Services :: AWS IoT
diff --git a/services/iot1clickdevices/pom.xml b/services/iot1clickdevices/pom.xml
index 6cd4a2f988d9..57154d8ca9ff 100644
--- a/services/iot1clickdevices/pom.xml
+++ b/services/iot1clickdevices/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
iot1clickdevices
AWS Java SDK :: Services :: IoT 1Click Devices Service
diff --git a/services/iot1clickprojects/pom.xml b/services/iot1clickprojects/pom.xml
index 5688d543b4a9..510118a20fa7 100644
--- a/services/iot1clickprojects/pom.xml
+++ b/services/iot1clickprojects/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
iot1clickprojects
AWS Java SDK :: Services :: IoT 1Click Projects
diff --git a/services/iotanalytics/pom.xml b/services/iotanalytics/pom.xml
index 0cd088f0aa2d..da096f07b640 100644
--- a/services/iotanalytics/pom.xml
+++ b/services/iotanalytics/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
iotanalytics
AWS Java SDK :: Services :: IoTAnalytics
diff --git a/services/iotdataplane/pom.xml b/services/iotdataplane/pom.xml
index 3c9281ac9f76..dc27ebb009cb 100644
--- a/services/iotdataplane/pom.xml
+++ b/services/iotdataplane/pom.xml
@@ -22,7 +22,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
iotdataplane
AWS Java SDK :: Services :: AWS IoT Data Plane
diff --git a/services/iotdeviceadvisor/pom.xml b/services/iotdeviceadvisor/pom.xml
index 93cf1ebd5919..1e8c76a8b915 100644
--- a/services/iotdeviceadvisor/pom.xml
+++ b/services/iotdeviceadvisor/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
iotdeviceadvisor
AWS Java SDK :: Services :: Iot Device Advisor
diff --git a/services/iotevents/pom.xml b/services/iotevents/pom.xml
index 29c8bb14b51d..928fa10443a1 100644
--- a/services/iotevents/pom.xml
+++ b/services/iotevents/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
iotevents
AWS Java SDK :: Services :: IoT Events
diff --git a/services/ioteventsdata/pom.xml b/services/ioteventsdata/pom.xml
index 55000905cbb6..89915f8f9bfd 100644
--- a/services/ioteventsdata/pom.xml
+++ b/services/ioteventsdata/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
ioteventsdata
AWS Java SDK :: Services :: IoT Events Data
diff --git a/services/iotfleethub/pom.xml b/services/iotfleethub/pom.xml
index 7e2fe8b7b9b5..6fabb78919dd 100644
--- a/services/iotfleethub/pom.xml
+++ b/services/iotfleethub/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
iotfleethub
AWS Java SDK :: Services :: Io T Fleet Hub
diff --git a/services/iotfleetwise/pom.xml b/services/iotfleetwise/pom.xml
index 3e842d242cc0..34cef7ee1bc4 100644
--- a/services/iotfleetwise/pom.xml
+++ b/services/iotfleetwise/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
iotfleetwise
AWS Java SDK :: Services :: Io T Fleet Wise
diff --git a/services/iotjobsdataplane/pom.xml b/services/iotjobsdataplane/pom.xml
index 820cea1a1b68..efe31060454f 100644
--- a/services/iotjobsdataplane/pom.xml
+++ b/services/iotjobsdataplane/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
iotjobsdataplane
AWS Java SDK :: Services :: IoT Jobs Data Plane
diff --git a/services/iotsecuretunneling/pom.xml b/services/iotsecuretunneling/pom.xml
index 2fd848f1956f..76b9c39e5108 100644
--- a/services/iotsecuretunneling/pom.xml
+++ b/services/iotsecuretunneling/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
iotsecuretunneling
AWS Java SDK :: Services :: IoTSecureTunneling
diff --git a/services/iotsitewise/pom.xml b/services/iotsitewise/pom.xml
index f6c5323a55f4..3a6b50cbfebe 100644
--- a/services/iotsitewise/pom.xml
+++ b/services/iotsitewise/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
iotsitewise
AWS Java SDK :: Services :: Io T Site Wise
diff --git a/services/iotthingsgraph/pom.xml b/services/iotthingsgraph/pom.xml
index ee69df31e263..d971f3d006ad 100644
--- a/services/iotthingsgraph/pom.xml
+++ b/services/iotthingsgraph/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
iotthingsgraph
AWS Java SDK :: Services :: IoTThingsGraph
diff --git a/services/iottwinmaker/pom.xml b/services/iottwinmaker/pom.xml
index ee3394cae850..4b48b4a1fc04 100644
--- a/services/iottwinmaker/pom.xml
+++ b/services/iottwinmaker/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
iottwinmaker
AWS Java SDK :: Services :: Io T Twin Maker
diff --git a/services/iotwireless/pom.xml b/services/iotwireless/pom.xml
index e0aa32fd3007..b0e5103e2599 100644
--- a/services/iotwireless/pom.xml
+++ b/services/iotwireless/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
iotwireless
AWS Java SDK :: Services :: IoT Wireless
diff --git a/services/ivs/pom.xml b/services/ivs/pom.xml
index 0e6ba35991ac..779ebd76e222 100644
--- a/services/ivs/pom.xml
+++ b/services/ivs/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
ivs
AWS Java SDK :: Services :: Ivs
diff --git a/services/ivschat/pom.xml b/services/ivschat/pom.xml
index 516b7497a4d8..fe8b86ffea74 100644
--- a/services/ivschat/pom.xml
+++ b/services/ivschat/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
ivschat
AWS Java SDK :: Services :: Ivschat
diff --git a/services/ivsrealtime/pom.xml b/services/ivsrealtime/pom.xml
index 2d458f410005..4f1cd1102087 100644
--- a/services/ivsrealtime/pom.xml
+++ b/services/ivsrealtime/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
ivsrealtime
AWS Java SDK :: Services :: IVS Real Time
diff --git a/services/kafka/pom.xml b/services/kafka/pom.xml
index 06c44c190648..f0751a247287 100644
--- a/services/kafka/pom.xml
+++ b/services/kafka/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
kafka
AWS Java SDK :: Services :: Kafka
diff --git a/services/kafkaconnect/pom.xml b/services/kafkaconnect/pom.xml
index 480fdef7b97c..9dd49054c5da 100644
--- a/services/kafkaconnect/pom.xml
+++ b/services/kafkaconnect/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
kafkaconnect
AWS Java SDK :: Services :: Kafka Connect
diff --git a/services/kendra/pom.xml b/services/kendra/pom.xml
index a3ac398f67ff..9f28e40026b4 100644
--- a/services/kendra/pom.xml
+++ b/services/kendra/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
kendra
AWS Java SDK :: Services :: Kendra
diff --git a/services/kendraranking/pom.xml b/services/kendraranking/pom.xml
index 3792ca0ef0e6..ca58475d481c 100644
--- a/services/kendraranking/pom.xml
+++ b/services/kendraranking/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
kendraranking
AWS Java SDK :: Services :: Kendra Ranking
diff --git a/services/keyspaces/pom.xml b/services/keyspaces/pom.xml
index f12cc447eaa5..c9797c9c8453 100644
--- a/services/keyspaces/pom.xml
+++ b/services/keyspaces/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
keyspaces
AWS Java SDK :: Services :: Keyspaces
diff --git a/services/kinesis/pom.xml b/services/kinesis/pom.xml
index cb14f95a6437..94acd3784e55 100644
--- a/services/kinesis/pom.xml
+++ b/services/kinesis/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
kinesis
AWS Java SDK :: Services :: Amazon Kinesis
diff --git a/services/kinesisanalytics/pom.xml b/services/kinesisanalytics/pom.xml
index 42c5590bd219..fa38e12df89e 100644
--- a/services/kinesisanalytics/pom.xml
+++ b/services/kinesisanalytics/pom.xml
@@ -22,7 +22,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
kinesisanalytics
AWS Java SDK :: Services :: Amazon Kinesis Analytics
diff --git a/services/kinesisanalyticsv2/pom.xml b/services/kinesisanalyticsv2/pom.xml
index 661ff7c01074..422cc09d64b7 100644
--- a/services/kinesisanalyticsv2/pom.xml
+++ b/services/kinesisanalyticsv2/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
kinesisanalyticsv2
AWS Java SDK :: Services :: Kinesis Analytics V2
diff --git a/services/kinesisvideo/pom.xml b/services/kinesisvideo/pom.xml
index 095660300cee..242bf2a876cb 100644
--- a/services/kinesisvideo/pom.xml
+++ b/services/kinesisvideo/pom.xml
@@ -20,7 +20,7 @@
services
software.amazon.awssdk
- 2.28.22-SNAPSHOT
+ 2.28.22
4.0.0
kinesisvideo
diff --git a/services/kinesisvideoarchivedmedia/pom.xml b/services/kinesisvideoarchivedmedia/pom.xml
index be9a394df0d8..7648389082cd 100644
--- a/services/kinesisvideoarchivedmedia/pom.xml
+++ b/services/kinesisvideoarchivedmedia/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
kinesisvideoarchivedmedia
AWS Java SDK :: Services :: Kinesis Video Archived Media
diff --git a/services/kinesisvideomedia/pom.xml b/services/kinesisvideomedia/pom.xml
index 3312efff60e0..e5c065dbb1c0 100644
--- a/services/kinesisvideomedia/pom.xml
+++ b/services/kinesisvideomedia/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
kinesisvideomedia
AWS Java SDK :: Services :: Kinesis Video Media
diff --git a/services/kinesisvideosignaling/pom.xml b/services/kinesisvideosignaling/pom.xml
index ecbd53971133..5b19b7c31273 100644
--- a/services/kinesisvideosignaling/pom.xml
+++ b/services/kinesisvideosignaling/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
kinesisvideosignaling
AWS Java SDK :: Services :: Kinesis Video Signaling
diff --git a/services/kinesisvideowebrtcstorage/pom.xml b/services/kinesisvideowebrtcstorage/pom.xml
index f0de2ced6726..78f1e2c2fafd 100644
--- a/services/kinesisvideowebrtcstorage/pom.xml
+++ b/services/kinesisvideowebrtcstorage/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
kinesisvideowebrtcstorage
AWS Java SDK :: Services :: Kinesis Video Web RTC Storage
diff --git a/services/kms/pom.xml b/services/kms/pom.xml
index 8f2afe3641ec..e121ea23c05d 100644
--- a/services/kms/pom.xml
+++ b/services/kms/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
kms
AWS Java SDK :: Services :: AWS KMS
diff --git a/services/lakeformation/pom.xml b/services/lakeformation/pom.xml
index 10549f4e2363..4eec69f46f9f 100644
--- a/services/lakeformation/pom.xml
+++ b/services/lakeformation/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
lakeformation
AWS Java SDK :: Services :: LakeFormation
diff --git a/services/lambda/pom.xml b/services/lambda/pom.xml
index e7e6b45ae225..29f3087b4e06 100644
--- a/services/lambda/pom.xml
+++ b/services/lambda/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
lambda
AWS Java SDK :: Services :: AWS Lambda
diff --git a/services/launchwizard/pom.xml b/services/launchwizard/pom.xml
index 4cea0049c0c8..ff7b4c153b74 100644
--- a/services/launchwizard/pom.xml
+++ b/services/launchwizard/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
launchwizard
AWS Java SDK :: Services :: Launch Wizard
diff --git a/services/lexmodelbuilding/pom.xml b/services/lexmodelbuilding/pom.xml
index 0bdba0726ea8..66da744d7d9c 100644
--- a/services/lexmodelbuilding/pom.xml
+++ b/services/lexmodelbuilding/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
lexmodelbuilding
AWS Java SDK :: Services :: Amazon Lex Model Building
diff --git a/services/lexmodelsv2/pom.xml b/services/lexmodelsv2/pom.xml
index 0575fa3ebffe..b1c80fbce8bb 100644
--- a/services/lexmodelsv2/pom.xml
+++ b/services/lexmodelsv2/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
lexmodelsv2
AWS Java SDK :: Services :: Lex Models V2
diff --git a/services/lexruntime/pom.xml b/services/lexruntime/pom.xml
index 8cc9cf4c53f2..e5c140272e76 100644
--- a/services/lexruntime/pom.xml
+++ b/services/lexruntime/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
lexruntime
AWS Java SDK :: Services :: Amazon Lex Runtime
diff --git a/services/lexruntimev2/pom.xml b/services/lexruntimev2/pom.xml
index afbad0804458..df8182b25da1 100644
--- a/services/lexruntimev2/pom.xml
+++ b/services/lexruntimev2/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
lexruntimev2
AWS Java SDK :: Services :: Lex Runtime V2
diff --git a/services/licensemanager/pom.xml b/services/licensemanager/pom.xml
index 22546c72631f..c236072325e8 100644
--- a/services/licensemanager/pom.xml
+++ b/services/licensemanager/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
licensemanager
AWS Java SDK :: Services :: License Manager
diff --git a/services/licensemanagerlinuxsubscriptions/pom.xml b/services/licensemanagerlinuxsubscriptions/pom.xml
index a87ff10e12c2..6f91f202b825 100644
--- a/services/licensemanagerlinuxsubscriptions/pom.xml
+++ b/services/licensemanagerlinuxsubscriptions/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
licensemanagerlinuxsubscriptions
AWS Java SDK :: Services :: License Manager Linux Subscriptions
diff --git a/services/licensemanagerusersubscriptions/pom.xml b/services/licensemanagerusersubscriptions/pom.xml
index 6eb5d3dde0b2..c0ed6a983fdd 100644
--- a/services/licensemanagerusersubscriptions/pom.xml
+++ b/services/licensemanagerusersubscriptions/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
licensemanagerusersubscriptions
AWS Java SDK :: Services :: License Manager User Subscriptions
diff --git a/services/lightsail/pom.xml b/services/lightsail/pom.xml
index 4fa86f67b87c..f4b2bc342026 100644
--- a/services/lightsail/pom.xml
+++ b/services/lightsail/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
lightsail
AWS Java SDK :: Services :: Amazon Lightsail
diff --git a/services/location/pom.xml b/services/location/pom.xml
index 1c3a0dff3160..9057213a647c 100644
--- a/services/location/pom.xml
+++ b/services/location/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
location
AWS Java SDK :: Services :: Location
diff --git a/services/lookoutequipment/pom.xml b/services/lookoutequipment/pom.xml
index d48f7d9f1da0..2a16fcc0d60d 100644
--- a/services/lookoutequipment/pom.xml
+++ b/services/lookoutequipment/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
lookoutequipment
AWS Java SDK :: Services :: Lookout Equipment
diff --git a/services/lookoutmetrics/pom.xml b/services/lookoutmetrics/pom.xml
index 5e09f197d0e9..cb45e676feb6 100644
--- a/services/lookoutmetrics/pom.xml
+++ b/services/lookoutmetrics/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
lookoutmetrics
AWS Java SDK :: Services :: Lookout Metrics
diff --git a/services/lookoutvision/pom.xml b/services/lookoutvision/pom.xml
index 1f2fa3aec635..237d358a05a8 100644
--- a/services/lookoutvision/pom.xml
+++ b/services/lookoutvision/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
lookoutvision
AWS Java SDK :: Services :: Lookout Vision
diff --git a/services/m2/pom.xml b/services/m2/pom.xml
index 8b63d7559324..59b24e1e6965 100644
--- a/services/m2/pom.xml
+++ b/services/m2/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
m2
AWS Java SDK :: Services :: M2
diff --git a/services/machinelearning/pom.xml b/services/machinelearning/pom.xml
index c1b05904fa51..f7fe59c35d63 100644
--- a/services/machinelearning/pom.xml
+++ b/services/machinelearning/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
machinelearning
AWS Java SDK :: Services :: Amazon Machine Learning
diff --git a/services/macie2/pom.xml b/services/macie2/pom.xml
index 40e5a896b9a1..e1ae9f6bfb24 100644
--- a/services/macie2/pom.xml
+++ b/services/macie2/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
macie2
AWS Java SDK :: Services :: Macie2
diff --git a/services/mailmanager/pom.xml b/services/mailmanager/pom.xml
index b0428b17be71..ad9851c64f19 100644
--- a/services/mailmanager/pom.xml
+++ b/services/mailmanager/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
mailmanager
AWS Java SDK :: Services :: Mail Manager
diff --git a/services/managedblockchain/pom.xml b/services/managedblockchain/pom.xml
index 5f58bbd46b0b..a1152246a918 100644
--- a/services/managedblockchain/pom.xml
+++ b/services/managedblockchain/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
managedblockchain
AWS Java SDK :: Services :: ManagedBlockchain
diff --git a/services/managedblockchainquery/pom.xml b/services/managedblockchainquery/pom.xml
index c4a7cff778a1..356ef97117cb 100644
--- a/services/managedblockchainquery/pom.xml
+++ b/services/managedblockchainquery/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
managedblockchainquery
AWS Java SDK :: Services :: Managed Blockchain Query
diff --git a/services/marketplaceagreement/pom.xml b/services/marketplaceagreement/pom.xml
index 174f8a02fa39..17a2ea12ba91 100644
--- a/services/marketplaceagreement/pom.xml
+++ b/services/marketplaceagreement/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
marketplaceagreement
AWS Java SDK :: Services :: Marketplace Agreement
diff --git a/services/marketplacecatalog/pom.xml b/services/marketplacecatalog/pom.xml
index 663efb2dae87..57395feb7667 100644
--- a/services/marketplacecatalog/pom.xml
+++ b/services/marketplacecatalog/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
marketplacecatalog
AWS Java SDK :: Services :: Marketplace Catalog
diff --git a/services/marketplacecommerceanalytics/pom.xml b/services/marketplacecommerceanalytics/pom.xml
index e01267a8218e..1650e57a53fb 100644
--- a/services/marketplacecommerceanalytics/pom.xml
+++ b/services/marketplacecommerceanalytics/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
marketplacecommerceanalytics
AWS Java SDK :: Services :: AWS Marketplace Commerce Analytics
diff --git a/services/marketplacedeployment/pom.xml b/services/marketplacedeployment/pom.xml
index 5ea3977c821f..4be6332b1d82 100644
--- a/services/marketplacedeployment/pom.xml
+++ b/services/marketplacedeployment/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
marketplacedeployment
AWS Java SDK :: Services :: Marketplace Deployment
diff --git a/services/marketplaceentitlement/pom.xml b/services/marketplaceentitlement/pom.xml
index 7e1d195aa8e6..74770c83768d 100644
--- a/services/marketplaceentitlement/pom.xml
+++ b/services/marketplaceentitlement/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
marketplaceentitlement
AWS Java SDK :: Services :: AWS Marketplace Entitlement
diff --git a/services/marketplacemetering/pom.xml b/services/marketplacemetering/pom.xml
index eeda4364f66e..3a29b5124593 100644
--- a/services/marketplacemetering/pom.xml
+++ b/services/marketplacemetering/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
marketplacemetering
AWS Java SDK :: Services :: AWS Marketplace Metering Service
diff --git a/services/marketplacereporting/pom.xml b/services/marketplacereporting/pom.xml
index 2a84cec12c38..e4502708fd43 100644
--- a/services/marketplacereporting/pom.xml
+++ b/services/marketplacereporting/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
marketplacereporting
AWS Java SDK :: Services :: Marketplace Reporting
diff --git a/services/mediaconnect/pom.xml b/services/mediaconnect/pom.xml
index dd93105b0daa..4a4e998367fa 100644
--- a/services/mediaconnect/pom.xml
+++ b/services/mediaconnect/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
mediaconnect
AWS Java SDK :: Services :: MediaConnect
diff --git a/services/mediaconvert/pom.xml b/services/mediaconvert/pom.xml
index 0176334481c8..7d3c01b236b8 100644
--- a/services/mediaconvert/pom.xml
+++ b/services/mediaconvert/pom.xml
@@ -20,7 +20,7 @@
services
software.amazon.awssdk
- 2.28.22-SNAPSHOT
+ 2.28.22
4.0.0
mediaconvert
diff --git a/services/medialive/pom.xml b/services/medialive/pom.xml
index 10bb3e211806..d3fdbd0aa416 100644
--- a/services/medialive/pom.xml
+++ b/services/medialive/pom.xml
@@ -20,7 +20,7 @@
services
software.amazon.awssdk
- 2.28.22-SNAPSHOT
+ 2.28.22
4.0.0
medialive
diff --git a/services/mediapackage/pom.xml b/services/mediapackage/pom.xml
index fe4faaa7ad85..77c7b640c32f 100644
--- a/services/mediapackage/pom.xml
+++ b/services/mediapackage/pom.xml
@@ -20,7 +20,7 @@
services
software.amazon.awssdk
- 2.28.22-SNAPSHOT
+ 2.28.22
4.0.0
mediapackage
diff --git a/services/mediapackagev2/pom.xml b/services/mediapackagev2/pom.xml
index 3cea341ed895..5aa76f20b3ec 100644
--- a/services/mediapackagev2/pom.xml
+++ b/services/mediapackagev2/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
mediapackagev2
AWS Java SDK :: Services :: Media Package V2
diff --git a/services/mediapackagevod/pom.xml b/services/mediapackagevod/pom.xml
index 865d571a3bea..7c2906172d45 100644
--- a/services/mediapackagevod/pom.xml
+++ b/services/mediapackagevod/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
mediapackagevod
AWS Java SDK :: Services :: MediaPackage Vod
diff --git a/services/mediastore/pom.xml b/services/mediastore/pom.xml
index 060c537a32b3..361c7df6b7f8 100644
--- a/services/mediastore/pom.xml
+++ b/services/mediastore/pom.xml
@@ -20,7 +20,7 @@
services
software.amazon.awssdk
- 2.28.22-SNAPSHOT
+ 2.28.22
4.0.0
mediastore
diff --git a/services/mediastoredata/pom.xml b/services/mediastoredata/pom.xml
index 94ea711d01c7..8e862e736331 100644
--- a/services/mediastoredata/pom.xml
+++ b/services/mediastoredata/pom.xml
@@ -20,7 +20,7 @@
services
software.amazon.awssdk
- 2.28.22-SNAPSHOT
+ 2.28.22
4.0.0
mediastoredata
diff --git a/services/mediatailor/pom.xml b/services/mediatailor/pom.xml
index d73c78f87976..8c5753ea3c88 100644
--- a/services/mediatailor/pom.xml
+++ b/services/mediatailor/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
mediatailor
AWS Java SDK :: Services :: MediaTailor
diff --git a/services/medicalimaging/pom.xml b/services/medicalimaging/pom.xml
index 476debe8d087..6bc9487134ac 100644
--- a/services/medicalimaging/pom.xml
+++ b/services/medicalimaging/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
medicalimaging
AWS Java SDK :: Services :: Medical Imaging
diff --git a/services/memorydb/pom.xml b/services/memorydb/pom.xml
index ed5a0daf4a39..667e3351a87f 100644
--- a/services/memorydb/pom.xml
+++ b/services/memorydb/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
memorydb
AWS Java SDK :: Services :: Memory DB
diff --git a/services/mgn/pom.xml b/services/mgn/pom.xml
index 4ae42a607f6f..74e2130b3659 100644
--- a/services/mgn/pom.xml
+++ b/services/mgn/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
mgn
AWS Java SDK :: Services :: Mgn
diff --git a/services/migrationhub/pom.xml b/services/migrationhub/pom.xml
index 969f8a36ecd6..cc0b31f5c583 100644
--- a/services/migrationhub/pom.xml
+++ b/services/migrationhub/pom.xml
@@ -20,7 +20,7 @@
services
software.amazon.awssdk
- 2.28.22-SNAPSHOT
+ 2.28.22
4.0.0
migrationhub
diff --git a/services/migrationhubconfig/pom.xml b/services/migrationhubconfig/pom.xml
index cec258c7eaaa..170aae348d61 100644
--- a/services/migrationhubconfig/pom.xml
+++ b/services/migrationhubconfig/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
migrationhubconfig
AWS Java SDK :: Services :: MigrationHub Config
diff --git a/services/migrationhuborchestrator/pom.xml b/services/migrationhuborchestrator/pom.xml
index e3544e41f810..1a86ddfdbb1b 100644
--- a/services/migrationhuborchestrator/pom.xml
+++ b/services/migrationhuborchestrator/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
migrationhuborchestrator
AWS Java SDK :: Services :: Migration Hub Orchestrator
diff --git a/services/migrationhubrefactorspaces/pom.xml b/services/migrationhubrefactorspaces/pom.xml
index 8f4eeff6fdb9..1dd2ab610c3f 100644
--- a/services/migrationhubrefactorspaces/pom.xml
+++ b/services/migrationhubrefactorspaces/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
migrationhubrefactorspaces
AWS Java SDK :: Services :: Migration Hub Refactor Spaces
diff --git a/services/migrationhubstrategy/pom.xml b/services/migrationhubstrategy/pom.xml
index 66fa4a37f2f1..41a9121ee836 100644
--- a/services/migrationhubstrategy/pom.xml
+++ b/services/migrationhubstrategy/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
migrationhubstrategy
AWS Java SDK :: Services :: Migration Hub Strategy
diff --git a/services/mq/pom.xml b/services/mq/pom.xml
index 48debb1905a9..0ffce7677a00 100644
--- a/services/mq/pom.xml
+++ b/services/mq/pom.xml
@@ -20,7 +20,7 @@
services
software.amazon.awssdk
- 2.28.22-SNAPSHOT
+ 2.28.22
4.0.0
mq
diff --git a/services/mturk/pom.xml b/services/mturk/pom.xml
index 75eae7bf7d58..2e92029e7563 100644
--- a/services/mturk/pom.xml
+++ b/services/mturk/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
mturk
AWS Java SDK :: Services :: Amazon Mechanical Turk Requester
diff --git a/services/mwaa/pom.xml b/services/mwaa/pom.xml
index 74b7c19871d6..82d7caed13b3 100644
--- a/services/mwaa/pom.xml
+++ b/services/mwaa/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
mwaa
AWS Java SDK :: Services :: MWAA
diff --git a/services/neptune/pom.xml b/services/neptune/pom.xml
index db3b83ac65e3..8fa0fd9c861d 100644
--- a/services/neptune/pom.xml
+++ b/services/neptune/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
neptune
AWS Java SDK :: Services :: Neptune
diff --git a/services/neptunedata/pom.xml b/services/neptunedata/pom.xml
index 9f3be777f3e2..caaf349a7e92 100644
--- a/services/neptunedata/pom.xml
+++ b/services/neptunedata/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
neptunedata
AWS Java SDK :: Services :: Neptunedata
diff --git a/services/neptunegraph/pom.xml b/services/neptunegraph/pom.xml
index 02304547a838..954a5b50d205 100644
--- a/services/neptunegraph/pom.xml
+++ b/services/neptunegraph/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
neptunegraph
AWS Java SDK :: Services :: Neptune Graph
diff --git a/services/networkfirewall/pom.xml b/services/networkfirewall/pom.xml
index 0920fb636bc5..66c388f68cdb 100644
--- a/services/networkfirewall/pom.xml
+++ b/services/networkfirewall/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
networkfirewall
AWS Java SDK :: Services :: Network Firewall
diff --git a/services/networkmanager/pom.xml b/services/networkmanager/pom.xml
index 078df74df08e..20a903adb438 100644
--- a/services/networkmanager/pom.xml
+++ b/services/networkmanager/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
networkmanager
AWS Java SDK :: Services :: NetworkManager
diff --git a/services/networkmonitor/pom.xml b/services/networkmonitor/pom.xml
index 03bd1f704379..e10fafefccf4 100644
--- a/services/networkmonitor/pom.xml
+++ b/services/networkmonitor/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
networkmonitor
AWS Java SDK :: Services :: Network Monitor
diff --git a/services/nimble/pom.xml b/services/nimble/pom.xml
index c33ac5ba9596..ab789ddafcb7 100644
--- a/services/nimble/pom.xml
+++ b/services/nimble/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
nimble
AWS Java SDK :: Services :: Nimble
diff --git a/services/oam/pom.xml b/services/oam/pom.xml
index 286897db8403..7418e3bdb78a 100644
--- a/services/oam/pom.xml
+++ b/services/oam/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
oam
AWS Java SDK :: Services :: OAM
diff --git a/services/omics/pom.xml b/services/omics/pom.xml
index 471fb1fac1af..b5eadaace8fb 100644
--- a/services/omics/pom.xml
+++ b/services/omics/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
omics
AWS Java SDK :: Services :: Omics
diff --git a/services/opensearch/pom.xml b/services/opensearch/pom.xml
index 147cbbe3880b..79bf3fd3dbb5 100644
--- a/services/opensearch/pom.xml
+++ b/services/opensearch/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
opensearch
AWS Java SDK :: Services :: Open Search
diff --git a/services/opensearchserverless/pom.xml b/services/opensearchserverless/pom.xml
index 4fdc391b426c..6ba50eb22174 100644
--- a/services/opensearchserverless/pom.xml
+++ b/services/opensearchserverless/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
opensearchserverless
AWS Java SDK :: Services :: Open Search Serverless
diff --git a/services/opsworks/pom.xml b/services/opsworks/pom.xml
index 767de1768acb..b0ec25617e28 100644
--- a/services/opsworks/pom.xml
+++ b/services/opsworks/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
opsworks
AWS Java SDK :: Services :: AWS OpsWorks
diff --git a/services/opsworkscm/pom.xml b/services/opsworkscm/pom.xml
index 1c0855e6f7e6..2c6cbf83d985 100644
--- a/services/opsworkscm/pom.xml
+++ b/services/opsworkscm/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
opsworkscm
AWS Java SDK :: Services :: AWS OpsWorks for Chef Automate
diff --git a/services/organizations/pom.xml b/services/organizations/pom.xml
index 010cf7034995..d8eb07ba4cea 100644
--- a/services/organizations/pom.xml
+++ b/services/organizations/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
organizations
AWS Java SDK :: Services :: AWS Organizations
diff --git a/services/osis/pom.xml b/services/osis/pom.xml
index da965f390f23..2163b06b1925 100644
--- a/services/osis/pom.xml
+++ b/services/osis/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
osis
AWS Java SDK :: Services :: OSIS
diff --git a/services/outposts/pom.xml b/services/outposts/pom.xml
index a6ad6c4b857b..154bdb533f0c 100644
--- a/services/outposts/pom.xml
+++ b/services/outposts/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
outposts
AWS Java SDK :: Services :: Outposts
diff --git a/services/panorama/pom.xml b/services/panorama/pom.xml
index ab64f733b3d3..8e0a1ab3657a 100644
--- a/services/panorama/pom.xml
+++ b/services/panorama/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
panorama
AWS Java SDK :: Services :: Panorama
diff --git a/services/paymentcryptography/pom.xml b/services/paymentcryptography/pom.xml
index c2dca8e473fd..aa18e0b14b14 100644
--- a/services/paymentcryptography/pom.xml
+++ b/services/paymentcryptography/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
paymentcryptography
AWS Java SDK :: Services :: Payment Cryptography
diff --git a/services/paymentcryptographydata/pom.xml b/services/paymentcryptographydata/pom.xml
index cef893081690..136643a49943 100644
--- a/services/paymentcryptographydata/pom.xml
+++ b/services/paymentcryptographydata/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
paymentcryptographydata
AWS Java SDK :: Services :: Payment Cryptography Data
diff --git a/services/pcaconnectorad/pom.xml b/services/pcaconnectorad/pom.xml
index 0a0d57338a74..15b7cf9f0a88 100644
--- a/services/pcaconnectorad/pom.xml
+++ b/services/pcaconnectorad/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
pcaconnectorad
AWS Java SDK :: Services :: Pca Connector Ad
diff --git a/services/pcaconnectorscep/pom.xml b/services/pcaconnectorscep/pom.xml
index 0fae686060a3..a11e509a78cf 100644
--- a/services/pcaconnectorscep/pom.xml
+++ b/services/pcaconnectorscep/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
pcaconnectorscep
AWS Java SDK :: Services :: Pca Connector Scep
diff --git a/services/pcs/pom.xml b/services/pcs/pom.xml
index fd9cbec601be..e7842b8f4ee7 100644
--- a/services/pcs/pom.xml
+++ b/services/pcs/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
pcs
AWS Java SDK :: Services :: PCS
diff --git a/services/personalize/pom.xml b/services/personalize/pom.xml
index e363e5a84b16..9a80a9107f47 100644
--- a/services/personalize/pom.xml
+++ b/services/personalize/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
personalize
AWS Java SDK :: Services :: Personalize
diff --git a/services/personalizeevents/pom.xml b/services/personalizeevents/pom.xml
index 4b703eda4c0a..a1b58b612130 100644
--- a/services/personalizeevents/pom.xml
+++ b/services/personalizeevents/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
personalizeevents
AWS Java SDK :: Services :: Personalize Events
diff --git a/services/personalizeruntime/pom.xml b/services/personalizeruntime/pom.xml
index 24a1fb39caf2..1fdbb7e00f7e 100644
--- a/services/personalizeruntime/pom.xml
+++ b/services/personalizeruntime/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
personalizeruntime
AWS Java SDK :: Services :: Personalize Runtime
diff --git a/services/pi/pom.xml b/services/pi/pom.xml
index 712b946ab327..92a5c707a11d 100644
--- a/services/pi/pom.xml
+++ b/services/pi/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
pi
AWS Java SDK :: Services :: PI
diff --git a/services/pinpoint/pom.xml b/services/pinpoint/pom.xml
index b767c528aa2b..8831dfbf216f 100644
--- a/services/pinpoint/pom.xml
+++ b/services/pinpoint/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
pinpoint
AWS Java SDK :: Services :: Amazon Pinpoint
diff --git a/services/pinpointemail/pom.xml b/services/pinpointemail/pom.xml
index 899a3b5934db..4c3930e1cbbe 100644
--- a/services/pinpointemail/pom.xml
+++ b/services/pinpointemail/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
pinpointemail
AWS Java SDK :: Services :: Pinpoint Email
diff --git a/services/pinpointsmsvoice/pom.xml b/services/pinpointsmsvoice/pom.xml
index 6aa2e967c3c2..2041fb189cfe 100644
--- a/services/pinpointsmsvoice/pom.xml
+++ b/services/pinpointsmsvoice/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
pinpointsmsvoice
AWS Java SDK :: Services :: Pinpoint SMS Voice
diff --git a/services/pinpointsmsvoicev2/pom.xml b/services/pinpointsmsvoicev2/pom.xml
index 29614738aa9b..2c87aba829d8 100644
--- a/services/pinpointsmsvoicev2/pom.xml
+++ b/services/pinpointsmsvoicev2/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
pinpointsmsvoicev2
AWS Java SDK :: Services :: Pinpoint SMS Voice V2
diff --git a/services/pipes/pom.xml b/services/pipes/pom.xml
index b579cf6e4bc4..ec6e15411eb1 100644
--- a/services/pipes/pom.xml
+++ b/services/pipes/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
pipes
AWS Java SDK :: Services :: Pipes
diff --git a/services/polly/pom.xml b/services/polly/pom.xml
index ccec3af56045..8d660f2c77ec 100644
--- a/services/polly/pom.xml
+++ b/services/polly/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
polly
AWS Java SDK :: Services :: Amazon Polly
diff --git a/services/pom.xml b/services/pom.xml
index fa8f352d8550..eace112c0551 100644
--- a/services/pom.xml
+++ b/services/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
aws-sdk-java-pom
- 2.28.22-SNAPSHOT
+ 2.28.22
services
AWS Java SDK :: Services
diff --git a/services/pricing/pom.xml b/services/pricing/pom.xml
index 0e717c83b38f..8a5dd5b75559 100644
--- a/services/pricing/pom.xml
+++ b/services/pricing/pom.xml
@@ -20,7 +20,7 @@
services
software.amazon.awssdk
- 2.28.22-SNAPSHOT
+ 2.28.22
4.0.0
pricing
diff --git a/services/privatenetworks/pom.xml b/services/privatenetworks/pom.xml
index 7bd1397a8920..dcde1f7d405d 100644
--- a/services/privatenetworks/pom.xml
+++ b/services/privatenetworks/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
privatenetworks
AWS Java SDK :: Services :: Private Networks
diff --git a/services/proton/pom.xml b/services/proton/pom.xml
index b044c3491347..e18dc0df36ce 100644
--- a/services/proton/pom.xml
+++ b/services/proton/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
proton
AWS Java SDK :: Services :: Proton
diff --git a/services/qapps/pom.xml b/services/qapps/pom.xml
index d918fc86de9f..caf441d671b8 100644
--- a/services/qapps/pom.xml
+++ b/services/qapps/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
qapps
AWS Java SDK :: Services :: Q Apps
diff --git a/services/qbusiness/pom.xml b/services/qbusiness/pom.xml
index 093b608ecba9..66e4c69dc351 100644
--- a/services/qbusiness/pom.xml
+++ b/services/qbusiness/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
qbusiness
AWS Java SDK :: Services :: Q Business
diff --git a/services/qconnect/pom.xml b/services/qconnect/pom.xml
index 1eb30484ee81..460b19b77436 100644
--- a/services/qconnect/pom.xml
+++ b/services/qconnect/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
qconnect
AWS Java SDK :: Services :: Q Connect
diff --git a/services/qldb/pom.xml b/services/qldb/pom.xml
index 85c12d01b0f3..241a2f7c8807 100644
--- a/services/qldb/pom.xml
+++ b/services/qldb/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
qldb
AWS Java SDK :: Services :: QLDB
diff --git a/services/qldbsession/pom.xml b/services/qldbsession/pom.xml
index b94fe730ffa9..547c8dee02c3 100644
--- a/services/qldbsession/pom.xml
+++ b/services/qldbsession/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
qldbsession
AWS Java SDK :: Services :: QLDB Session
diff --git a/services/quicksight/pom.xml b/services/quicksight/pom.xml
index ec60104bdbfa..2516985f5ec2 100644
--- a/services/quicksight/pom.xml
+++ b/services/quicksight/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
quicksight
AWS Java SDK :: Services :: QuickSight
diff --git a/services/ram/pom.xml b/services/ram/pom.xml
index 4743a47197d6..c2c9176af8b9 100644
--- a/services/ram/pom.xml
+++ b/services/ram/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
ram
AWS Java SDK :: Services :: RAM
diff --git a/services/rbin/pom.xml b/services/rbin/pom.xml
index fdbc625f4e75..31f735cdd168 100644
--- a/services/rbin/pom.xml
+++ b/services/rbin/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
rbin
AWS Java SDK :: Services :: Rbin
diff --git a/services/rds/pom.xml b/services/rds/pom.xml
index a12d610b61f8..d327551e7756 100644
--- a/services/rds/pom.xml
+++ b/services/rds/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
rds
AWS Java SDK :: Services :: Amazon RDS
diff --git a/services/rdsdata/pom.xml b/services/rdsdata/pom.xml
index 85cdb5158802..96e5c464524f 100644
--- a/services/rdsdata/pom.xml
+++ b/services/rdsdata/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
rdsdata
AWS Java SDK :: Services :: RDS Data
diff --git a/services/redshift/pom.xml b/services/redshift/pom.xml
index ca62159be31d..e4c16dfafa96 100644
--- a/services/redshift/pom.xml
+++ b/services/redshift/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
redshift
AWS Java SDK :: Services :: Amazon Redshift
diff --git a/services/redshiftdata/pom.xml b/services/redshiftdata/pom.xml
index efce935b551e..af85493e34f4 100644
--- a/services/redshiftdata/pom.xml
+++ b/services/redshiftdata/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
redshiftdata
AWS Java SDK :: Services :: Redshift Data
diff --git a/services/redshiftserverless/pom.xml b/services/redshiftserverless/pom.xml
index ce308cd0402c..0aa3c81744dd 100644
--- a/services/redshiftserverless/pom.xml
+++ b/services/redshiftserverless/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
redshiftserverless
AWS Java SDK :: Services :: Redshift Serverless
diff --git a/services/rekognition/pom.xml b/services/rekognition/pom.xml
index 629cd6559419..c6302cbc7c34 100644
--- a/services/rekognition/pom.xml
+++ b/services/rekognition/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
rekognition
AWS Java SDK :: Services :: Amazon Rekognition
diff --git a/services/repostspace/pom.xml b/services/repostspace/pom.xml
index e27b5fba3b4a..a5e60cc4f872 100644
--- a/services/repostspace/pom.xml
+++ b/services/repostspace/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
repostspace
AWS Java SDK :: Services :: Repostspace
diff --git a/services/resiliencehub/pom.xml b/services/resiliencehub/pom.xml
index a3231aecf36f..3e01e4a6acd8 100644
--- a/services/resiliencehub/pom.xml
+++ b/services/resiliencehub/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
resiliencehub
AWS Java SDK :: Services :: Resiliencehub
diff --git a/services/resourceexplorer2/pom.xml b/services/resourceexplorer2/pom.xml
index 946c5ea08912..de5aa710e7e3 100644
--- a/services/resourceexplorer2/pom.xml
+++ b/services/resourceexplorer2/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
resourceexplorer2
AWS Java SDK :: Services :: Resource Explorer 2
diff --git a/services/resourcegroups/pom.xml b/services/resourcegroups/pom.xml
index b239f6890f6d..9edd7bac6fb3 100644
--- a/services/resourcegroups/pom.xml
+++ b/services/resourcegroups/pom.xml
@@ -20,7 +20,7 @@
services
software.amazon.awssdk
- 2.28.22-SNAPSHOT
+ 2.28.22
4.0.0
resourcegroups
diff --git a/services/resourcegroupstaggingapi/pom.xml b/services/resourcegroupstaggingapi/pom.xml
index fab1c09b7214..8d1178ee6bdc 100644
--- a/services/resourcegroupstaggingapi/pom.xml
+++ b/services/resourcegroupstaggingapi/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
resourcegroupstaggingapi
AWS Java SDK :: Services :: AWS Resource Groups Tagging API
diff --git a/services/robomaker/pom.xml b/services/robomaker/pom.xml
index 26f031e4ed2a..61453a80d5f8 100644
--- a/services/robomaker/pom.xml
+++ b/services/robomaker/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
robomaker
AWS Java SDK :: Services :: RoboMaker
diff --git a/services/rolesanywhere/pom.xml b/services/rolesanywhere/pom.xml
index 4c2aea92cf9e..97313fe76bd2 100644
--- a/services/rolesanywhere/pom.xml
+++ b/services/rolesanywhere/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
rolesanywhere
AWS Java SDK :: Services :: Roles Anywhere
diff --git a/services/route53/pom.xml b/services/route53/pom.xml
index ffcd109455d9..aa998be2c2f3 100644
--- a/services/route53/pom.xml
+++ b/services/route53/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
route53
AWS Java SDK :: Services :: Amazon Route53
diff --git a/services/route53domains/pom.xml b/services/route53domains/pom.xml
index 0c77584fa4e8..3aaaa9008a05 100644
--- a/services/route53domains/pom.xml
+++ b/services/route53domains/pom.xml
@@ -22,7 +22,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
route53domains
AWS Java SDK :: Services :: Amazon Route53 Domains
diff --git a/services/route53profiles/pom.xml b/services/route53profiles/pom.xml
index a4d16abb479a..9a4573bc7717 100644
--- a/services/route53profiles/pom.xml
+++ b/services/route53profiles/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
route53profiles
AWS Java SDK :: Services :: Route53 Profiles
diff --git a/services/route53recoverycluster/pom.xml b/services/route53recoverycluster/pom.xml
index 11b2548c51f6..b7100fd66942 100644
--- a/services/route53recoverycluster/pom.xml
+++ b/services/route53recoverycluster/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
route53recoverycluster
AWS Java SDK :: Services :: Route53 Recovery Cluster
diff --git a/services/route53recoverycontrolconfig/pom.xml b/services/route53recoverycontrolconfig/pom.xml
index 74c847bfd83c..fc87fe6cb5c7 100644
--- a/services/route53recoverycontrolconfig/pom.xml
+++ b/services/route53recoverycontrolconfig/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
route53recoverycontrolconfig
AWS Java SDK :: Services :: Route53 Recovery Control Config
diff --git a/services/route53recoveryreadiness/pom.xml b/services/route53recoveryreadiness/pom.xml
index c6b3e8081458..42eed21a5356 100644
--- a/services/route53recoveryreadiness/pom.xml
+++ b/services/route53recoveryreadiness/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
route53recoveryreadiness
AWS Java SDK :: Services :: Route53 Recovery Readiness
diff --git a/services/route53resolver/pom.xml b/services/route53resolver/pom.xml
index ccba0ad649cc..a9f6fb8518d8 100644
--- a/services/route53resolver/pom.xml
+++ b/services/route53resolver/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
route53resolver
AWS Java SDK :: Services :: Route53Resolver
diff --git a/services/rum/pom.xml b/services/rum/pom.xml
index 79c9ebda3222..eef2bee8f7c7 100644
--- a/services/rum/pom.xml
+++ b/services/rum/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
rum
AWS Java SDK :: Services :: RUM
diff --git a/services/s3/pom.xml b/services/s3/pom.xml
index 978e784865d7..d27368a76bc1 100644
--- a/services/s3/pom.xml
+++ b/services/s3/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
s3
AWS Java SDK :: Services :: Amazon S3
diff --git a/services/s3control/pom.xml b/services/s3control/pom.xml
index 08848668ed21..0ee46c5088b3 100644
--- a/services/s3control/pom.xml
+++ b/services/s3control/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
s3control
AWS Java SDK :: Services :: Amazon S3 Control
diff --git a/services/s3outposts/pom.xml b/services/s3outposts/pom.xml
index 6f60c0092623..6d7138339df0 100644
--- a/services/s3outposts/pom.xml
+++ b/services/s3outposts/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
s3outposts
AWS Java SDK :: Services :: S3 Outposts
diff --git a/services/sagemaker/pom.xml b/services/sagemaker/pom.xml
index 7c9179f2a431..916cb0c6f2f4 100644
--- a/services/sagemaker/pom.xml
+++ b/services/sagemaker/pom.xml
@@ -20,7 +20,7 @@
services
software.amazon.awssdk
- 2.28.22-SNAPSHOT
+ 2.28.22
4.0.0
sagemaker
diff --git a/services/sagemakera2iruntime/pom.xml b/services/sagemakera2iruntime/pom.xml
index 6ebb666ac983..141dae8d2959 100644
--- a/services/sagemakera2iruntime/pom.xml
+++ b/services/sagemakera2iruntime/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
sagemakera2iruntime
AWS Java SDK :: Services :: SageMaker A2I Runtime
diff --git a/services/sagemakeredge/pom.xml b/services/sagemakeredge/pom.xml
index a381c2fb3809..eabb42154c6d 100644
--- a/services/sagemakeredge/pom.xml
+++ b/services/sagemakeredge/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
sagemakeredge
AWS Java SDK :: Services :: Sagemaker Edge
diff --git a/services/sagemakerfeaturestoreruntime/pom.xml b/services/sagemakerfeaturestoreruntime/pom.xml
index aaed1389f690..f1472c40e5f7 100644
--- a/services/sagemakerfeaturestoreruntime/pom.xml
+++ b/services/sagemakerfeaturestoreruntime/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
sagemakerfeaturestoreruntime
AWS Java SDK :: Services :: Sage Maker Feature Store Runtime
diff --git a/services/sagemakergeospatial/pom.xml b/services/sagemakergeospatial/pom.xml
index e2969c3dee75..2a6cc4a4e4e4 100644
--- a/services/sagemakergeospatial/pom.xml
+++ b/services/sagemakergeospatial/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
sagemakergeospatial
AWS Java SDK :: Services :: Sage Maker Geospatial
diff --git a/services/sagemakermetrics/pom.xml b/services/sagemakermetrics/pom.xml
index 957d52764c70..3688421213f7 100644
--- a/services/sagemakermetrics/pom.xml
+++ b/services/sagemakermetrics/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
sagemakermetrics
AWS Java SDK :: Services :: Sage Maker Metrics
diff --git a/services/sagemakerruntime/pom.xml b/services/sagemakerruntime/pom.xml
index 6d303e33c2b5..37d8ad0ba8ad 100644
--- a/services/sagemakerruntime/pom.xml
+++ b/services/sagemakerruntime/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
sagemakerruntime
AWS Java SDK :: Services :: SageMaker Runtime
diff --git a/services/savingsplans/pom.xml b/services/savingsplans/pom.xml
index c7bbcb65cf7f..8041f1979d2c 100644
--- a/services/savingsplans/pom.xml
+++ b/services/savingsplans/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
savingsplans
AWS Java SDK :: Services :: Savingsplans
diff --git a/services/scheduler/pom.xml b/services/scheduler/pom.xml
index c3e5837f07f4..6930d9138624 100644
--- a/services/scheduler/pom.xml
+++ b/services/scheduler/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
scheduler
AWS Java SDK :: Services :: Scheduler
diff --git a/services/schemas/pom.xml b/services/schemas/pom.xml
index a95c8779d8de..7dde27c4199d 100644
--- a/services/schemas/pom.xml
+++ b/services/schemas/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
schemas
AWS Java SDK :: Services :: Schemas
diff --git a/services/secretsmanager/pom.xml b/services/secretsmanager/pom.xml
index b7cc08981981..72a0f8806fb0 100644
--- a/services/secretsmanager/pom.xml
+++ b/services/secretsmanager/pom.xml
@@ -22,7 +22,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
secretsmanager
AWS Java SDK :: Services :: AWS Secrets Manager
diff --git a/services/securityhub/pom.xml b/services/securityhub/pom.xml
index 8da67eb312a4..2c2609d493a2 100644
--- a/services/securityhub/pom.xml
+++ b/services/securityhub/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
securityhub
AWS Java SDK :: Services :: SecurityHub
diff --git a/services/securitylake/pom.xml b/services/securitylake/pom.xml
index 22f573e8299a..7c530e663a1c 100644
--- a/services/securitylake/pom.xml
+++ b/services/securitylake/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
securitylake
AWS Java SDK :: Services :: Security Lake
diff --git a/services/serverlessapplicationrepository/pom.xml b/services/serverlessapplicationrepository/pom.xml
index 8ec3e56c7bf9..8de52dbc2b65 100644
--- a/services/serverlessapplicationrepository/pom.xml
+++ b/services/serverlessapplicationrepository/pom.xml
@@ -20,7 +20,7 @@
services
software.amazon.awssdk
- 2.28.22-SNAPSHOT
+ 2.28.22
4.0.0
serverlessapplicationrepository
diff --git a/services/servicecatalog/pom.xml b/services/servicecatalog/pom.xml
index 9e3bc9d8f8f0..e289ca2ee62c 100644
--- a/services/servicecatalog/pom.xml
+++ b/services/servicecatalog/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
servicecatalog
AWS Java SDK :: Services :: AWS Service Catalog
diff --git a/services/servicecatalogappregistry/pom.xml b/services/servicecatalogappregistry/pom.xml
index 9ddb9ba5c087..a64a9df65a2e 100644
--- a/services/servicecatalogappregistry/pom.xml
+++ b/services/servicecatalogappregistry/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
servicecatalogappregistry
AWS Java SDK :: Services :: Service Catalog App Registry
diff --git a/services/servicediscovery/pom.xml b/services/servicediscovery/pom.xml
index c0e4a5a92d3d..a6d7057c02ce 100644
--- a/services/servicediscovery/pom.xml
+++ b/services/servicediscovery/pom.xml
@@ -20,7 +20,7 @@
services
software.amazon.awssdk
- 2.28.22-SNAPSHOT
+ 2.28.22
4.0.0
servicediscovery
diff --git a/services/servicequotas/pom.xml b/services/servicequotas/pom.xml
index e6cddc643c69..24e78b5b3dfe 100644
--- a/services/servicequotas/pom.xml
+++ b/services/servicequotas/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
servicequotas
AWS Java SDK :: Services :: Service Quotas
diff --git a/services/ses/pom.xml b/services/ses/pom.xml
index d0d068ff10e9..3b636d0617cc 100644
--- a/services/ses/pom.xml
+++ b/services/ses/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
ses
AWS Java SDK :: Services :: Amazon SES
diff --git a/services/sesv2/pom.xml b/services/sesv2/pom.xml
index 224e7c672b38..0f32184bd67b 100644
--- a/services/sesv2/pom.xml
+++ b/services/sesv2/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
sesv2
AWS Java SDK :: Services :: SESv2
diff --git a/services/sfn/pom.xml b/services/sfn/pom.xml
index cf9c40c6d03a..3cc74292d359 100644
--- a/services/sfn/pom.xml
+++ b/services/sfn/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
sfn
AWS Java SDK :: Services :: AWS Step Functions
diff --git a/services/shield/pom.xml b/services/shield/pom.xml
index ef956344d902..af3f42037e34 100644
--- a/services/shield/pom.xml
+++ b/services/shield/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
shield
AWS Java SDK :: Services :: AWS Shield
diff --git a/services/signer/pom.xml b/services/signer/pom.xml
index ada2858bf72d..133a61225f2e 100644
--- a/services/signer/pom.xml
+++ b/services/signer/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
signer
AWS Java SDK :: Services :: Signer
diff --git a/services/simspaceweaver/pom.xml b/services/simspaceweaver/pom.xml
index d44d99ed2a87..b10173f6ac5e 100644
--- a/services/simspaceweaver/pom.xml
+++ b/services/simspaceweaver/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
simspaceweaver
AWS Java SDK :: Services :: Sim Space Weaver
diff --git a/services/sms/pom.xml b/services/sms/pom.xml
index b7fdbff232fc..65801402d88b 100644
--- a/services/sms/pom.xml
+++ b/services/sms/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
sms
AWS Java SDK :: Services :: AWS Server Migration
diff --git a/services/snowball/pom.xml b/services/snowball/pom.xml
index da7766103c97..ee874b6e35f6 100644
--- a/services/snowball/pom.xml
+++ b/services/snowball/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
snowball
AWS Java SDK :: Services :: Amazon Snowball
diff --git a/services/snowdevicemanagement/pom.xml b/services/snowdevicemanagement/pom.xml
index a57f0c5040ac..b0dd75360701 100644
--- a/services/snowdevicemanagement/pom.xml
+++ b/services/snowdevicemanagement/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
snowdevicemanagement
AWS Java SDK :: Services :: Snow Device Management
diff --git a/services/sns/pom.xml b/services/sns/pom.xml
index 8ed248a82216..39e82f1a9970 100644
--- a/services/sns/pom.xml
+++ b/services/sns/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
sns
AWS Java SDK :: Services :: Amazon SNS
diff --git a/services/socialmessaging/pom.xml b/services/socialmessaging/pom.xml
index 43face6b003e..392c32cbb212 100644
--- a/services/socialmessaging/pom.xml
+++ b/services/socialmessaging/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
socialmessaging
AWS Java SDK :: Services :: Social Messaging
diff --git a/services/sqs/pom.xml b/services/sqs/pom.xml
index 683318e9b6fa..52e074bf1b27 100644
--- a/services/sqs/pom.xml
+++ b/services/sqs/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
sqs
AWS Java SDK :: Services :: Amazon SQS
diff --git a/services/ssm/pom.xml b/services/ssm/pom.xml
index a2158396bdb3..73dd2002dd04 100644
--- a/services/ssm/pom.xml
+++ b/services/ssm/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
ssm
AWS Java SDK :: Services :: AWS Simple Systems Management (SSM)
diff --git a/services/ssmcontacts/pom.xml b/services/ssmcontacts/pom.xml
index bc8f62830e9e..2a28c640e671 100644
--- a/services/ssmcontacts/pom.xml
+++ b/services/ssmcontacts/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
ssmcontacts
AWS Java SDK :: Services :: SSM Contacts
diff --git a/services/ssmincidents/pom.xml b/services/ssmincidents/pom.xml
index 14f432cd5bb9..2246dbb77cdd 100644
--- a/services/ssmincidents/pom.xml
+++ b/services/ssmincidents/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
ssmincidents
AWS Java SDK :: Services :: SSM Incidents
diff --git a/services/ssmquicksetup/pom.xml b/services/ssmquicksetup/pom.xml
index a80a48eafe27..7d405304f365 100644
--- a/services/ssmquicksetup/pom.xml
+++ b/services/ssmquicksetup/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
ssmquicksetup
AWS Java SDK :: Services :: SSM Quick Setup
diff --git a/services/ssmsap/pom.xml b/services/ssmsap/pom.xml
index e2c9afd97c04..7fc119a3a68c 100644
--- a/services/ssmsap/pom.xml
+++ b/services/ssmsap/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
ssmsap
AWS Java SDK :: Services :: Ssm Sap
diff --git a/services/sso/pom.xml b/services/sso/pom.xml
index a69fb9fdeda7..5fad04a0b9fe 100644
--- a/services/sso/pom.xml
+++ b/services/sso/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
sso
AWS Java SDK :: Services :: SSO
diff --git a/services/ssoadmin/pom.xml b/services/ssoadmin/pom.xml
index a248d6a5e56a..338f4ae8abb0 100644
--- a/services/ssoadmin/pom.xml
+++ b/services/ssoadmin/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
ssoadmin
AWS Java SDK :: Services :: SSO Admin
diff --git a/services/ssooidc/pom.xml b/services/ssooidc/pom.xml
index 2b63686fef16..da66f93d6cde 100644
--- a/services/ssooidc/pom.xml
+++ b/services/ssooidc/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
ssooidc
AWS Java SDK :: Services :: SSO OIDC
diff --git a/services/storagegateway/pom.xml b/services/storagegateway/pom.xml
index dd1358db7245..ba8cc3180ef9 100644
--- a/services/storagegateway/pom.xml
+++ b/services/storagegateway/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
storagegateway
AWS Java SDK :: Services :: AWS Storage Gateway
diff --git a/services/sts/pom.xml b/services/sts/pom.xml
index 2f3ad0362fab..881d02809a24 100644
--- a/services/sts/pom.xml
+++ b/services/sts/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
sts
AWS Java SDK :: Services :: AWS STS
diff --git a/services/supplychain/pom.xml b/services/supplychain/pom.xml
index 9c44055bb667..d0c3f23d2941 100644
--- a/services/supplychain/pom.xml
+++ b/services/supplychain/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
supplychain
AWS Java SDK :: Services :: Supply Chain
diff --git a/services/support/pom.xml b/services/support/pom.xml
index c86e4a7787e6..77cbd6cd55fa 100644
--- a/services/support/pom.xml
+++ b/services/support/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
support
AWS Java SDK :: Services :: AWS Support
diff --git a/services/supportapp/pom.xml b/services/supportapp/pom.xml
index f6f69332a9d0..a9bf745987ee 100644
--- a/services/supportapp/pom.xml
+++ b/services/supportapp/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
supportapp
AWS Java SDK :: Services :: Support App
diff --git a/services/swf/pom.xml b/services/swf/pom.xml
index f48e68edccab..3673d4c3ec64 100644
--- a/services/swf/pom.xml
+++ b/services/swf/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
swf
AWS Java SDK :: Services :: Amazon SWF
diff --git a/services/synthetics/pom.xml b/services/synthetics/pom.xml
index 46d22bf4b4d2..39a66202cb60 100644
--- a/services/synthetics/pom.xml
+++ b/services/synthetics/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
synthetics
AWS Java SDK :: Services :: Synthetics
diff --git a/services/taxsettings/pom.xml b/services/taxsettings/pom.xml
index 25769aa84802..c5c09519ae8d 100644
--- a/services/taxsettings/pom.xml
+++ b/services/taxsettings/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
taxsettings
AWS Java SDK :: Services :: Tax Settings
diff --git a/services/textract/pom.xml b/services/textract/pom.xml
index 179004baf83b..ddb22381d667 100644
--- a/services/textract/pom.xml
+++ b/services/textract/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
textract
AWS Java SDK :: Services :: Textract
diff --git a/services/timestreaminfluxdb/pom.xml b/services/timestreaminfluxdb/pom.xml
index cde3d4ef48d2..da9f29c5d777 100644
--- a/services/timestreaminfluxdb/pom.xml
+++ b/services/timestreaminfluxdb/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
timestreaminfluxdb
AWS Java SDK :: Services :: Timestream Influx DB
diff --git a/services/timestreamquery/pom.xml b/services/timestreamquery/pom.xml
index afe72fd0f8f5..2b547b7c048d 100644
--- a/services/timestreamquery/pom.xml
+++ b/services/timestreamquery/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
timestreamquery
AWS Java SDK :: Services :: Timestream Query
diff --git a/services/timestreamwrite/pom.xml b/services/timestreamwrite/pom.xml
index de8cdb89d10b..34d9db5f934e 100644
--- a/services/timestreamwrite/pom.xml
+++ b/services/timestreamwrite/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
timestreamwrite
AWS Java SDK :: Services :: Timestream Write
diff --git a/services/tnb/pom.xml b/services/tnb/pom.xml
index b0a8fae7a038..81b553847af1 100644
--- a/services/tnb/pom.xml
+++ b/services/tnb/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
tnb
AWS Java SDK :: Services :: Tnb
diff --git a/services/transcribe/pom.xml b/services/transcribe/pom.xml
index 1b4039f761ac..4ea96d7ec74b 100644
--- a/services/transcribe/pom.xml
+++ b/services/transcribe/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
transcribe
AWS Java SDK :: Services :: Transcribe
diff --git a/services/transcribestreaming/pom.xml b/services/transcribestreaming/pom.xml
index 089ce3c4333a..0320070336e3 100644
--- a/services/transcribestreaming/pom.xml
+++ b/services/transcribestreaming/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
transcribestreaming
AWS Java SDK :: Services :: AWS Transcribe Streaming
diff --git a/services/transfer/pom.xml b/services/transfer/pom.xml
index 6d90d0d022b0..6b7c6016831f 100644
--- a/services/transfer/pom.xml
+++ b/services/transfer/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
transfer
AWS Java SDK :: Services :: Transfer
diff --git a/services/translate/pom.xml b/services/translate/pom.xml
index 0754d770cb01..3160103ef91a 100644
--- a/services/translate/pom.xml
+++ b/services/translate/pom.xml
@@ -20,7 +20,7 @@
services
software.amazon.awssdk
- 2.28.22-SNAPSHOT
+ 2.28.22
4.0.0
translate
diff --git a/services/trustedadvisor/pom.xml b/services/trustedadvisor/pom.xml
index 073808dd5cf8..1ab8f7765629 100644
--- a/services/trustedadvisor/pom.xml
+++ b/services/trustedadvisor/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
trustedadvisor
AWS Java SDK :: Services :: Trusted Advisor
diff --git a/services/verifiedpermissions/pom.xml b/services/verifiedpermissions/pom.xml
index 1b2c0255e8c3..50d5ca1e6833 100644
--- a/services/verifiedpermissions/pom.xml
+++ b/services/verifiedpermissions/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
verifiedpermissions
AWS Java SDK :: Services :: Verified Permissions
diff --git a/services/voiceid/pom.xml b/services/voiceid/pom.xml
index 2e96b57b4fb9..15976671c9fd 100644
--- a/services/voiceid/pom.xml
+++ b/services/voiceid/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
voiceid
AWS Java SDK :: Services :: Voice ID
diff --git a/services/vpclattice/pom.xml b/services/vpclattice/pom.xml
index 5fe8720885a1..570aabcb6cbb 100644
--- a/services/vpclattice/pom.xml
+++ b/services/vpclattice/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
vpclattice
AWS Java SDK :: Services :: VPC Lattice
diff --git a/services/waf/pom.xml b/services/waf/pom.xml
index 486b8d4f627c..8e261b75c73f 100644
--- a/services/waf/pom.xml
+++ b/services/waf/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
waf
AWS Java SDK :: Services :: AWS WAF
diff --git a/services/wafv2/pom.xml b/services/wafv2/pom.xml
index c377873baf1c..ea3214d4edcb 100644
--- a/services/wafv2/pom.xml
+++ b/services/wafv2/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
wafv2
AWS Java SDK :: Services :: WAFV2
diff --git a/services/wellarchitected/pom.xml b/services/wellarchitected/pom.xml
index d19571d24169..055ee819d7de 100644
--- a/services/wellarchitected/pom.xml
+++ b/services/wellarchitected/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
wellarchitected
AWS Java SDK :: Services :: Well Architected
diff --git a/services/wisdom/pom.xml b/services/wisdom/pom.xml
index 7a793195b7bc..c99ac7f3c781 100644
--- a/services/wisdom/pom.xml
+++ b/services/wisdom/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
wisdom
AWS Java SDK :: Services :: Wisdom
diff --git a/services/workdocs/pom.xml b/services/workdocs/pom.xml
index 973f0e2e174b..f47600b5a565 100644
--- a/services/workdocs/pom.xml
+++ b/services/workdocs/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
workdocs
AWS Java SDK :: Services :: Amazon WorkDocs
diff --git a/services/workmail/pom.xml b/services/workmail/pom.xml
index b0988dcf95ce..8b56c270f889 100644
--- a/services/workmail/pom.xml
+++ b/services/workmail/pom.xml
@@ -20,7 +20,7 @@
services
software.amazon.awssdk
- 2.28.22-SNAPSHOT
+ 2.28.22
4.0.0
workmail
diff --git a/services/workmailmessageflow/pom.xml b/services/workmailmessageflow/pom.xml
index b0edc43f0f5b..d4db72752fb3 100644
--- a/services/workmailmessageflow/pom.xml
+++ b/services/workmailmessageflow/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
workmailmessageflow
AWS Java SDK :: Services :: WorkMailMessageFlow
diff --git a/services/workspaces/pom.xml b/services/workspaces/pom.xml
index 099259d28add..d3dd8df6a0e9 100644
--- a/services/workspaces/pom.xml
+++ b/services/workspaces/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
workspaces
AWS Java SDK :: Services :: Amazon WorkSpaces
diff --git a/services/workspacesthinclient/pom.xml b/services/workspacesthinclient/pom.xml
index 9ab537ac73f0..00fefa224871 100644
--- a/services/workspacesthinclient/pom.xml
+++ b/services/workspacesthinclient/pom.xml
@@ -17,7 +17,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
workspacesthinclient
AWS Java SDK :: Services :: Work Spaces Thin Client
diff --git a/services/workspacesweb/pom.xml b/services/workspacesweb/pom.xml
index 16499d81d796..5cf8fabf6ed0 100644
--- a/services/workspacesweb/pom.xml
+++ b/services/workspacesweb/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
workspacesweb
AWS Java SDK :: Services :: Work Spaces Web
diff --git a/services/xray/pom.xml b/services/xray/pom.xml
index 3bf28d7adf89..b0cbc7392096 100644
--- a/services/xray/pom.xml
+++ b/services/xray/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
services
- 2.28.22-SNAPSHOT
+ 2.28.22
xray
AWS Java SDK :: Services :: AWS X-Ray
diff --git a/test/auth-tests/pom.xml b/test/auth-tests/pom.xml
index 985e02a8ee79..ef0fa0d6adb7 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.28.22-SNAPSHOT
+ 2.28.22
../../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 7b57833d938c..32685a3af66a 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.28.22-SNAPSHOT
+ 2.28.22
../../pom.xml
4.0.0
diff --git a/test/bundle-shading-tests/pom.xml b/test/bundle-shading-tests/pom.xml
index 5c25ad6ad53a..5b20ae0d8e1d 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.28.22-SNAPSHOT
+ 2.28.22
../../pom.xml
4.0.0
diff --git a/test/codegen-generated-classes-test/pom.xml b/test/codegen-generated-classes-test/pom.xml
index 8ef3ea0d365b..cc177151875b 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.28.22-SNAPSHOT
+ 2.28.22
../../pom.xml
diff --git a/test/crt-unavailable-tests/pom.xml b/test/crt-unavailable-tests/pom.xml
index a7ff44c08ead..66c2f257826d 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.28.22-SNAPSHOT
+ 2.28.22
../../pom.xml
4.0.0
diff --git a/test/http-client-tests/pom.xml b/test/http-client-tests/pom.xml
index f3234f1512c9..fc1b7ba68041 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.28.22-SNAPSHOT
+ 2.28.22
../../pom.xml
http-client-tests
diff --git a/test/module-path-tests/pom.xml b/test/module-path-tests/pom.xml
index fb7d9bd3e3b2..41d2b1d573dc 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.28.22-SNAPSHOT
+ 2.28.22
../../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 373482a09d2b..6c07bdf07ef5 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.28.22-SNAPSHOT
+ 2.28.22
../../pom.xml
diff --git a/test/protocol-tests-core/pom.xml b/test/protocol-tests-core/pom.xml
index ca54211ee854..d43177951a26 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.28.22-SNAPSHOT
+ 2.28.22
../../pom.xml
4.0.0
diff --git a/test/protocol-tests/pom.xml b/test/protocol-tests/pom.xml
index 0ff751418b3e..9856d845d93a 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.28.22-SNAPSHOT
+ 2.28.22
../../pom.xml
4.0.0
diff --git a/test/region-testing/pom.xml b/test/region-testing/pom.xml
index e2979c68e632..601edf5ff627 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.28.22-SNAPSHOT
+ 2.28.22
../../pom.xml
4.0.0
diff --git a/test/ruleset-testing-core/pom.xml b/test/ruleset-testing-core/pom.xml
index 584bbb665abc..95bf45ce3c23 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.28.22-SNAPSHOT
+ 2.28.22
../../pom.xml
4.0.0
diff --git a/test/s3-benchmarks/pom.xml b/test/s3-benchmarks/pom.xml
index 5a204be4209a..4f4a4c79cc14 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.28.22-SNAPSHOT
+ 2.28.22
../../pom.xml
4.0.0
diff --git a/test/sdk-benchmarks/pom.xml b/test/sdk-benchmarks/pom.xml
index 9d00c5083073..fffae670c792 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.28.22-SNAPSHOT
+ 2.28.22
../../pom.xml
diff --git a/test/sdk-native-image-test/pom.xml b/test/sdk-native-image-test/pom.xml
index e4f653b24dd8..2ec578f39518 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.28.22-SNAPSHOT
+ 2.28.22
../../pom.xml
4.0.0
diff --git a/test/service-test-utils/pom.xml b/test/service-test-utils/pom.xml
index d42cff8dedd2..3d861d437bae 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.28.22-SNAPSHOT
+ 2.28.22
../../pom.xml
service-test-utils
diff --git a/test/stability-tests/pom.xml b/test/stability-tests/pom.xml
index 559b64bb7d6b..491d3ea550c2 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.28.22-SNAPSHOT
+ 2.28.22
../../pom.xml
4.0.0
diff --git a/test/test-utils/pom.xml b/test/test-utils/pom.xml
index dbcee80d49b6..5834b4f1d010 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.28.22-SNAPSHOT
+ 2.28.22
../../pom.xml
test-utils
diff --git a/test/tests-coverage-reporting/pom.xml b/test/tests-coverage-reporting/pom.xml
index 6ceb5902bb3f..6d13c7f2abcb 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.28.22-SNAPSHOT
+ 2.28.22
../../pom.xml
4.0.0
diff --git a/test/v2-migration-tests/pom.xml b/test/v2-migration-tests/pom.xml
index bd9a21c4326f..752e728d14a4 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.28.22-SNAPSHOT
+ 2.28.22
../..
diff --git a/third-party/pom.xml b/third-party/pom.xml
index ea5645d73bd5..4bf5bbded281 100644
--- a/third-party/pom.xml
+++ b/third-party/pom.xml
@@ -21,7 +21,7 @@
aws-sdk-java-pom
software.amazon.awssdk
- 2.28.22-SNAPSHOT
+ 2.28.22
third-party
diff --git a/third-party/third-party-jackson-core/pom.xml b/third-party/third-party-jackson-core/pom.xml
index ed29e57b04c5..7d21ab32682e 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.28.22-SNAPSHOT
+ 2.28.22
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 b36ac7b5157a..627098b629e9 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.28.22-SNAPSHOT
+ 2.28.22
4.0.0
diff --git a/third-party/third-party-slf4j-api/pom.xml b/third-party/third-party-slf4j-api/pom.xml
index 4de84ebf3f49..d9d338acef94 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.28.22-SNAPSHOT
+ 2.28.22
4.0.0
diff --git a/utils/pom.xml b/utils/pom.xml
index e4d706fbe6e3..4e15dc0adcd0 100644
--- a/utils/pom.xml
+++ b/utils/pom.xml
@@ -20,7 +20,7 @@
aws-sdk-java-pom
software.amazon.awssdk
- 2.28.22-SNAPSHOT
+ 2.28.22
4.0.0
diff --git a/v2-migration/pom.xml b/v2-migration/pom.xml
index 9b377d88d2b9..31991183354d 100644
--- a/v2-migration/pom.xml
+++ b/v2-migration/pom.xml
@@ -21,7 +21,7 @@
software.amazon.awssdk
aws-sdk-java-pom
- 2.28.22-SNAPSHOT
+ 2.28.22
../pom.xml