From 3f954e41d0def5a07cd78f9d92f3c0633dfa25ac Mon Sep 17 00:00:00 2001 From: Deepesh Shetty Date: Tue, 3 Sep 2024 18:20:39 +0100 Subject: [PATCH 001/108] Adding support for Select in ScanEnhancedRequest (#5519) --- ...eature-DynamoDBEnhancedClient-da7de1f.json | 6 ++ .../internal/operations/ScanOperation.java | 1 + .../dynamodb/model/ScanEnhancedRequest.java | 41 ++++++++ .../functionaltests/BasicScanTest.java | 96 +++++++++++++++++++ .../document/BasicScanTest.java | 55 +++++++++++ 5 files changed, 199 insertions(+) create mode 100644 .changes/next-release/feature-DynamoDBEnhancedClient-da7de1f.json diff --git a/.changes/next-release/feature-DynamoDBEnhancedClient-da7de1f.json b/.changes/next-release/feature-DynamoDBEnhancedClient-da7de1f.json new file mode 100644 index 000000000000..5c7559ca83bc --- /dev/null +++ b/.changes/next-release/feature-DynamoDBEnhancedClient-da7de1f.json @@ -0,0 +1,6 @@ +{ + "category": "DynamoDB Enhanced Client", + "contributor": "shetsa-amzn", + "type": "feature", + "description": "Adding support for Select in ScanEnhancedRequest" +} diff --git a/services-custom/dynamodb-enhanced/src/main/java/software/amazon/awssdk/enhanced/dynamodb/internal/operations/ScanOperation.java b/services-custom/dynamodb-enhanced/src/main/java/software/amazon/awssdk/enhanced/dynamodb/internal/operations/ScanOperation.java index e8714a5ac54b..94c6f9416d6c 100644 --- a/services-custom/dynamodb-enhanced/src/main/java/software/amazon/awssdk/enhanced/dynamodb/internal/operations/ScanOperation.java +++ b/services-custom/dynamodb-enhanced/src/main/java/software/amazon/awssdk/enhanced/dynamodb/internal/operations/ScanOperation.java @@ -82,6 +82,7 @@ public ScanRequest generateRequest(TableSchema tableSchema, .exclusiveStartKey(this.request.exclusiveStartKey()) .consistentRead(this.request.consistentRead()) .returnConsumedCapacity(this.request.returnConsumedCapacity()) + .select(this.request.select()) .expressionAttributeValues(expressionValues) .expressionAttributeNames(expressionNames) .projectionExpression(projectionExpressionAsString); diff --git a/services-custom/dynamodb-enhanced/src/main/java/software/amazon/awssdk/enhanced/dynamodb/model/ScanEnhancedRequest.java b/services-custom/dynamodb-enhanced/src/main/java/software/amazon/awssdk/enhanced/dynamodb/model/ScanEnhancedRequest.java index 624e9beaa9ba..e5f00c5e7da1 100644 --- a/services-custom/dynamodb-enhanced/src/main/java/software/amazon/awssdk/enhanced/dynamodb/model/ScanEnhancedRequest.java +++ b/services-custom/dynamodb-enhanced/src/main/java/software/amazon/awssdk/enhanced/dynamodb/model/ScanEnhancedRequest.java @@ -32,6 +32,7 @@ import software.amazon.awssdk.services.dynamodb.model.AttributeValue; import software.amazon.awssdk.services.dynamodb.model.ReturnConsumedCapacity; import software.amazon.awssdk.services.dynamodb.model.ScanRequest; +import software.amazon.awssdk.services.dynamodb.model.Select; import software.amazon.awssdk.utils.Validate; /** @@ -48,6 +49,7 @@ public final class ScanEnhancedRequest { private final Integer limit; private final Boolean consistentRead; private final Expression filterExpression; + private final Select select; private final List attributesToProject; private final Integer segment; private final Integer totalSegments; @@ -60,6 +62,7 @@ private ScanEnhancedRequest(Builder builder) { this.totalSegments = builder.totalSegments; this.consistentRead = builder.consistentRead; this.filterExpression = builder.filterExpression; + this.select = builder.select; this.returnConsumedCapacity = builder.returnConsumedCapacity; this.attributesToProject = builder.attributesToProject != null ? Collections.unmodifiableList(builder.attributesToProject) @@ -83,6 +86,7 @@ public Builder toBuilder() { .totalSegments(totalSegments) .consistentRead(consistentRead) .filterExpression(filterExpression) + .select(select) .returnConsumedCapacity(returnConsumedCapacity) .addNestedAttributesToProject(attributesToProject); } @@ -129,6 +133,24 @@ public Expression filterExpression() { return filterExpression; } + /** + * Returns the value of select, or null if it doesn't exist. + * @return + */ + public Select select() { + return select; + } + + /** + * Returns the value of select as a string, or null if it doesn't exist. + * @return + */ + public String selectAsString() { + return String.valueOf(select); + } + + /** + /** * Returns the list of projected attributes on this request object, or an null if no projection is specified. * Nested attributes are represented using the '.' separator. Example : foo.bar is represented as "foo.bar" which is @@ -204,6 +226,11 @@ public boolean equals(Object o) { ? !returnConsumedCapacity.equals(scan.returnConsumedCapacity) : scan.returnConsumedCapacity != null) { return false; } + + if (select != null ? ! select.equals(scan.select) : scan.select != null) { + return false; + } + return filterExpression != null ? filterExpression.equals(scan.filterExpression) : scan.filterExpression == null; } @@ -215,6 +242,7 @@ public int hashCode() { result = 31 * result + (totalSegments != null ? totalSegments.hashCode() : 0); result = 31 * result + (consistentRead != null ? consistentRead.hashCode() : 0); result = 31 * result + (filterExpression != null ? filterExpression.hashCode() : 0); + result = 31 * result + (select != null ? select.hashCode() : 0); result = 31 * result + (attributesToProject != null ? attributesToProject.hashCode() : 0); result = 31 * result + (returnConsumedCapacity != null ? returnConsumedCapacity.hashCode() : 0); return result; @@ -229,6 +257,7 @@ public static final class Builder { private Integer limit; private Boolean consistentRead; private Expression filterExpression; + private Select select; private List attributesToProject; private Integer segment; private Integer totalSegments; @@ -335,6 +364,18 @@ public Builder filterExpression(Expression filterExpression) { return this; } + /** + * Determines the attributes to be returned in the result. See {@link Select} for examples and constraints. + * By default, all attributes are returned. + * @param select + * @return a builder of this type + */ + public Builder select(Select select) { + this.select = select; + return this; + } + + /** *

* Sets a collection of the attribute names to be retrieved from the database. These attributes can include diff --git a/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/BasicScanTest.java b/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/BasicScanTest.java index 7e274fe39d17..d7e3ba50d05a 100644 --- a/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/BasicScanTest.java +++ b/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/BasicScanTest.java @@ -45,6 +45,7 @@ import software.amazon.awssdk.enhanced.dynamodb.Expression; import software.amazon.awssdk.enhanced.dynamodb.NestedAttributeName; import software.amazon.awssdk.enhanced.dynamodb.TableSchema; +import software.amazon.awssdk.enhanced.dynamodb.document.EnhancedDocument; import software.amazon.awssdk.enhanced.dynamodb.functionaltests.models.InnerAttributeRecord; import software.amazon.awssdk.enhanced.dynamodb.functionaltests.models.NestedTestRecord; import software.amazon.awssdk.enhanced.dynamodb.mapper.StaticTableSchema; @@ -52,6 +53,7 @@ import software.amazon.awssdk.enhanced.dynamodb.model.ScanEnhancedRequest; import software.amazon.awssdk.services.dynamodb.model.AttributeValue; import software.amazon.awssdk.services.dynamodb.model.DeleteTableRequest; +import software.amazon.awssdk.services.dynamodb.model.Select; public class BasicScanTest extends LocalDynamoDbSyncTestBase { private static class Record { @@ -645,4 +647,98 @@ public void scanAllRecordsWithNestedProjectionNameEmptyNameMap() { Page next = resultsAttributeToProject.next(); }); } + + @Test + public void scanAllRecordsWithSelect_specific_attr() { + insertRecords(); + Map expressionValues = new HashMap<>(); + expressionValues.put(":min_value", numberValue(3)); + expressionValues.put(":max_value", numberValue(5)); + Expression expression = Expression.builder() + .expression("#sort >= :min_value AND #sort <= :max_value") + .expressionValues(expressionValues) + .putExpressionName("#sort", "sort") + .build(); + + Iterator> results = + mappedTable.scan( + ScanEnhancedRequest.builder() + .attributesToProject("sort") + .select(Select.SPECIFIC_ATTRIBUTES) + .filterExpression(expression) + .build() + ).iterator(); + + assertThat(results.hasNext(), is(true)); + Page page = results.next(); + assertThat(results.hasNext(), is(false)); + + assertThat(page.items(), hasSize(3)); + + Record record = page.items().get(0); + + assertThat(record.id, is(nullValue())); + assertThat(record.sort, is(3)); + } + + @Test + public void scanAllRecordsWithSelect_All_Attr() { + insertRecords(); + Map expressionValues = new HashMap<>(); + expressionValues.put(":min_value", numberValue(3)); + expressionValues.put(":max_value", numberValue(5)); + Expression expression = Expression.builder() + .expression("#sort >= :min_value AND #sort <= :max_value") + .expressionValues(expressionValues) + .putExpressionName("#sort", "sort") + .build(); + + Iterator> results = + mappedTable.scan( + ScanEnhancedRequest.builder() + .select(Select.ALL_ATTRIBUTES) + .filterExpression(expression) + .build() + ).iterator(); + + assertThat(results.hasNext(), is(true)); + Page page = results.next(); + assertThat(results.hasNext(), is(false)); + + assertThat(page.items(), hasSize(3)); + + Record record = page.items().get(0); + + assertThat(record.id, is("id-value")); + assertThat(record.sort, is(3)); + } + + @Test + public void scanAllRecordsWithSelect_Count() { + insertRecords(); + Map expressionValues = new HashMap<>(); + expressionValues.put(":min_value", numberValue(3)); + expressionValues.put(":max_value", numberValue(5)); + Expression expression = Expression.builder() + .expression("#sort >= :min_value AND #sort <= :max_value") + .expressionValues(expressionValues) + .putExpressionName("#sort", "sort") + .build(); + + Iterator> results = + mappedTable.scan( + ScanEnhancedRequest.builder() + .select(Select.COUNT) + .filterExpression(expression) + .build() + ).iterator(); + + assertThat(results.hasNext(), is(true)); + Page page = results.next(); + assertThat(results.hasNext(), is(false)); + + assertThat(page.count(), is(3)); + + assertThat(page.items().size(), is(0)); + } } diff --git a/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/document/BasicScanTest.java b/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/document/BasicScanTest.java index 6f0b9284f58c..218e4958c845 100644 --- a/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/document/BasicScanTest.java +++ b/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/document/BasicScanTest.java @@ -20,6 +20,7 @@ import static org.hamcrest.Matchers.empty; import static org.hamcrest.Matchers.hasSize; import static org.hamcrest.Matchers.is; +import static org.hamcrest.Matchers.isEmptyString; import static org.hamcrest.Matchers.nullValue; import static software.amazon.awssdk.enhanced.dynamodb.AttributeConverterProvider.defaultProvider; import static software.amazon.awssdk.enhanced.dynamodb.internal.AttributeValues.numberValue; @@ -58,6 +59,7 @@ import software.amazon.awssdk.services.dynamodb.DynamoDbClient; import software.amazon.awssdk.services.dynamodb.model.AttributeValue; import software.amazon.awssdk.services.dynamodb.model.DeleteTableRequest; +import software.amazon.awssdk.services.dynamodb.model.Select; public class BasicScanTest extends LocalDynamoDbSyncTestBase { private DynamoDbClient lowLevelClient; @@ -668,4 +670,57 @@ public void scanAllRecordsWithNestedProjectionNameEmptyNameMap() { Page next = resultsAttributeToProject.next(); }); } + + @Test + public void scanAllRecordsDefaultSettings_select() { + insertDocuments(); + + Iterator> results = + docMappedtable.scan(b -> b.select(Select.ALL_ATTRIBUTES)).iterator(); + + assertThat(results.hasNext(), is(true)); + Page page = results.next(); + assertThat(results.hasNext(), is(false)); + + assertThat(page.items().size(), is(DOCUMENTS.size())); + + EnhancedDocument firstRecord = page.items().get(0); + assertThat(firstRecord.getString("id"), is("id-value")); + assertThat(firstRecord.getNumber("sort").intValue(), is(0)); + assertThat(firstRecord.getNumber("value").intValue(), is(0)); + } + + @Test + public void scanAllRecordsDefaultSettings_select_specific_attr() { + insertDocuments(); + + Iterator> results = + docMappedtable.scan(b -> b.attributesToProject("sort").select(Select.SPECIFIC_ATTRIBUTES)).iterator(); + + assertThat(results.hasNext(), is(true)); + Page page = results.next(); + assertThat(results.hasNext(), is(false)); + + assertThat(page.items().size(), is(DOCUMENTS.size())); + + EnhancedDocument firstRecord = page.items().get(0); + assertThat(firstRecord.getString("id"), is(nullValue())); + assertThat(firstRecord.getNumber("sort").intValue(), is(0)); + } + + + @Test + public void scanAllRecordsDefaultSettings_select_count() { + insertDocuments(); + + Iterator> results = + docMappedtable.scan(b -> b.select(Select.COUNT)).iterator(); + + assertThat(results.hasNext(), is(true)); + Page page = results.next(); + assertThat(results.hasNext(), is(false)); + + assertThat(page.count(), is(DOCUMENTS.size())); + assertThat(page.items().size(), is(0)); + } } From 76641139a0fa988119394f4db3268ebe04f0d95b Mon Sep 17 00:00:00 2001 From: AWS <> Date: Tue, 3 Sep 2024 18:05:41 +0000 Subject: [PATCH 002/108] AWS MediaConnect Update: AWS Elemental MediaConnect introduces thumbnails for Flow source monitoring. Thumbnails provide still image previews of the live content feeding your MediaConnect Flow allowing you to easily verify that your source is operating as expected. --- .../feature-AWSMediaConnect-da09048.json | 6 + .../codegen-resources/service-2.json | 130 ++++++++++++++++++ 2 files changed, 136 insertions(+) create mode 100644 .changes/next-release/feature-AWSMediaConnect-da09048.json diff --git a/.changes/next-release/feature-AWSMediaConnect-da09048.json b/.changes/next-release/feature-AWSMediaConnect-da09048.json new file mode 100644 index 000000000000..cbfad328de09 --- /dev/null +++ b/.changes/next-release/feature-AWSMediaConnect-da09048.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "AWS MediaConnect", + "contributor": "", + "description": "AWS Elemental MediaConnect introduces thumbnails for Flow source monitoring. Thumbnails provide still image previews of the live content feeding your MediaConnect Flow allowing you to easily verify that your source is operating as expected." +} diff --git a/services/mediaconnect/src/main/resources/codegen-resources/service-2.json b/services/mediaconnect/src/main/resources/codegen-resources/service-2.json index 73591931d8d7..8305e3575a23 100644 --- a/services/mediaconnect/src/main/resources/codegen-resources/service-2.json +++ b/services/mediaconnect/src/main/resources/codegen-resources/service-2.json @@ -722,6 +722,48 @@ ], "documentation": "Displays details of the flow's source stream. The response contains information about the contents of the stream and its programs." }, + "DescribeFlowSourceThumbnail": { + "name": "DescribeFlowSourceThumbnail", + "http": { + "method": "GET", + "requestUri": "/v1/flows/{flowArn}/source-thumbnail", + "responseCode": 200 + }, + "input": { + "shape": "DescribeFlowSourceThumbnailRequest" + }, + "output": { + "shape": "DescribeFlowSourceThumbnailResponse", + "documentation": "Flow source thumbnail successfully described." + }, + "errors": [ + { + "shape": "BadRequestException", + "documentation": "The request that you submitted is not valid." + }, + { + "shape": "InternalServerErrorException", + "documentation": "AWS Elemental MediaConnect can't fulfill your request because it encountered an unexpected condition." + }, + { + "shape": "ForbiddenException", + "documentation": "You don't have the required permissions to perform this operation." + }, + { + "shape": "NotFoundException", + "documentation": "AWS Elemental MediaConnect did not find the resource that you specified in the request." + }, + { + "shape": "ServiceUnavailableException", + "documentation": "AWS Elemental MediaConnect is currently unavailable. Try again later." + }, + { + "shape": "TooManyRequestsException", + "documentation": "You have exceeded the service request rate limit for your AWS Elemental MediaConnect account." + } + ], + "documentation": "Displays the thumbnail details of a flow's source stream." + }, "DescribeGateway": { "name": "DescribeGateway", "http": { @@ -3146,6 +3188,10 @@ "Maintenance": { "shape": "AddMaintenance", "locationName": "maintenance" + }, + "SourceMonitoringConfig": { + "shape": "MonitoringConfig", + "locationName": "sourceMonitoringConfig" } }, "documentation": "Creates a new flow. The request must include one source. The request optionally can include outputs (up to 50) and entitlements (up to 50).", @@ -3421,6 +3467,29 @@ } } }, + "DescribeFlowSourceThumbnailRequest": { + "type": "structure", + "members": { + "FlowArn": { + "shape": "__string", + "location": "uri", + "locationName": "flowArn", + "documentation": "The Amazon Resource Name (ARN) of the flow." + } + }, + "required": [ + "FlowArn" + ] + }, + "DescribeFlowSourceThumbnailResponse": { + "type": "structure", + "members": { + "ThumbnailDetails": { + "shape": "ThumbnailDetails", + "locationName": "thumbnailDetails" + } + } + }, "DescribeGatewayInstanceRequest": { "type": "structure", "members": { @@ -3868,6 +3937,10 @@ "Maintenance": { "shape": "Maintenance", "locationName": "maintenance" + }, + "SourceMonitoringConfig": { + "shape": "MonitoringConfig", + "locationName": "sourceMonitoringConfig" } }, "documentation": "The settings for a flow, including its source, outputs, and entitlements.", @@ -5087,6 +5160,17 @@ "Errors" ] }, + "MonitoringConfig": { + "type": "structure", + "members": { + "ThumbnailState": { + "shape": "ThumbnailState", + "locationName": "thumbnailState", + "documentation": "The state of thumbnail monitoring." + } + }, + "documentation": "The settings for source monitoring." + }, "NetworkInterfaceType": { "type": "string", "enum": [ @@ -6093,6 +6177,48 @@ "DENSITY" ] }, + "ThumbnailDetails": { + "type": "structure", + "members": { + "FlowArn": { + "shape": "__string", + "locationName": "flowArn", + "documentation": "The ARN of the flow that DescribeFlowSourceThumbnail was performed on." + }, + "Thumbnail": { + "shape": "__string", + "locationName": "thumbnail", + "documentation": "Thumbnail Base64 string." + }, + "ThumbnailMessages": { + "shape": "__listOfMessageDetail", + "locationName": "thumbnailMessages", + "documentation": "Status code and messages about the flow source thumbnail." + }, + "Timecode": { + "shape": "__string", + "locationName": "timecode", + "documentation": "Timecode of thumbnail." + }, + "Timestamp": { + "shape": "__timestampIso8601", + "locationName": "timestamp", + "documentation": "The timestamp of when thumbnail was generated." + } + }, + "documentation": "The details of the thumbnail, including thumbnail base64 string, timecode and the time when thumbnail was generated.", + "required": [ + "ThumbnailMessages", + "FlowArn" + ] + }, + "ThumbnailState": { + "type": "string", + "enum": [ + "ENABLED", + "DISABLED" + ] + }, "TooManyRequestsException": { "type": "structure", "members": { @@ -6884,6 +7010,10 @@ "Maintenance": { "shape": "UpdateMaintenance", "locationName": "maintenance" + }, + "SourceMonitoringConfig": { + "shape": "MonitoringConfig", + "locationName": "sourceMonitoringConfig" } }, "documentation": "A request to update flow.", From b14f19457fbd6b3330b5ebb0b26b88a40cc4e8c6 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Tue, 3 Sep 2024 18:05:42 +0000 Subject: [PATCH 003/108] AWS Elemental MediaLive Update: Added MinQP as a Rate Control option for H264 and H265 encodes. --- .../feature-AWSElementalMediaLive-b393747.json | 6 ++++++ .../resources/codegen-resources/service-2.json | 16 ++++++++++++++++ 2 files changed, 22 insertions(+) create mode 100644 .changes/next-release/feature-AWSElementalMediaLive-b393747.json diff --git a/.changes/next-release/feature-AWSElementalMediaLive-b393747.json b/.changes/next-release/feature-AWSElementalMediaLive-b393747.json new file mode 100644 index 000000000000..4fc056756cda --- /dev/null +++ b/.changes/next-release/feature-AWSElementalMediaLive-b393747.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "AWS Elemental MediaLive", + "contributor": "", + "description": "Added MinQP as a Rate Control option for H264 and H265 encodes." +} diff --git a/services/medialive/src/main/resources/codegen-resources/service-2.json b/services/medialive/src/main/resources/codegen-resources/service-2.json index f5f1bfee64b4..acf600775b56 100644 --- a/services/medialive/src/main/resources/codegen-resources/service-2.json +++ b/services/medialive/src/main/resources/codegen-resources/service-2.json @@ -9742,6 +9742,11 @@ "shape": "TimecodeBurninSettings", "locationName": "timecodeBurninSettings", "documentation": "Timecode burn-in settings" + }, + "MinQp": { + "shape": "__integerMin1Max51", + "locationName": "minQp", + "documentation": "Sets the minimum QP. If you aren't familiar with quantization adjustment, leave the field empty. MediaLive will\napply an appropriate value." } }, "documentation": "H264 Settings" @@ -10111,6 +10116,11 @@ "shape": "H265TreeblockSize", "locationName": "treeblockSize", "documentation": "Select the tree block size used for encoding. If you enter \"auto\", the encoder will pick the best size. If you are setting up the picture as a tile, you must set this to 32x32. In all other configurations, you typically enter \"auto\"." + }, + "MinQp": { + "shape": "__integerMin1Max51", + "locationName": "minQp", + "documentation": "Sets the minimum QP. If you aren't familiar with quantization adjustment, leave the field empty. MediaLive will\napply an appropriate value." } }, "documentation": "H265 Settings", @@ -23903,6 +23913,12 @@ "shape": "MultiplexProgramPacketIdentifiersMap" }, "documentation": "Placeholder documentation for MultiplexPacketIdentifiersMapping" + }, + "__integerMin1Max51": { + "type": "integer", + "min": 1, + "max": 51, + "documentation": "Placeholder documentation for __integerMin1Max51" } }, "documentation": "API for AWS Elemental MediaLive" From 75389553a4fe1f7cb234d06eaec7f4ddc6699d60 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Tue, 3 Sep 2024 18:05:48 +0000 Subject: [PATCH 004/108] Amazon Connect Service Update: Release ReplicaConfiguration as part of DescribeInstance --- .../feature-AmazonConnectService-9f8c4be.json | 6 ++ .../codegen-resources/service-2.json | 71 ++++++++++++++++++- 2 files changed, 75 insertions(+), 2 deletions(-) create mode 100644 .changes/next-release/feature-AmazonConnectService-9f8c4be.json diff --git a/.changes/next-release/feature-AmazonConnectService-9f8c4be.json b/.changes/next-release/feature-AmazonConnectService-9f8c4be.json new file mode 100644 index 000000000000..8bc03cdd1f49 --- /dev/null +++ b/.changes/next-release/feature-AmazonConnectService-9f8c4be.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Amazon Connect Service", + "contributor": "", + "description": "Release ReplicaConfiguration as part of DescribeInstance" +} diff --git a/services/connect/src/main/resources/codegen-resources/service-2.json b/services/connect/src/main/resources/codegen-resources/service-2.json index 41a6491d23d7..6af033be3aac 100644 --- a/services/connect/src/main/resources/codegen-resources/service-2.json +++ b/services/connect/src/main/resources/codegen-resources/service-2.json @@ -5293,7 +5293,7 @@ }, "Key":{ "shape":"PEM", - "documentation":"

A valid security key in PEM format.

" + "documentation":"

A valid security key in PEM format as a String.

" } } }, @@ -9335,6 +9335,10 @@ "Instance":{ "shape":"Instance", "documentation":"

The name of the instance.

" + }, + "ReplicationConfiguration":{ + "shape":"ReplicationConfiguration", + "documentation":"

Status information about the replication process. This field is included only when you are using the ReplicateInstance API to replicate an Amazon Connect instance across Amazon Web Services Regions. For information about replicating Amazon Connect instances, see Create a replica of your existing Amazon Connect instance in the Amazon Connect Administrator Guide.

" } } }, @@ -11918,7 +11922,7 @@ }, "Metrics":{ "shape":"MetricsV2", - "documentation":"

The metrics to retrieve. Specify the name, groupings, and filters for each metric. The following historical metrics are available. For a description of each metric, see Historical metrics definitions in the Amazon Connect Administrator Guide.

ABANDONMENT_RATE

Unit: Percent

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Feature, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Abandonment rate

AGENT_ADHERENT_TIME

This metric is available only in Amazon Web Services Regions where Forecasting, capacity planning, and scheduling is available.

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy

UI name: Adherent time

AGENT_ANSWER_RATE

Unit: Percent

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy

UI name: Agent answer rate

AGENT_NON_ADHERENT_TIME

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy

UI name: Non-adherent time

AGENT_NON_RESPONSE

Unit: Count

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy

UI name: Agent non-response

AGENT_NON_RESPONSE_WITHOUT_CUSTOMER_ABANDONS

Unit: Count

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy

Data for this metric is available starting from October 1, 2023 0:00:00 GMT.

UI name: Agent non-response without customer abandons

AGENT_OCCUPANCY

Unit: Percentage

Valid groupings and filters: Routing Profile, Agent, Agent Hierarchy

UI name: Occupancy

AGENT_SCHEDULE_ADHERENCE

This metric is available only in Amazon Web Services Regions where Forecasting, capacity planning, and scheduling is available.

Unit: Percent

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy

UI name: Adherence

AGENT_SCHEDULED_TIME

This metric is available only in Amazon Web Services Regions where Forecasting, capacity planning, and scheduling is available.

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy

UI name: Scheduled time

AVG_ABANDON_TIME

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Feature, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Average queue abandon time

AVG_ACTIVE_TIME

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Q in Connect

UI name: Average active time

AVG_AFTER_CONTACT_WORK_TIME

Unit: Seconds

Valid metric filter key: INITIATION_METHOD

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Feature, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Average after contact work time

Feature is a valid filter but not a valid grouping.

AVG_AGENT_CONNECTING_TIME

Unit: Seconds

Valid metric filter key: INITIATION_METHOD. For now, this metric only supports the following as INITIATION_METHOD: INBOUND | OUTBOUND | CALLBACK | API

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy

UI name: Average agent API connecting time

The Negate key in Metric Level Filters is not applicable for this metric.

AVG_AGENT_PAUSE_TIME

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Q in Connect

UI name: Average agent pause time

AVG_CASE_RELATED_CONTACTS

Unit: Count

Required filter key: CASE_TEMPLATE_ARN

Valid groupings and filters: CASE_TEMPLATE_ARN, CASE_STATUS

UI name: Average contacts per case

AVG_CASE_RESOLUTION_TIME

Unit: Seconds

Required filter key: CASE_TEMPLATE_ARN

Valid groupings and filters: CASE_TEMPLATE_ARN, CASE_STATUS

UI name: Average case resolution time

AVG_CONTACT_DURATION

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Feature, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Average contact duration

Feature is a valid filter but not a valid grouping.

AVG_CONVERSATION_DURATION

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Feature, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Average conversation duration

AVG_DIALS_PER_MINUTE

This metric is available only for contacts analyzed by outbound campaigns analytics.

Unit: Count

Valid groupings and filters: Campaign, Agent, Queue, Routing Profile

UI name: Average dials per minute

AVG_FLOW_TIME

Unit: Seconds

Valid groupings and filters: Channel, contact/segmentAttributes/connect:Subtype, Flow type, Flows module resource ID, Flows next resource ID, Flows next resource queue ID, Flows outcome type, Flows resource ID, Initiation method, Resource published timestamp

UI name: Average flow time

AVG_GREETING_TIME_AGENT

This metric is available only for contacts analyzed by Contact Lens conversational analytics.

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Average agent greeting time

AVG_HANDLE_TIME

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Feature, contact/segmentAttributes/connect:Subtype, RoutingStepExpression

UI name: Average handle time

Feature is a valid filter but not a valid grouping.

AVG_HOLD_TIME

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Feature, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Average customer hold time

Feature is a valid filter but not a valid grouping.

AVG_HOLD_TIME_ALL_CONTACTS

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Average customer hold time all contacts

AVG_HOLDS

Unit: Count

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Feature, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Average holds

Feature is a valid filter but not a valid grouping.

AVG_INTERACTION_AND_HOLD_TIME

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Average agent interaction and customer hold time

AVG_INTERACTION_TIME

Unit: Seconds

Valid metric filter key: INITIATION_METHOD

Valid groupings and filters: Queue, Channel, Routing Profile, Feature, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Average agent interaction time

Feature is a valid filter but not a valid grouping.

AVG_INTERRUPTIONS_AGENT

This metric is available only for contacts analyzed by Contact Lens conversational analytics.

Unit: Count

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Average agent interruptions

AVG_INTERRUPTION_TIME_AGENT

This metric is available only for contacts analyzed by Contact Lens conversational analytics.

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Average agent interruption time

AVG_NON_TALK_TIME

This metric is available only for contacts analyzed by Contact Lens conversational analytics.

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Average non-talk time

AVG_QUEUE_ANSWER_TIME

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Feature, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Average queue answer time

Feature is a valid filter but not a valid grouping.

AVG_RESOLUTION_TIME

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Average resolution time

AVG_TALK_TIME

This metric is available only for contacts analyzed by Contact Lens conversational analytics.

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Average talk time

AVG_TALK_TIME_AGENT

This metric is available only for contacts analyzed by Contact Lens conversational analytics.

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Average agent talk time

AVG_TALK_TIME_CUSTOMER

This metric is available only for contacts analyzed by Contact Lens conversational analytics.

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Average customer talk time

AVG_WAIT_TIME_AFTER_CUSTOMER_CONNECTION

This metric is available only for contacts analyzed by outbound campaigns analytics.

Unit: Seconds

Valid groupings and filters: Campaign

UI name: Average wait time after customer connection

CAMPAIGN_CONTACTS_ABANDONED_AFTER_X

This metric is available only for contacts analyzed by outbound campaigns analytics.

Unit: Count

Valid groupings and filters: Campaign, Agent

Threshold: For ThresholdValue, enter any whole number from 1 to 604800 (inclusive), in seconds. For Comparison, you must enter GT (for Greater than).

UI name: Campaign contacts abandoned after X

CAMPAIGN_CONTACTS_ABANDONED_AFTER_X_RATE

This metric is available only for contacts analyzed by outbound campaigns analytics.

Unit: Percent

Valid groupings and filters: Campaign, Agent

Threshold: For ThresholdValue, enter any whole number from 1 to 604800 (inclusive), in seconds. For Comparison, you must enter GT (for Greater than).

UI name: Campaign contacts abandoned after X rate

CASES_CREATED

Unit: Count

Required filter key: CASE_TEMPLATE_ARN

Valid groupings and filters: CASE_TEMPLATE_ARN, CASE_STATUS

UI name: Cases created

CONTACTS_CREATED

Unit: Count

Valid metric filter key: INITIATION_METHOD

Valid groupings and filters: Queue, Channel, Routing Profile, Feature, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Contacts created

Feature is a valid filter but not a valid grouping.

CONTACTS_HANDLED

Unit: Count

Valid metric filter key: INITIATION_METHOD, DISCONNECT_REASON

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Feature, contact/segmentAttributes/connect:Subtype, RoutingStepExpression, Q in Connect

UI name: API contacts handled

Feature is a valid filter but not a valid grouping.

CONTACTS_HANDLED_BY_CONNECTED_TO_AGENT

Unit: Count

Valid metric filter key: INITIATION_METHOD

Valid groupings and filters: Queue, Channel, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Contacts handled (connected to agent timestamp)

CONTACTS_HOLD_ABANDONS

Unit: Count

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Contacts hold disconnect

CONTACTS_ON_HOLD_AGENT_DISCONNECT

Unit: Count

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Q in Connect

UI name: Contacts hold agent disconnect

CONTACTS_ON_HOLD_CUSTOMER_DISCONNECT

Unit: Count

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Q in Connect

UI name: Contacts hold customer disconnect

CONTACTS_PUT_ON_HOLD

Unit: Count

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Q in Connect

UI name: Contacts put on hold

CONTACTS_TRANSFERRED_OUT_EXTERNAL

Unit: Count

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Q in Connect

UI name: Contacts transferred out external

CONTACTS_TRANSFERRED_OUT_INTERNAL

Unit: Percent

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Q in Connect

UI name: Contacts transferred out internal

CONTACTS_QUEUED

Unit: Count

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Contacts queued

CONTACTS_QUEUED_BY_ENQUEUE

Unit: Count

Valid groupings and filters: Queue, Channel, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype

UI name: Contacts queued (enqueue timestamp)

CONTACTS_REMOVED_FROM_QUEUE_IN_X

Unit: Count

Valid groupings and filters: Queue, Channel, Routing Profile, Q in Connect

Threshold: For ThresholdValue, enter any whole number from 1 to 604800 (inclusive), in seconds. For Comparison, you must enter LT (for \"Less than\").

UI name: Contacts removed from queue in X seconds

CONTACTS_RESOLVED_IN_X

Unit: Count

Valid groupings and filters: Queue, Channel, Routing Profile, contact/segmentAttributes/connect:Subtype, Q in Connect

Threshold: For ThresholdValue enter any whole number from 1 to 604800 (inclusive), in seconds. For Comparison, you must enter LT (for \"Less than\").

UI name: Contacts resolved in X

CONTACTS_TRANSFERRED_OUT

Unit: Count

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Feature, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Contacts transferred out

Feature is a valid filter but not a valid grouping.

CONTACTS_TRANSFERRED_OUT_BY_AGENT

Unit: Count

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Contacts transferred out by agent

CONTACTS_TRANSFERRED_OUT_FROM_QUEUE

Unit: Count

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Contacts transferred out queue

CURRENT_CASES

Unit: Count

Required filter key: CASE_TEMPLATE_ARN

Valid groupings and filters: CASE_TEMPLATE_ARN, CASE_STATUS

UI name: Current cases

DELIVERY_ATTEMPTS

This metric is available only for contacts analyzed by outbound campaigns analytics.

Unit: Count

Valid metric filter key: ANSWERING_MACHINE_DETECTION_STATUS, DISCONNECT_REASON

Valid groupings and filters: Campaign, Agent, Queue, Routing Profile, Answering Machine Detection Status, Disconnect Reason

UI name: Delivery attempts

DELIVERY_ATTEMPT_DISPOSITION_RATE

This metric is available only for contacts analyzed by outbound campaigns analytics, and with the answering machine detection enabled.

Unit: Percent

Valid metric filter key: ANSWERING_MACHINE_DETECTION_STATUS, DISCONNECT_REASON

Valid groupings and filters: Campaign, Agent, Answering Machine Detection Status, Disconnect Reason

Answering Machine Detection Status and Disconnect Reason are valid filters but not valid groupings.

UI name: Delivery attempt disposition rate

FLOWS_OUTCOME

Unit: Count

Valid groupings and filters: Channel, contact/segmentAttributes/connect:Subtype, Flow type, Flows module resource ID, Flows next resource ID, Flows next resource queue ID, Flows outcome type, Flows resource ID, Initiation method, Resource published timestamp

UI name: Flows outcome

FLOWS_STARTED

Unit: Count

Valid groupings and filters: Channel, contact/segmentAttributes/connect:Subtype, Flow type, Flows module resource ID, Flows resource ID, Initiation method, Resource published timestamp

UI name: Flows started

HUMAN_ANSWERED_CALLS

This metric is available only for contacts analyzed by outbound campaigns analytics, and with the answering machine detection enabled.

Unit: Count

Valid groupings and filters: Campaign, Agent

UI name: Human answered

MAX_FLOW_TIME

Unit: Seconds

Valid groupings and filters: Channel, contact/segmentAttributes/connect:Subtype, Flow type, Flows module resource ID, Flows next resource ID, Flows next resource queue ID, Flows outcome type, Flows resource ID, Initiation method, Resource published timestamp

UI name: Maximum flow time

MAX_QUEUED_TIME

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Maximum queued time

MIN_FLOW_TIME

Unit: Seconds

Valid groupings and filters: Channel, contact/segmentAttributes/connect:Subtype, Flow type, Flows module resource ID, Flows next resource ID, Flows next resource queue ID, Flows outcome type, Flows resource ID, Initiation method, Resource published timestamp

UI name: Minimum flow time

PERCENT_CASES_FIRST_CONTACT_RESOLVED

Unit: Percent

Required filter key: CASE_TEMPLATE_ARN

Valid groupings and filters: CASE_TEMPLATE_ARN, CASE_STATUS

UI name: Cases resolved on first contact

PERCENT_CONTACTS_STEP_EXPIRED

Unit: Percent

Valid groupings and filters: Queue, RoutingStepExpression

UI name: This metric is available in Real-time Metrics UI but not on the Historical Metrics UI.

PERCENT_CONTACTS_STEP_JOINED

Unit: Percent

Valid groupings and filters: Queue, RoutingStepExpression

UI name: This metric is available in Real-time Metrics UI but not on the Historical Metrics UI.

PERCENT_FLOWS_OUTCOME

Unit: Percent

Valid metric filter key: FLOWS_OUTCOME_TYPE

Valid groupings and filters: Channel, contact/segmentAttributes/connect:Subtype, Flow type, Flows module resource ID, Flows next resource ID, Flows next resource queue ID, Flows outcome type, Flows resource ID, Initiation method, Resource published timestamp

UI name: Flows outcome percentage.

The FLOWS_OUTCOME_TYPE is not a valid grouping.

PERCENT_NON_TALK_TIME

This metric is available only for contacts analyzed by Contact Lens conversational analytics.

Unit: Percentage

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Non-talk time percent

PERCENT_TALK_TIME

This metric is available only for contacts analyzed by Contact Lens conversational analytics.

Unit: Percentage

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Talk time percent

PERCENT_TALK_TIME_AGENT

This metric is available only for contacts analyzed by Contact Lens conversational analytics.

Unit: Percentage

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Agent talk time percent

PERCENT_TALK_TIME_CUSTOMER

This metric is available only for contacts analyzed by Contact Lens conversational analytics.

Unit: Percentage

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Customer talk time percent

REOPENED_CASE_ACTIONS

Unit: Count

Required filter key: CASE_TEMPLATE_ARN

Valid groupings and filters: CASE_TEMPLATE_ARN, CASE_STATUS

UI name: Cases reopened

RESOLVED_CASE_ACTIONS

Unit: Count

Required filter key: CASE_TEMPLATE_ARN

Valid groupings and filters: CASE_TEMPLATE_ARN, CASE_STATUS

UI name: Cases resolved

SERVICE_LEVEL

You can include up to 20 SERVICE_LEVEL metrics in a request.

Unit: Percent

Valid groupings and filters: Queue, Channel, Routing Profile, Q in Connect

Threshold: For ThresholdValue, enter any whole number from 1 to 604800 (inclusive), in seconds. For Comparison, you must enter LT (for \"Less than\").

UI name: Service level X

STEP_CONTACTS_QUEUED

Unit: Count

Valid groupings and filters: Queue, RoutingStepExpression

UI name: This metric is available in Real-time Metrics UI but not on the Historical Metrics UI.

SUM_AFTER_CONTACT_WORK_TIME

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Q in Connect

UI name: After contact work time

SUM_CONNECTING_TIME_AGENT

Unit: Seconds

Valid metric filter key: INITIATION_METHOD. This metric only supports the following filter keys as INITIATION_METHOD: INBOUND | OUTBOUND | CALLBACK | API

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy

UI name: Agent API connecting time

The Negate key in Metric Level Filters is not applicable for this metric.

SUM_CONTACTS_ABANDONED

Unit: Count

Metric filter:

  • Valid values: API| Incoming | Outbound | Transfer | Callback | Queue_Transfer| Disconnect

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, RoutingStepExpression, Q in Connect

UI name: Contact abandoned

SUM_CONTACTS_ABANDONED_IN_X

Unit: Count

Valid groupings and filters: Queue, Channel, Routing Profile, contact/segmentAttributes/connect:Subtype, Q in Connect

Threshold: For ThresholdValue, enter any whole number from 1 to 604800 (inclusive), in seconds. For Comparison, you must enter LT (for \"Less than\").

UI name: Contacts abandoned in X seconds

SUM_CONTACTS_ANSWERED_IN_X

Unit: Count

Valid groupings and filters: Queue, Channel, Routing Profile, contact/segmentAttributes/connect:Subtype, Q in Connect

Threshold: For ThresholdValue, enter any whole number from 1 to 604800 (inclusive), in seconds. For Comparison, you must enter LT (for \"Less than\").

UI name: Contacts answered in X seconds

SUM_CONTACT_FLOW_TIME

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Q in Connect

UI name: Contact flow time

SUM_CONTACT_TIME_AGENT

Unit: Seconds

Valid groupings and filters: Routing Profile, Agent, Agent Hierarchy

UI name: Agent on contact time

SUM_CONTACTS_DISCONNECTED

Valid metric filter key: DISCONNECT_REASON

Unit: Count

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Contact disconnected

SUM_ERROR_STATUS_TIME_AGENT

Unit: Seconds

Valid groupings and filters: Routing Profile, Agent, Agent Hierarchy

UI name: Error status time

SUM_HANDLE_TIME

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Q in Connect

UI name: Contact handle time

SUM_HOLD_TIME

Unit: Count

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Q in Connect

UI name: Customer hold time

SUM_IDLE_TIME_AGENT

Unit: Seconds

Valid groupings and filters: Routing Profile, Agent, Agent Hierarchy

UI name: Agent idle time

SUM_INTERACTION_AND_HOLD_TIME

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Q in Connect

UI name: Agent interaction and hold time

SUM_INTERACTION_TIME

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy

UI name: Agent interaction time

SUM_NON_PRODUCTIVE_TIME_AGENT

Unit: Seconds

Valid groupings and filters: Routing Profile, Agent, Agent Hierarchy

UI name: Non-Productive Time

SUM_ONLINE_TIME_AGENT

Unit: Seconds

Valid groupings and filters: Routing Profile, Agent, Agent Hierarchy

UI name: Online time

SUM_RETRY_CALLBACK_ATTEMPTS

Unit: Count

Valid groupings and filters: Queue, Channel, Routing Profile, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Callback attempts

" + "documentation":"

The metrics to retrieve. Specify the name, groupings, and filters for each metric. The following historical metrics are available. For a description of each metric, see Historical metrics definitions in the Amazon Connect Administrator Guide.

ABANDONMENT_RATE

Unit: Percent

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Feature, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Abandonment rate

AGENT_ADHERENT_TIME

This metric is available only in Amazon Web Services Regions where Forecasting, capacity planning, and scheduling is available.

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy

UI name: Adherent time

AGENT_ANSWER_RATE

Unit: Percent

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy

UI name: Agent answer rate

AGENT_NON_ADHERENT_TIME

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy

UI name: Non-adherent time

AGENT_NON_RESPONSE

Unit: Count

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy

UI name: Agent non-response

AGENT_NON_RESPONSE_WITHOUT_CUSTOMER_ABANDONS

Unit: Count

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy

Data for this metric is available starting from October 1, 2023 0:00:00 GMT.

UI name: Agent non-response without customer abandons

AGENT_OCCUPANCY

Unit: Percentage

Valid groupings and filters: Routing Profile, Agent, Agent Hierarchy

UI name: Occupancy

AGENT_SCHEDULE_ADHERENCE

This metric is available only in Amazon Web Services Regions where Forecasting, capacity planning, and scheduling is available.

Unit: Percent

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy

UI name: Adherence

AGENT_SCHEDULED_TIME

This metric is available only in Amazon Web Services Regions where Forecasting, capacity planning, and scheduling is available.

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy

UI name: Scheduled time

AVG_ABANDON_TIME

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Feature, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Average queue abandon time

AVG_ACTIVE_TIME

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Q in Connect

UI name: Average active time

AVG_AFTER_CONTACT_WORK_TIME

Unit: Seconds

Valid metric filter key: INITIATION_METHOD

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Feature, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Average after contact work time

Feature is a valid filter but not a valid grouping.

AVG_AGENT_CONNECTING_TIME

Unit: Seconds

Valid metric filter key: INITIATION_METHOD. For now, this metric only supports the following as INITIATION_METHOD: INBOUND | OUTBOUND | CALLBACK | API

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy

UI name: Average agent API connecting time

The Negate key in Metric Level Filters is not applicable for this metric.

AVG_AGENT_PAUSE_TIME

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Q in Connect

UI name: Average agent pause time

AVG_CASE_RELATED_CONTACTS

Unit: Count

Required filter key: CASE_TEMPLATE_ARN

Valid groupings and filters: CASE_TEMPLATE_ARN, CASE_STATUS

UI name: Average contacts per case

AVG_CASE_RESOLUTION_TIME

Unit: Seconds

Required filter key: CASE_TEMPLATE_ARN

Valid groupings and filters: CASE_TEMPLATE_ARN, CASE_STATUS

UI name: Average case resolution time

AVG_CONTACT_DURATION

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Feature, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Average contact duration

Feature is a valid filter but not a valid grouping.

AVG_CONVERSATION_DURATION

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Feature, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Average conversation duration

AVG_DIALS_PER_MINUTE

This metric is available only for contacts analyzed by outbound campaigns analytics.

Unit: Count

Valid groupings and filters: Campaign, Agent, Queue, Routing Profile

UI name: Average dials per minute

AVG_FLOW_TIME

Unit: Seconds

Valid groupings and filters: Channel, contact/segmentAttributes/connect:Subtype, Flow type, Flows module resource ID, Flows next resource ID, Flows next resource queue ID, Flows outcome type, Flows resource ID, Initiation method, Resource published timestamp

UI name: Average flow time

AVG_GREETING_TIME_AGENT

This metric is available only for contacts analyzed by Contact Lens conversational analytics.

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Average agent greeting time

AVG_HANDLE_TIME

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Feature, contact/segmentAttributes/connect:Subtype, RoutingStepExpression

UI name: Average handle time

Feature is a valid filter but not a valid grouping.

AVG_HOLD_TIME

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Feature, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Average customer hold time

Feature is a valid filter but not a valid grouping.

AVG_HOLD_TIME_ALL_CONTACTS

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Average customer hold time all contacts

AVG_HOLDS

Unit: Count

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Feature, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Average holds

Feature is a valid filter but not a valid grouping.

AVG_INTERACTION_AND_HOLD_TIME

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Average agent interaction and customer hold time

AVG_INTERACTION_TIME

Unit: Seconds

Valid metric filter key: INITIATION_METHOD

Valid groupings and filters: Queue, Channel, Routing Profile, Feature, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Average agent interaction time

Feature is a valid filter but not a valid grouping.

AVG_INTERRUPTIONS_AGENT

This metric is available only for contacts analyzed by Contact Lens conversational analytics.

Unit: Count

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Average agent interruptions

AVG_INTERRUPTION_TIME_AGENT

This metric is available only for contacts analyzed by Contact Lens conversational analytics.

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Average agent interruption time

AVG_NON_TALK_TIME

This metric is available only for contacts analyzed by Contact Lens conversational analytics.

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Average non-talk time

AVG_QUEUE_ANSWER_TIME

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Feature, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Average queue answer time

Feature is a valid filter but not a valid grouping.

AVG_RESOLUTION_TIME

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Average resolution time

AVG_TALK_TIME

This metric is available only for contacts analyzed by Contact Lens conversational analytics.

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Average talk time

AVG_TALK_TIME_AGENT

This metric is available only for contacts analyzed by Contact Lens conversational analytics.

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Average agent talk time

AVG_TALK_TIME_CUSTOMER

This metric is available only for contacts analyzed by Contact Lens conversational analytics.

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Average customer talk time

AVG_WAIT_TIME_AFTER_CUSTOMER_CONNECTION

This metric is available only for contacts analyzed by outbound campaigns analytics.

Unit: Seconds

Valid groupings and filters: Campaign

UI name: Average wait time after customer connection

CAMPAIGN_CONTACTS_ABANDONED_AFTER_X

This metric is available only for contacts analyzed by outbound campaigns analytics.

Unit: Count

Valid groupings and filters: Campaign, Agent

Threshold: For ThresholdValue, enter any whole number from 1 to 604800 (inclusive), in seconds. For Comparison, you must enter GT (for Greater than).

UI name: Campaign contacts abandoned after X

CAMPAIGN_CONTACTS_ABANDONED_AFTER_X_RATE

This metric is available only for contacts analyzed by outbound campaigns analytics.

Unit: Percent

Valid groupings and filters: Campaign, Agent

Threshold: For ThresholdValue, enter any whole number from 1 to 604800 (inclusive), in seconds. For Comparison, you must enter GT (for Greater than).

UI name: Campaign contacts abandoned after X rate

CASES_CREATED

Unit: Count

Required filter key: CASE_TEMPLATE_ARN

Valid groupings and filters: CASE_TEMPLATE_ARN, CASE_STATUS

UI name: Cases created

CONTACTS_CREATED

Unit: Count

Valid metric filter key: INITIATION_METHOD

Valid groupings and filters: Queue, Channel, Routing Profile, Feature, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Contacts created

Feature is a valid filter but not a valid grouping.

CONTACTS_HANDLED

Unit: Count

Valid metric filter key: INITIATION_METHOD, DISCONNECT_REASON

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Feature, contact/segmentAttributes/connect:Subtype, RoutingStepExpression, Q in Connect

UI name: API contacts handled

Feature is a valid filter but not a valid grouping.

CONTACTS_HANDLED_BY_CONNECTED_TO_AGENT

Unit: Count

Valid metric filter key: INITIATION_METHOD

Valid groupings and filters: Queue, Channel, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Contacts handled (connected to agent timestamp)

CONTACTS_HOLD_ABANDONS

Unit: Count

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Contacts hold disconnect

CONTACTS_ON_HOLD_AGENT_DISCONNECT

Unit: Count

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Q in Connect

UI name: Contacts hold agent disconnect

CONTACTS_ON_HOLD_CUSTOMER_DISCONNECT

Unit: Count

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Q in Connect

UI name: Contacts hold customer disconnect

CONTACTS_PUT_ON_HOLD

Unit: Count

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Q in Connect

UI name: Contacts put on hold

CONTACTS_TRANSFERRED_OUT_EXTERNAL

Unit: Count

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Q in Connect

UI name: Contacts transferred out external

CONTACTS_TRANSFERRED_OUT_INTERNAL

Unit: Percent

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Q in Connect

UI name: Contacts transferred out internal

CONTACTS_QUEUED

Unit: Count

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Contacts queued

CONTACTS_QUEUED_BY_ENQUEUE

Unit: Count

Valid groupings and filters: Queue, Channel, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype

UI name: Contacts queued (enqueue timestamp)

CONTACTS_REMOVED_FROM_QUEUE_IN_X

Unit: Count

Valid groupings and filters: Queue, Channel, Routing Profile, Q in Connect

Threshold: For ThresholdValue, enter any whole number from 1 to 604800 (inclusive), in seconds. For Comparison, you must enter LT (for \"Less than\").

UI name: Contacts removed from queue in X seconds

CONTACTS_RESOLVED_IN_X

Unit: Count

Valid groupings and filters: Queue, Channel, Routing Profile, contact/segmentAttributes/connect:Subtype, Q in Connect

Threshold: For ThresholdValue enter any whole number from 1 to 604800 (inclusive), in seconds. For Comparison, you must enter LT (for \"Less than\").

UI name: Contacts resolved in X

CONTACTS_TRANSFERRED_OUT

Unit: Count

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Feature, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Contacts transferred out

Feature is a valid filter but not a valid grouping.

CONTACTS_TRANSFERRED_OUT_BY_AGENT

Unit: Count

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Contacts transferred out by agent

CONTACTS_TRANSFERRED_OUT_FROM_QUEUE

Unit: Count

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Contacts transferred out queue

CURRENT_CASES

Unit: Count

Required filter key: CASE_TEMPLATE_ARN

Valid groupings and filters: CASE_TEMPLATE_ARN, CASE_STATUS

UI name: Current cases

DELIVERY_ATTEMPTS

This metric is available only for contacts analyzed by outbound campaigns analytics.

Unit: Count

Valid metric filter key: ANSWERING_MACHINE_DETECTION_STATUS, DISCONNECT_REASON

Valid groupings and filters: Campaign, Agent, Queue, Routing Profile, Answering Machine Detection Status, Disconnect Reason

UI name: Delivery attempts

DELIVERY_ATTEMPT_DISPOSITION_RATE

This metric is available only for contacts analyzed by outbound campaigns analytics, and with the answering machine detection enabled.

Unit: Percent

Valid metric filter key: ANSWERING_MACHINE_DETECTION_STATUS, DISCONNECT_REASON

Valid groupings and filters: Campaign, Agent, Answering Machine Detection Status, Disconnect Reason

Answering Machine Detection Status and Disconnect Reason are valid filters but not valid groupings.

UI name: Delivery attempt disposition rate

FLOWS_OUTCOME

Unit: Count

Valid groupings and filters: Channel, contact/segmentAttributes/connect:Subtype, Flow type, Flows module resource ID, Flows next resource ID, Flows next resource queue ID, Flows outcome type, Flows resource ID, Initiation method, Resource published timestamp

UI name: Flows outcome

FLOWS_STARTED

Unit: Count

Valid groupings and filters: Channel, contact/segmentAttributes/connect:Subtype, Flow type, Flows module resource ID, Flows resource ID, Initiation method, Resource published timestamp

UI name: Flows started

HUMAN_ANSWERED_CALLS

This metric is available only for contacts analyzed by outbound campaigns analytics, and with the answering machine detection enabled.

Unit: Count

Valid groupings and filters: Campaign, Agent

UI name: Human answered

MAX_FLOW_TIME

Unit: Seconds

Valid groupings and filters: Channel, contact/segmentAttributes/connect:Subtype, Flow type, Flows module resource ID, Flows next resource ID, Flows next resource queue ID, Flows outcome type, Flows resource ID, Initiation method, Resource published timestamp

UI name: Maximum flow time

MAX_QUEUED_TIME

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Maximum queued time

MIN_FLOW_TIME

Unit: Seconds

Valid groupings and filters: Channel, contact/segmentAttributes/connect:Subtype, Flow type, Flows module resource ID, Flows next resource ID, Flows next resource queue ID, Flows outcome type, Flows resource ID, Initiation method, Resource published timestamp

UI name: Minimum flow time

PERCENT_CASES_FIRST_CONTACT_RESOLVED

Unit: Percent

Required filter key: CASE_TEMPLATE_ARN

Valid groupings and filters: CASE_TEMPLATE_ARN, CASE_STATUS

UI name: Cases resolved on first contact

PERCENT_CONTACTS_STEP_EXPIRED

Unit: Percent

Valid groupings and filters: Queue, RoutingStepExpression

UI name: This metric is available in Real-time Metrics UI but not on the Historical Metrics UI.

PERCENT_CONTACTS_STEP_JOINED

Unit: Percent

Valid groupings and filters: Queue, RoutingStepExpression

UI name: This metric is available in Real-time Metrics UI but not on the Historical Metrics UI.

PERCENT_FLOWS_OUTCOME

Unit: Percent

Valid metric filter key: FLOWS_OUTCOME_TYPE

Valid groupings and filters: Channel, contact/segmentAttributes/connect:Subtype, Flow type, Flows module resource ID, Flows next resource ID, Flows next resource queue ID, Flows outcome type, Flows resource ID, Initiation method, Resource published timestamp

UI name: Flows outcome percentage.

The FLOWS_OUTCOME_TYPE is not a valid grouping.

PERCENT_NON_TALK_TIME

This metric is available only for contacts analyzed by Contact Lens conversational analytics.

Unit: Percentage

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Non-talk time percent

PERCENT_TALK_TIME

This metric is available only for contacts analyzed by Contact Lens conversational analytics.

Unit: Percentage

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Talk time percent

PERCENT_TALK_TIME_AGENT

This metric is available only for contacts analyzed by Contact Lens conversational analytics.

Unit: Percentage

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Agent talk time percent

PERCENT_TALK_TIME_CUSTOMER

This metric is available only for contacts analyzed by Contact Lens conversational analytics.

Unit: Percentage

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Customer talk time percent

REOPENED_CASE_ACTIONS

Unit: Count

Required filter key: CASE_TEMPLATE_ARN

Valid groupings and filters: CASE_TEMPLATE_ARN, CASE_STATUS

UI name: Cases reopened

RESOLVED_CASE_ACTIONS

Unit: Count

Required filter key: CASE_TEMPLATE_ARN

Valid groupings and filters: CASE_TEMPLATE_ARN, CASE_STATUS

UI name: Cases resolved

SERVICE_LEVEL

You can include up to 20 SERVICE_LEVEL metrics in a request.

Unit: Percent

Valid groupings and filters: Queue, Channel, Routing Profile, Q in Connect

Threshold: For ThresholdValue, enter any whole number from 1 to 604800 (inclusive), in seconds. For Comparison, you must enter LT (for \"Less than\").

UI name: Service level X

STEP_CONTACTS_QUEUED

Unit: Count

Valid groupings and filters: Queue, RoutingStepExpression

UI name: This metric is available in Real-time Metrics UI but not on the Historical Metrics UI.

SUM_AFTER_CONTACT_WORK_TIME

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Q in Connect

UI name: After contact work time

SUM_CONNECTING_TIME_AGENT

Unit: Seconds

Valid metric filter key: INITIATION_METHOD. This metric only supports the following filter keys as INITIATION_METHOD: INBOUND | OUTBOUND | CALLBACK | API

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy

UI name: Agent API connecting time

The Negate key in Metric Level Filters is not applicable for this metric.

CONTACTS_ABANDONED

Unit: Count

Metric filter:

  • Valid values: API| Incoming | Outbound | Transfer | Callback | Queue_Transfer| Disconnect

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, RoutingStepExpression, Q in Connect

UI name: Contact abandoned

SUM_CONTACTS_ABANDONED_IN_X

Unit: Count

Valid groupings and filters: Queue, Channel, Routing Profile, contact/segmentAttributes/connect:Subtype, Q in Connect

Threshold: For ThresholdValue, enter any whole number from 1 to 604800 (inclusive), in seconds. For Comparison, you must enter LT (for \"Less than\").

UI name: Contacts abandoned in X seconds

SUM_CONTACTS_ANSWERED_IN_X

Unit: Count

Valid groupings and filters: Queue, Channel, Routing Profile, contact/segmentAttributes/connect:Subtype, Q in Connect

Threshold: For ThresholdValue, enter any whole number from 1 to 604800 (inclusive), in seconds. For Comparison, you must enter LT (for \"Less than\").

UI name: Contacts answered in X seconds

SUM_CONTACT_FLOW_TIME

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Q in Connect

UI name: Contact flow time

SUM_CONTACT_TIME_AGENT

Unit: Seconds

Valid groupings and filters: Routing Profile, Agent, Agent Hierarchy

UI name: Agent on contact time

SUM_CONTACTS_DISCONNECTED

Valid metric filter key: DISCONNECT_REASON

Unit: Count

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Contact disconnected

SUM_ERROR_STATUS_TIME_AGENT

Unit: Seconds

Valid groupings and filters: Routing Profile, Agent, Agent Hierarchy

UI name: Error status time

SUM_HANDLE_TIME

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Q in Connect

UI name: Contact handle time

SUM_HOLD_TIME

Unit: Count

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Q in Connect

UI name: Customer hold time

SUM_IDLE_TIME_AGENT

Unit: Seconds

Valid groupings and filters: Routing Profile, Agent, Agent Hierarchy

UI name: Agent idle time

SUM_INTERACTION_AND_HOLD_TIME

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy, Q in Connect

UI name: Agent interaction and hold time

SUM_INTERACTION_TIME

Unit: Seconds

Valid groupings and filters: Queue, Channel, Routing Profile, Agent, Agent Hierarchy

UI name: Agent interaction time

SUM_NON_PRODUCTIVE_TIME_AGENT

Unit: Seconds

Valid groupings and filters: Routing Profile, Agent, Agent Hierarchy

UI name: Non-Productive Time

SUM_ONLINE_TIME_AGENT

Unit: Seconds

Valid groupings and filters: Routing Profile, Agent, Agent Hierarchy

UI name: Online time

SUM_RETRY_CALLBACK_ATTEMPTS

Unit: Count

Valid groupings and filters: Queue, Channel, Routing Profile, contact/segmentAttributes/connect:Subtype, Q in Connect

UI name: Callback attempts

" }, "NextToken":{ "shape":"NextToken2500", @@ -12108,6 +12112,11 @@ } } }, + "GlobalSignInEndpoint":{ + "type":"string", + "max":128, + "min":1 + }, "Grouping":{ "type":"string", "enum":[ @@ -12844,6 +12853,17 @@ "min":1, "pattern":"^(arn:(aws|aws-us-gov):connect:[a-z]{2}-[a-z]+-[0-9]{1}:[0-9]{1,20}:instance/)?[a-f0-9]{8}-[a-f0-9]{4}-[a-f0-9]{4}-[a-f0-9]{4}-[a-f0-9]{12}$" }, + "InstanceReplicationStatus":{ + "type":"string", + "enum":[ + "INSTANCE_REPLICATION_COMPLETE", + "INSTANCE_REPLICATION_IN_PROGRESS", + "INSTANCE_REPLICATION_FAILED", + "INSTANCE_REPLICA_DELETING", + "INSTANCE_REPLICATION_DELETION_FAILED", + "RESOURCE_REPLICATION_NOT_STARTED" + ] + }, "InstanceStatus":{ "type":"string", "enum":[ @@ -17760,6 +17780,53 @@ } } }, + "ReplicationConfiguration":{ + "type":"structure", + "members":{ + "ReplicationStatusSummaryList":{ + "shape":"ReplicationStatusSummaryList", + "documentation":"

A list of replication status summaries. The summaries contain details about the replication of configuration information for Amazon Connect resources, for each Amazon Web Services Region.

" + }, + "SourceRegion":{ + "shape":"AwsRegion", + "documentation":"

The Amazon Web Services Region where the source Amazon Connect instance was created. This is the Region where the ReplicateInstance API was called to start the replication process.

" + }, + "GlobalSignInEndpoint":{ + "shape":"GlobalSignInEndpoint", + "documentation":"

The URL that is used to sign-in to your Amazon Connect instance according to your traffic distribution group configuration. For more information about sign-in and traffic distribution groups, see Important things to know in the Create traffic distribution groups topic in the Amazon Connect Administrator Guide.

" + } + }, + "documentation":"

Details about the status of the replication of a source Amazon Connect instance across Amazon Web Services Regions. Use these details to understand the general status of a given replication. For information about why a replication process may fail, see Why a ReplicateInstance call fails in the Create a replica of your existing Amazon Connect instance topic in the Amazon Connect Administrator Guide.

" + }, + "ReplicationStatusReason":{ + "type":"string", + "max":1024, + "min":0 + }, + "ReplicationStatusSummary":{ + "type":"structure", + "members":{ + "Region":{ + "shape":"AwsRegion", + "documentation":"

The Amazon Web Services Region. This can be either the source or the replica Region, depending where it appears in the summary list.

" + }, + "ReplicationStatus":{ + "shape":"InstanceReplicationStatus", + "documentation":"

The state of the replication.

" + }, + "ReplicationStatusReason":{ + "shape":"ReplicationStatusReason", + "documentation":"

A description of the replication status. Use this information to resolve any issues that are preventing the successful replication of your Amazon Connect instance to another Region.

" + } + }, + "documentation":"

Status information about the replication process, where you use the ReplicateInstance API to create a replica of your Amazon Connect instance in another Amazon Web Services Region. For more information, see Set up Amazon Connect Global Resiliency in the Amazon Connect Administrator Guide.

" + }, + "ReplicationStatusSummaryList":{ + "type":"list", + "member":{"shape":"ReplicationStatusSummary"}, + "max":11, + "min":0 + }, "RequestIdentifier":{ "type":"string", "max":80 From 7b5ab2f88b113be1441e7d2e8232f79ce795023f Mon Sep 17 00:00:00 2001 From: AWS <> Date: Tue, 3 Sep 2024 18:05:50 +0000 Subject: [PATCH 005/108] Timestream InfluxDB Update: Timestream for InfluxDB now supports compute scaling and deployment type conversion. This release adds the DbInstanceType and DeploymentType parameters to the UpdateDbInstance API. --- .../feature-TimestreamInfluxDB-631df80.json | 6 ++++++ .../codegen-resources/service-2.json | 19 ++++++++++++++++--- 2 files changed, 22 insertions(+), 3 deletions(-) create mode 100644 .changes/next-release/feature-TimestreamInfluxDB-631df80.json diff --git a/.changes/next-release/feature-TimestreamInfluxDB-631df80.json b/.changes/next-release/feature-TimestreamInfluxDB-631df80.json new file mode 100644 index 000000000000..cc2d0baaefde --- /dev/null +++ b/.changes/next-release/feature-TimestreamInfluxDB-631df80.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Timestream InfluxDB", + "contributor": "", + "description": "Timestream for InfluxDB now supports compute scaling and deployment type conversion. This release adds the DbInstanceType and DeploymentType parameters to the UpdateDbInstance API." +} diff --git a/services/timestreaminfluxdb/src/main/resources/codegen-resources/service-2.json b/services/timestreaminfluxdb/src/main/resources/codegen-resources/service-2.json index ec7f683dc103..cb240e24e63e 100644 --- a/services/timestreaminfluxdb/src/main/resources/codegen-resources/service-2.json +++ b/services/timestreaminfluxdb/src/main/resources/codegen-resources/service-2.json @@ -231,7 +231,7 @@ "type":"string", "max":64, "min":2, - "pattern":"[^_][^\"]*" + "pattern":"[^_\"][^\"]*" }, "ConflictException":{ "type":"structure", @@ -986,7 +986,10 @@ "max":100, "min":1 }, - "NextToken":{"type":"string"}, + "NextToken":{ + "type":"string", + "min":1 + }, "Organization":{ "type":"string", "max":64, @@ -1087,7 +1090,9 @@ "MODIFYING", "UPDATING", "DELETED", - "FAILED" + "FAILED", + "UPDATING_DEPLOYMENT_TYPE", + "UPDATING_INSTANCE_TYPE" ] }, "String":{"type":"string"}, @@ -1177,6 +1182,14 @@ "dbParameterGroupIdentifier":{ "shape":"DbParameterGroupIdentifier", "documentation":"

The id of the DB parameter group to assign to your DB instance. DB parameter groups specify how the database is configured. For example, DB parameter groups can specify the limit for query concurrency.

" + }, + "dbInstanceType":{ + "shape":"DbInstanceType", + "documentation":"

The Timestream for InfluxDB DB instance type to run InfluxDB on.

" + }, + "deploymentType":{ + "shape":"DeploymentType", + "documentation":"

Specifies whether the DB instance will be deployed as a standalone instance or with a Multi-AZ standby for high availability.

" } } }, From a5a1fdf45fc220ae013d1128b445ae96dc972ef5 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Tue, 3 Sep 2024 18:05:50 +0000 Subject: [PATCH 006/108] Amazon DataZone Update: Add support to let data publisher specify a subset of the data asset that a subscriber will have access to based on the asset filters provided, when accepting a subscription request. --- .../feature-AmazonDataZone-f888006.json | 6 ++ .../codegen-resources/service-2.json | 65 +++++++++++++++++++ 2 files changed, 71 insertions(+) create mode 100644 .changes/next-release/feature-AmazonDataZone-f888006.json diff --git a/.changes/next-release/feature-AmazonDataZone-f888006.json b/.changes/next-release/feature-AmazonDataZone-f888006.json new file mode 100644 index 000000000000..902533fc460b --- /dev/null +++ b/.changes/next-release/feature-AmazonDataZone-f888006.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Amazon DataZone", + "contributor": "", + "description": "Add support to let data publisher specify a subset of the data asset that a subscriber will have access to based on the asset filters provided, when accepting a subscription request." +} diff --git a/services/datazone/src/main/resources/codegen-resources/service-2.json b/services/datazone/src/main/resources/codegen-resources/service-2.json index 9650622bf408..25cbe093c1c0 100644 --- a/services/datazone/src/main/resources/codegen-resources/service-2.json +++ b/services/datazone/src/main/resources/codegen-resources/service-2.json @@ -2901,6 +2901,10 @@ "identifier" ], "members":{ + "assetScopes":{ + "shape":"AcceptedAssetScopes", + "documentation":"

The asset scopes of the accept subscription request.

" + }, "decisionComment":{ "shape":"DecisionComment", "documentation":"

A description that specifies the reason for accepting the specified subscription request.

" @@ -2995,6 +2999,28 @@ "max":1, "min":1 }, + "AcceptedAssetScope":{ + "type":"structure", + "required":[ + "assetId", + "filterIds" + ], + "members":{ + "assetId":{ + "shape":"AssetId", + "documentation":"

The asset ID of the accepted asset scope.

" + }, + "filterIds":{ + "shape":"FilterIds", + "documentation":"

The filter IDs of the accepted asset scope.

" + } + }, + "documentation":"

The accepted asset scope.

" + }, + "AcceptedAssetScopes":{ + "type":"list", + "member":{"shape":"AcceptedAssetScope"} + }, "AccessDeniedException":{ "type":"structure", "required":["message"], @@ -3498,6 +3524,33 @@ "type":"list", "member":{"shape":"AssetRevision"} }, + "AssetScope":{ + "type":"structure", + "required":[ + "assetId", + "filterIds", + "status" + ], + "members":{ + "assetId":{ + "shape":"AssetId", + "documentation":"

The asset ID of the asset scope.

" + }, + "errorMessage":{ + "shape":"String", + "documentation":"

The error message of the asset scope.

" + }, + "filterIds":{ + "shape":"FilterIds", + "documentation":"

The filter IDs of the asset scope.

" + }, + "status":{ + "shape":"String", + "documentation":"

The status of the asset scope.

" + } + }, + "documentation":"

The asset scope.

" + }, "AssetTargetNameMap":{ "type":"structure", "required":[ @@ -8363,6 +8416,10 @@ "type":"string", "pattern":"^[a-zA-Z0-9_-]{1,36}$" }, + "FilterIds":{ + "type":"list", + "member":{"shape":"FilterId"} + }, "FilterList":{ "type":"list", "member":{"shape":"FilterClause"}, @@ -15637,6 +15694,10 @@ "shape":"Revision", "documentation":"

The revision of the asset for which the subscription grant is created.

" }, + "assetScope":{ + "shape":"AssetScope", + "documentation":"

The asset scope of the subscribed asset.

" + }, "failureCause":{ "shape":"FailureCause", "documentation":"

The failure cause included in the details of the asset for which the subscription grant is created.

" @@ -15663,6 +15724,10 @@ "SubscribedAssetListing":{ "type":"structure", "members":{ + "assetScope":{ + "shape":"AssetScope", + "documentation":"

The asset scope of the subscribed asset listing.

" + }, "entityId":{ "shape":"AssetId", "documentation":"

The identifier of the published asset for which the subscription grant is created.

" From d60a7c053ed0fb6adb54ac2f1705944676a2c3f4 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Tue, 3 Sep 2024 18:05:54 +0000 Subject: [PATCH 007/108] Elastic Load Balancing Update: This release adds support for configuring TCP idle timeout on NLB and GWLB listeners. --- .../feature-ElasticLoadBalancing-a18eab9.json | 6 + .../codegen-resources/service-2.json | 106 +++++++++++++++++- 2 files changed, 110 insertions(+), 2 deletions(-) create mode 100644 .changes/next-release/feature-ElasticLoadBalancing-a18eab9.json diff --git a/.changes/next-release/feature-ElasticLoadBalancing-a18eab9.json b/.changes/next-release/feature-ElasticLoadBalancing-a18eab9.json new file mode 100644 index 000000000000..ac7c610c8708 --- /dev/null +++ b/.changes/next-release/feature-ElasticLoadBalancing-a18eab9.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Elastic Load Balancing", + "contributor": "", + "description": "This release adds support for configuring TCP idle timeout on NLB and GWLB listeners." +} diff --git a/services/elasticloadbalancingv2/src/main/resources/codegen-resources/service-2.json b/services/elasticloadbalancingv2/src/main/resources/codegen-resources/service-2.json index 6825fd5cf360..7f14acdcb42c 100644 --- a/services/elasticloadbalancingv2/src/main/resources/codegen-resources/service-2.json +++ b/services/elasticloadbalancingv2/src/main/resources/codegen-resources/service-2.json @@ -339,6 +339,22 @@ }, "documentation":"

Describes the current Elastic Load Balancing resource limits for your Amazon Web Services account.

For more information, see the following:

" }, + "DescribeListenerAttributes":{ + "name":"DescribeListenerAttributes", + "http":{ + "method":"POST", + "requestUri":"/" + }, + "input":{"shape":"DescribeListenerAttributesInput"}, + "output":{ + "shape":"DescribeListenerAttributesOutput", + "resultWrapper":"DescribeListenerAttributesResult" + }, + "errors":[ + {"shape":"ListenerNotFoundException"} + ], + "documentation":"

Describes the attributes for the specified listener.

" + }, "DescribeListenerCertificates":{ "name":"DescribeListenerCertificates", "http":{ @@ -642,6 +658,23 @@ ], "documentation":"

Replaces the specified properties of the specified listener. Any properties that you do not specify remain unchanged.

Changing the protocol from HTTPS to HTTP, or from TLS to TCP, removes the security policy and default certificate properties. If you change the protocol from HTTP to HTTPS, or from TCP to TLS, you must add the security policy and default certificate properties.

To add an item to a list, remove an item from a list, or update an item in a list, you must provide the entire list. For example, to add an action, specify a list with the current actions plus the new action.

" }, + "ModifyListenerAttributes":{ + "name":"ModifyListenerAttributes", + "http":{ + "method":"POST", + "requestUri":"/" + }, + "input":{"shape":"ModifyListenerAttributesInput"}, + "output":{ + "shape":"ModifyListenerAttributesOutput", + "resultWrapper":"ModifyListenerAttributesResult" + }, + "errors":[ + {"shape":"ListenerNotFoundException"}, + {"shape":"InvalidConfigurationRequestException"} + ], + "documentation":"

Modifies the specified attributes of the specified listener.

" + }, "ModifyLoadBalancerAttributes":{ "name":"ModifyLoadBalancerAttributes", "http":{ @@ -1756,6 +1789,25 @@ } } }, + "DescribeListenerAttributesInput":{ + "type":"structure", + "required":["ListenerArn"], + "members":{ + "ListenerArn":{ + "shape":"ListenerArn", + "documentation":"

The Amazon Resource Name (ARN) of the listener.

" + } + } + }, + "DescribeListenerAttributesOutput":{ + "type":"structure", + "members":{ + "Attributes":{ + "shape":"ListenerAttributes", + "documentation":"

Information about the listener attributes.

" + } + } + }, "DescribeListenerCertificatesInput":{ "type":"structure", "required":["ListenerArn"], @@ -2616,6 +2668,30 @@ "type":"list", "member":{"shape":"ListenerArn"} }, + "ListenerAttribute":{ + "type":"structure", + "members":{ + "Key":{ + "shape":"ListenerAttributeKey", + "documentation":"

The name of the attribute.

The following attribute is supported by Network Load Balancers, and Gateway Load Balancers.

  • tcp.idle_timeout.seconds - The tcp idle timeout value, in seconds. The valid range is 60-6000 seconds. The default is 350 seconds.

" + }, + "Value":{ + "shape":"ListenerAttributeValue", + "documentation":"

The value of the attribute.

" + } + }, + "documentation":"

Information about a listener attribute.

" + }, + "ListenerAttributeKey":{ + "type":"string", + "max":256, + "pattern":"^[a-zA-Z0-9._]+$" + }, + "ListenerAttributeValue":{"type":"string"}, + "ListenerAttributes":{ + "type":"list", + "member":{"shape":"ListenerAttribute"} + }, "ListenerNotFoundException":{ "type":"structure", "members":{ @@ -2837,6 +2913,32 @@ ] }, "Mode":{"type":"string"}, + "ModifyListenerAttributesInput":{ + "type":"structure", + "required":[ + "ListenerArn", + "Attributes" + ], + "members":{ + "ListenerArn":{ + "shape":"ListenerArn", + "documentation":"

The Amazon Resource Name (ARN) of the listener.

" + }, + "Attributes":{ + "shape":"ListenerAttributes", + "documentation":"

The listener attributes.

" + } + } + }, + "ModifyListenerAttributesOutput":{ + "type":"structure", + "members":{ + "Attributes":{ + "shape":"ListenerAttributes", + "documentation":"

Information about the listener attributes.

" + } + } + }, "ModifyListenerInput":{ "type":"structure", "required":["ListenerArn"], @@ -2950,7 +3052,7 @@ }, "Attributes":{ "shape":"TargetGroupAttributes", - "documentation":"

The attributes.

" + "documentation":"

The target group attributes.

" } } }, @@ -2959,7 +3061,7 @@ "members":{ "Attributes":{ "shape":"TargetGroupAttributes", - "documentation":"

Information about the attributes.

" + "documentation":"

Information about the target group attributes.

" } } }, From d60f579049047122f984e8210d7427097b7e8f74 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Tue, 3 Sep 2024 18:06:00 +0000 Subject: [PATCH 008/108] Amazon SageMaker Service Update: Amazon SageMaker now supports automatic mounting of a user's home folder in the Amazon Elastic File System (EFS) associated with the SageMaker Studio domain to their Studio Spaces to enable users to share data between their own private spaces. --- ...eature-AmazonSageMakerService-25b841c.json | 6 ++++ .../codegen-resources/service-2.json | 32 +++++++++++++------ 2 files changed, 28 insertions(+), 10 deletions(-) create mode 100644 .changes/next-release/feature-AmazonSageMakerService-25b841c.json diff --git a/.changes/next-release/feature-AmazonSageMakerService-25b841c.json b/.changes/next-release/feature-AmazonSageMakerService-25b841c.json new file mode 100644 index 000000000000..ce05c6e868ff --- /dev/null +++ b/.changes/next-release/feature-AmazonSageMakerService-25b841c.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Amazon SageMaker Service", + "contributor": "", + "description": "Amazon SageMaker now supports automatic mounting of a user's home folder in the Amazon Elastic File System (EFS) associated with the SageMaker Studio domain to their Studio Spaces to enable users to share data between their own private spaces." +} diff --git a/services/sagemaker/src/main/resources/codegen-resources/service-2.json b/services/sagemaker/src/main/resources/codegen-resources/service-2.json index 9b5c96fb65d6..ceebcbf23a46 100644 --- a/services/sagemaker/src/main/resources/codegen-resources/service-2.json +++ b/services/sagemaker/src/main/resources/codegen-resources/service-2.json @@ -4435,7 +4435,7 @@ "type":"string", "max":2048, "min":1, - "pattern":"^arn:aws(-cn|-us-gov)?:sagemaker:[a-z0-9\\-]{9,16}:[0-9]{12}:algorithm/[\\S]{1,2048}$" + "pattern":"^arn:aws(-cn|-us-gov|-iso-f)?:sagemaker:[a-z0-9\\-]{9,16}:[0-9]{12}:algorithm/[\\S]{1,2048}$" }, "AlgorithmImage":{ "type":"string", @@ -6077,6 +6077,14 @@ "Descending" ] }, + "AutoMountHomeEFS":{ + "type":"string", + "enum":[ + "Enabled", + "Disabled", + "DefaultAsDomain" + ] + }, "AutoParameter":{ "type":"structure", "required":[ @@ -7306,7 +7314,7 @@ "ClusterInstanceGroupSpecifications":{ "type":"list", "member":{"shape":"ClusterInstanceGroupSpecification"}, - "max":20, + "max":100, "min":1 }, "ClusterInstancePlacement":{ @@ -7646,7 +7654,7 @@ "type":"string", "max":2048, "min":1, - "pattern":"^arn:aws(-cn|-us-gov)?:sagemaker:[a-z0-9\\-]{9,16}:[0-9]{12}:code-repository/[\\S]{1,2048}$" + "pattern":"^arn:aws(-cn|-us-gov|-iso-f)?:sagemaker:[a-z0-9\\-]{9,16}:[0-9]{12}:code-repository/[\\S]{1,2048}$" }, "CodeRepositoryContains":{ "type":"string", @@ -8018,7 +8026,7 @@ }, "Environment":{ "shape":"EnvironmentMap", - "documentation":"

The environment variables to set in the Docker container.

The maximum length of each key and value in the Environment map is 1024 bytes. The maximum length of all keys and values in the map, combined, is 32 KB. If you pass multiple containers to a CreateModel request, then the maximum length of all of their maps, combined, is also 32 KB.

" + "documentation":"

The environment variables to set in the Docker container. Don't include any sensitive data in your environment variables.

The maximum length of each key and value in the Environment map is 1024 bytes. The maximum length of all keys and values in the map, combined, is 32 KB. If you pass multiple containers to a CreateModel request, then the maximum length of all of their maps, combined, is also 32 KB.

" }, "ModelPackageName":{ "shape":"VersionedArnOrName", @@ -10871,7 +10879,7 @@ }, "Environment":{ "shape":"TransformEnvironmentMap", - "documentation":"

The environment variables to set in the Docker container. We support up to 16 key and values entries in the map.

" + "documentation":"

The environment variables to set in the Docker container. Don't include any sensitive data in your environment variables. We support up to 16 key and values entries in the map.

" }, "TransformInput":{ "shape":"TransformInput", @@ -20918,7 +20926,7 @@ "ImageArn":{ "type":"string", "max":256, - "pattern":"^arn:aws(-[\\w]+)*:sagemaker:.+:[0-9]{12}:image/[a-z0-9]([-.]?[a-z0-9])*$" + "pattern":"^arn:aws(-[\\w]+)*:sagemaker:.+:[0-9]{12}:image/[a-zA-Z0-9]([-.]?[a-zA-Z0-9])*$" }, "ImageBaseImage":{ "type":"string", @@ -28158,7 +28166,7 @@ "type":"string", "max":2048, "min":1, - "pattern":"^arn:aws(-cn|-us-gov)?:sagemaker:[a-z0-9\\-]{9,16}:[0-9]{12}:model-package/[\\S]{1,2048}$" + "pattern":"^arn:aws(-cn|-us-gov|-iso-f)?:sagemaker:[a-z0-9\\-]{9,16}:[0-9]{12}:model-package/[\\S]{1,2048}$" }, "ModelPackageArnList":{ "type":"list", @@ -28268,7 +28276,7 @@ "type":"string", "max":2048, "min":1, - "pattern":"^arn:aws(-cn|-us-gov)?:sagemaker:[a-z0-9\\-]{9,16}:[0-9]{12}:model-package-group/[\\S]{1,2048}$" + "pattern":"^arn:aws(-cn|-us-gov|-iso-f)?:sagemaker:[a-z0-9\\-]{9,16}:[0-9]{12}:model-package-group/[\\S]{1,2048}$" }, "ModelPackageGroupSortBy":{ "type":"string", @@ -32283,7 +32291,7 @@ "type":"string", "max":2048, "min":1, - "pattern":"^arn:aws(-cn|-us-gov)?:sagemaker:[a-z0-9\\-]{9,16}:[0-9]{12}:project/[\\S]{1,2048}$" + "pattern":"^arn:aws(-cn|-us-gov|-iso-f)?:sagemaker:[a-z0-9\\-]{9,16}:[0-9]{12}:project/[\\S]{1,2048}$" }, "ProjectEntityName":{ "type":"string", @@ -35307,7 +35315,7 @@ "StudioLifecycleConfigArn":{ "type":"string", "max":256, - "pattern":"arn:aws[a-z\\-]*:sagemaker:[a-z0-9\\-]*:[0-9]{12}:studio-lifecycle-config/.*" + "pattern":"^(arn:aws[a-z\\-]*:sagemaker:[a-z0-9\\-]*:[0-9]{12}:studio-lifecycle-config/.*|None)$" }, "StudioLifecycleConfigContent":{ "type":"string", @@ -39092,6 +39100,10 @@ "StudioWebPortalSettings":{ "shape":"StudioWebPortalSettings", "documentation":"

Studio settings. If these settings are applied on a user level, they take priority over the settings applied on a domain level.

" + }, + "AutoMountHomeEFS":{ + "shape":"AutoMountHomeEFS", + "documentation":"

Indicates whether auto-mounting of an EFS volume is supported for the user profile. The DefaultAsDomain value is only supported for user profiles. Do not use the DefaultAsDomain value when setting this parameter for a domain.

" } }, "documentation":"

A collection of settings that apply to users in a domain. These settings are specified when the CreateUserProfile API is called, and as DefaultUserSettings when the CreateDomain API is called.

SecurityGroups is aggregated when specified in both calls. For all other settings in UserSettings, the values specified in CreateUserProfile take precedence over those specified in CreateDomain.

" From ae0f7183a8be29a6d8c3f93186edc931fb1a9075 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Tue, 3 Sep 2024 18:08:18 +0000 Subject: [PATCH 009/108] Release 2.27.18. Updated CHANGELOG.md, README.md and all pom.xml. --- .changes/2.27.18.json | 48 +++++++++++++++++++ ...feature-AWSElementalMediaLive-b393747.json | 6 --- .../feature-AWSMediaConnect-da09048.json | 6 --- .../feature-AmazonConnectService-9f8c4be.json | 6 --- .../feature-AmazonDataZone-f888006.json | 6 --- ...eature-AmazonSageMakerService-25b841c.json | 6 --- .../feature-ElasticLoadBalancing-a18eab9.json | 6 --- .../feature-TimestreamInfluxDB-631df80.json | 6 --- CHANGELOG.md | 29 +++++++++++ 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/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/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/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/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/worklink/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 +- 479 files changed, 550 insertions(+), 515 deletions(-) create mode 100644 .changes/2.27.18.json delete mode 100644 .changes/next-release/feature-AWSElementalMediaLive-b393747.json delete mode 100644 .changes/next-release/feature-AWSMediaConnect-da09048.json delete mode 100644 .changes/next-release/feature-AmazonConnectService-9f8c4be.json delete mode 100644 .changes/next-release/feature-AmazonDataZone-f888006.json delete mode 100644 .changes/next-release/feature-AmazonSageMakerService-25b841c.json delete mode 100644 .changes/next-release/feature-ElasticLoadBalancing-a18eab9.json delete mode 100644 .changes/next-release/feature-TimestreamInfluxDB-631df80.json diff --git a/.changes/2.27.18.json b/.changes/2.27.18.json new file mode 100644 index 000000000000..6aadfebfd10a --- /dev/null +++ b/.changes/2.27.18.json @@ -0,0 +1,48 @@ +{ + "version": "2.27.18", + "date": "2024-09-03", + "entries": [ + { + "type": "feature", + "category": "AWS Elemental MediaLive", + "contributor": "", + "description": "Added MinQP as a Rate Control option for H264 and H265 encodes." + }, + { + "type": "feature", + "category": "AWS MediaConnect", + "contributor": "", + "description": "AWS Elemental MediaConnect introduces thumbnails for Flow source monitoring. Thumbnails provide still image previews of the live content feeding your MediaConnect Flow allowing you to easily verify that your source is operating as expected." + }, + { + "type": "feature", + "category": "Amazon Connect Service", + "contributor": "", + "description": "Release ReplicaConfiguration as part of DescribeInstance" + }, + { + "type": "feature", + "category": "Amazon DataZone", + "contributor": "", + "description": "Add support to let data publisher specify a subset of the data asset that a subscriber will have access to based on the asset filters provided, when accepting a subscription request." + }, + { + "type": "feature", + "category": "Amazon SageMaker Service", + "contributor": "", + "description": "Amazon SageMaker now supports automatic mounting of a user's home folder in the Amazon Elastic File System (EFS) associated with the SageMaker Studio domain to their Studio Spaces to enable users to share data between their own private spaces." + }, + { + "type": "feature", + "category": "Elastic Load Balancing", + "contributor": "", + "description": "This release adds support for configuring TCP idle timeout on NLB and GWLB listeners." + }, + { + "type": "feature", + "category": "Timestream InfluxDB", + "contributor": "", + "description": "Timestream for InfluxDB now supports compute scaling and deployment type conversion. This release adds the DbInstanceType and DeploymentType parameters to the UpdateDbInstance API." + } + ] +} \ No newline at end of file diff --git a/.changes/next-release/feature-AWSElementalMediaLive-b393747.json b/.changes/next-release/feature-AWSElementalMediaLive-b393747.json deleted file mode 100644 index 4fc056756cda..000000000000 --- a/.changes/next-release/feature-AWSElementalMediaLive-b393747.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "AWS Elemental MediaLive", - "contributor": "", - "description": "Added MinQP as a Rate Control option for H264 and H265 encodes." -} diff --git a/.changes/next-release/feature-AWSMediaConnect-da09048.json b/.changes/next-release/feature-AWSMediaConnect-da09048.json deleted file mode 100644 index cbfad328de09..000000000000 --- a/.changes/next-release/feature-AWSMediaConnect-da09048.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "AWS MediaConnect", - "contributor": "", - "description": "AWS Elemental MediaConnect introduces thumbnails for Flow source monitoring. Thumbnails provide still image previews of the live content feeding your MediaConnect Flow allowing you to easily verify that your source is operating as expected." -} diff --git a/.changes/next-release/feature-AmazonConnectService-9f8c4be.json b/.changes/next-release/feature-AmazonConnectService-9f8c4be.json deleted file mode 100644 index 8bc03cdd1f49..000000000000 --- a/.changes/next-release/feature-AmazonConnectService-9f8c4be.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "Amazon Connect Service", - "contributor": "", - "description": "Release ReplicaConfiguration as part of DescribeInstance" -} diff --git a/.changes/next-release/feature-AmazonDataZone-f888006.json b/.changes/next-release/feature-AmazonDataZone-f888006.json deleted file mode 100644 index 902533fc460b..000000000000 --- a/.changes/next-release/feature-AmazonDataZone-f888006.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "Amazon DataZone", - "contributor": "", - "description": "Add support to let data publisher specify a subset of the data asset that a subscriber will have access to based on the asset filters provided, when accepting a subscription request." -} diff --git a/.changes/next-release/feature-AmazonSageMakerService-25b841c.json b/.changes/next-release/feature-AmazonSageMakerService-25b841c.json deleted file mode 100644 index ce05c6e868ff..000000000000 --- a/.changes/next-release/feature-AmazonSageMakerService-25b841c.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "Amazon SageMaker Service", - "contributor": "", - "description": "Amazon SageMaker now supports automatic mounting of a user's home folder in the Amazon Elastic File System (EFS) associated with the SageMaker Studio domain to their Studio Spaces to enable users to share data between their own private spaces." -} diff --git a/.changes/next-release/feature-ElasticLoadBalancing-a18eab9.json b/.changes/next-release/feature-ElasticLoadBalancing-a18eab9.json deleted file mode 100644 index ac7c610c8708..000000000000 --- a/.changes/next-release/feature-ElasticLoadBalancing-a18eab9.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "Elastic Load Balancing", - "contributor": "", - "description": "This release adds support for configuring TCP idle timeout on NLB and GWLB listeners." -} diff --git a/.changes/next-release/feature-TimestreamInfluxDB-631df80.json b/.changes/next-release/feature-TimestreamInfluxDB-631df80.json deleted file mode 100644 index cc2d0baaefde..000000000000 --- a/.changes/next-release/feature-TimestreamInfluxDB-631df80.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "Timestream InfluxDB", - "contributor": "", - "description": "Timestream for InfluxDB now supports compute scaling and deployment type conversion. This release adds the DbInstanceType and DeploymentType parameters to the UpdateDbInstance API." -} diff --git a/CHANGELOG.md b/CHANGELOG.md index ae5cdd17fc2c..f023da40dcf8 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,33 @@ #### 👋 _Looking for changelogs for older versions? You can find them in the [changelogs](./changelogs) directory._ +# __2.27.18__ __2024-09-03__ +## __AWS Elemental MediaLive__ + - ### Features + - Added MinQP as a Rate Control option for H264 and H265 encodes. + +## __AWS MediaConnect__ + - ### Features + - AWS Elemental MediaConnect introduces thumbnails for Flow source monitoring. Thumbnails provide still image previews of the live content feeding your MediaConnect Flow allowing you to easily verify that your source is operating as expected. + +## __Amazon Connect Service__ + - ### Features + - Release ReplicaConfiguration as part of DescribeInstance + +## __Amazon DataZone__ + - ### Features + - Add support to let data publisher specify a subset of the data asset that a subscriber will have access to based on the asset filters provided, when accepting a subscription request. + +## __Amazon SageMaker Service__ + - ### Features + - Amazon SageMaker now supports automatic mounting of a user's home folder in the Amazon Elastic File System (EFS) associated with the SageMaker Studio domain to their Studio Spaces to enable users to share data between their own private spaces. + +## __Elastic Load Balancing__ + - ### Features + - This release adds support for configuring TCP idle timeout on NLB and GWLB listeners. + +## __Timestream InfluxDB__ + - ### Features + - Timestream for InfluxDB now supports compute scaling and deployment type conversion. This release adds the DbInstanceType and DeploymentType parameters to the UpdateDbInstance API. + # __2.27.17__ __2024-08-30__ ## __AWS Backup__ - ### Features diff --git a/README.md b/README.md index 5addf98d9025..927d696b8d2f 100644 --- a/README.md +++ b/README.md @@ -52,7 +52,7 @@ To automatically manage module versions (currently all modules have the same ver software.amazon.awssdk bom - 2.27.17 + 2.27.18 pom import @@ -86,12 +86,12 @@ Alternatively you can add dependencies for the specific services you use only: software.amazon.awssdk ec2 - 2.27.17 + 2.27.18 software.amazon.awssdk s3 - 2.27.17 + 2.27.18 ``` @@ -103,7 +103,7 @@ You can import the whole SDK into your project (includes *ALL* services). Please software.amazon.awssdk aws-sdk-java - 2.27.17 + 2.27.18 ``` diff --git a/archetypes/archetype-app-quickstart/pom.xml b/archetypes/archetype-app-quickstart/pom.xml index 8f898ec211a0..4fbe5d872c25 100644 --- a/archetypes/archetype-app-quickstart/pom.xml +++ b/archetypes/archetype-app-quickstart/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.18-SNAPSHOT + 2.27.18 4.0.0 diff --git a/archetypes/archetype-lambda/pom.xml b/archetypes/archetype-lambda/pom.xml index 184e1e6e60ba..8915198e5d18 100644 --- a/archetypes/archetype-lambda/pom.xml +++ b/archetypes/archetype-lambda/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.18-SNAPSHOT + 2.27.18 4.0.0 archetype-lambda diff --git a/archetypes/archetype-tools/pom.xml b/archetypes/archetype-tools/pom.xml index 9facbfdd6666..b7625596a019 100644 --- a/archetypes/archetype-tools/pom.xml +++ b/archetypes/archetype-tools/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.18-SNAPSHOT + 2.27.18 4.0.0 diff --git a/archetypes/pom.xml b/archetypes/pom.xml index 8a005bbf61d6..737d2c95ce3e 100644 --- a/archetypes/pom.xml +++ b/archetypes/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.18-SNAPSHOT + 2.27.18 4.0.0 archetypes diff --git a/aws-sdk-java/pom.xml b/aws-sdk-java/pom.xml index 8c810c9171e8..cb1e85353cc5 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.27.18-SNAPSHOT + 2.27.18 ../pom.xml aws-sdk-java diff --git a/bom-internal/pom.xml b/bom-internal/pom.xml index 882cb2b042b8..c127ebb43b6e 100644 --- a/bom-internal/pom.xml +++ b/bom-internal/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.18-SNAPSHOT + 2.27.18 4.0.0 diff --git a/bom/pom.xml b/bom/pom.xml index d915fbcaebf3..809c5373eea3 100644 --- a/bom/pom.xml +++ b/bom/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.18-SNAPSHOT + 2.27.18 ../pom.xml bom diff --git a/bundle-logging-bridge/pom.xml b/bundle-logging-bridge/pom.xml index 5d46f49a5495..3ea237fb8b72 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.27.18-SNAPSHOT + 2.27.18 bundle-logging-bridge jar diff --git a/bundle-sdk/pom.xml b/bundle-sdk/pom.xml index 7d250cafef93..4465b9919668 100644 --- a/bundle-sdk/pom.xml +++ b/bundle-sdk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.18-SNAPSHOT + 2.27.18 bundle-sdk jar diff --git a/bundle/pom.xml b/bundle/pom.xml index 3d116aa20ffb..a9079aeb4dbf 100644 --- a/bundle/pom.xml +++ b/bundle/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.18-SNAPSHOT + 2.27.18 bundle jar diff --git a/codegen-lite-maven-plugin/pom.xml b/codegen-lite-maven-plugin/pom.xml index 838251b27034..b17cbd73fbfa 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.27.18-SNAPSHOT + 2.27.18 ../pom.xml codegen-lite-maven-plugin diff --git a/codegen-lite/pom.xml b/codegen-lite/pom.xml index 2bdb6517807f..425c0454cd3a 100644 --- a/codegen-lite/pom.xml +++ b/codegen-lite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.18-SNAPSHOT + 2.27.18 codegen-lite AWS Java SDK :: Code Generator Lite diff --git a/codegen-maven-plugin/pom.xml b/codegen-maven-plugin/pom.xml index c54e054aa836..f43991093d88 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.27.18-SNAPSHOT + 2.27.18 ../pom.xml codegen-maven-plugin diff --git a/codegen/pom.xml b/codegen/pom.xml index a7af1bd33bf8..40092ecb74d5 100644 --- a/codegen/pom.xml +++ b/codegen/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.18-SNAPSHOT + 2.27.18 codegen AWS Java SDK :: Code Generator diff --git a/core/annotations/pom.xml b/core/annotations/pom.xml index aa4250594f4c..3456686326a5 100644 --- a/core/annotations/pom.xml +++ b/core/annotations/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.18-SNAPSHOT + 2.27.18 4.0.0 diff --git a/core/arns/pom.xml b/core/arns/pom.xml index 1f961f105776..ae9979555988 100644 --- a/core/arns/pom.xml +++ b/core/arns/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.18-SNAPSHOT + 2.27.18 4.0.0 diff --git a/core/auth-crt/pom.xml b/core/auth-crt/pom.xml index 94d73e85a519..42c27e4e3f73 100644 --- a/core/auth-crt/pom.xml +++ b/core/auth-crt/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.18-SNAPSHOT + 2.27.18 auth-crt diff --git a/core/auth/pom.xml b/core/auth/pom.xml index d739d0a6a21b..9986a96dc16e 100644 --- a/core/auth/pom.xml +++ b/core/auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.18-SNAPSHOT + 2.27.18 auth diff --git a/core/aws-core/pom.xml b/core/aws-core/pom.xml index 2f6fd50099f3..b3dafea44e60 100644 --- a/core/aws-core/pom.xml +++ b/core/aws-core/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.18-SNAPSHOT + 2.27.18 aws-core diff --git a/core/checksums-spi/pom.xml b/core/checksums-spi/pom.xml index f3c972f34b30..32577682152a 100644 --- a/core/checksums-spi/pom.xml +++ b/core/checksums-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.18-SNAPSHOT + 2.27.18 checksums-spi diff --git a/core/checksums/pom.xml b/core/checksums/pom.xml index 8202ecdc3277..964855259f32 100644 --- a/core/checksums/pom.xml +++ b/core/checksums/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.18-SNAPSHOT + 2.27.18 checksums diff --git a/core/crt-core/pom.xml b/core/crt-core/pom.xml index 03f28b9ea5e5..f55aed494fcd 100644 --- a/core/crt-core/pom.xml +++ b/core/crt-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.27.18-SNAPSHOT + 2.27.18 crt-core diff --git a/core/endpoints-spi/pom.xml b/core/endpoints-spi/pom.xml index f1eb3ce87dba..81387a9fcdbd 100644 --- a/core/endpoints-spi/pom.xml +++ b/core/endpoints-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.18-SNAPSHOT + 2.27.18 4.0.0 diff --git a/core/http-auth-aws-crt/pom.xml b/core/http-auth-aws-crt/pom.xml index 3feaa2bcb78a..b6fedf9ccfd3 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.27.18-SNAPSHOT + 2.27.18 http-auth-aws-crt diff --git a/core/http-auth-aws-eventstream/pom.xml b/core/http-auth-aws-eventstream/pom.xml index 7b9ea63c9b11..c54f6f4168db 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.27.18-SNAPSHOT + 2.27.18 http-auth-aws-eventstream diff --git a/core/http-auth-aws/pom.xml b/core/http-auth-aws/pom.xml index 5585ad377e31..06f2482d0a9c 100644 --- a/core/http-auth-aws/pom.xml +++ b/core/http-auth-aws/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.18-SNAPSHOT + 2.27.18 http-auth-aws diff --git a/core/http-auth-spi/pom.xml b/core/http-auth-spi/pom.xml index 80bbaf930912..065a24c1bec1 100644 --- a/core/http-auth-spi/pom.xml +++ b/core/http-auth-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.18-SNAPSHOT + 2.27.18 http-auth-spi diff --git a/core/http-auth/pom.xml b/core/http-auth/pom.xml index 63c66590f884..7cdf4558c20c 100644 --- a/core/http-auth/pom.xml +++ b/core/http-auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.18-SNAPSHOT + 2.27.18 http-auth diff --git a/core/identity-spi/pom.xml b/core/identity-spi/pom.xml index 0c804276caca..eb7d2dfe7834 100644 --- a/core/identity-spi/pom.xml +++ b/core/identity-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.18-SNAPSHOT + 2.27.18 identity-spi diff --git a/core/imds/pom.xml b/core/imds/pom.xml index de180eda963c..750c30ccbf0d 100644 --- a/core/imds/pom.xml +++ b/core/imds/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.18-SNAPSHOT + 2.27.18 4.0.0 imds diff --git a/core/json-utils/pom.xml b/core/json-utils/pom.xml index e876ebc65d32..0580d1567b3a 100644 --- a/core/json-utils/pom.xml +++ b/core/json-utils/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.18-SNAPSHOT + 2.27.18 4.0.0 diff --git a/core/metrics-spi/pom.xml b/core/metrics-spi/pom.xml index 61d37180800e..29cfd4a2a19c 100644 --- a/core/metrics-spi/pom.xml +++ b/core/metrics-spi/pom.xml @@ -5,7 +5,7 @@ core software.amazon.awssdk - 2.27.18-SNAPSHOT + 2.27.18 4.0.0 diff --git a/core/pom.xml b/core/pom.xml index cb578f8a8182..e5150830b10b 100644 --- a/core/pom.xml +++ b/core/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.18-SNAPSHOT + 2.27.18 core diff --git a/core/profiles/pom.xml b/core/profiles/pom.xml index 0b48ab41b521..8b1cf868d5bf 100644 --- a/core/profiles/pom.xml +++ b/core/profiles/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.18-SNAPSHOT + 2.27.18 profiles diff --git a/core/protocols/aws-cbor-protocol/pom.xml b/core/protocols/aws-cbor-protocol/pom.xml index 4365bd803241..597af6ed94a4 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.27.18-SNAPSHOT + 2.27.18 4.0.0 diff --git a/core/protocols/aws-json-protocol/pom.xml b/core/protocols/aws-json-protocol/pom.xml index 9cfd731c92f4..c63591a2cd18 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.27.18-SNAPSHOT + 2.27.18 4.0.0 diff --git a/core/protocols/aws-query-protocol/pom.xml b/core/protocols/aws-query-protocol/pom.xml index 8365bde0dc10..a1b567215ad5 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.27.18-SNAPSHOT + 2.27.18 4.0.0 diff --git a/core/protocols/aws-xml-protocol/pom.xml b/core/protocols/aws-xml-protocol/pom.xml index d8c73a3d0954..61487af40a08 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.27.18-SNAPSHOT + 2.27.18 4.0.0 diff --git a/core/protocols/pom.xml b/core/protocols/pom.xml index 09164a6538bc..e8c1fef6022c 100644 --- a/core/protocols/pom.xml +++ b/core/protocols/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.18-SNAPSHOT + 2.27.18 4.0.0 diff --git a/core/protocols/protocol-core/pom.xml b/core/protocols/protocol-core/pom.xml index 01cb476cebc3..ce423d913f4f 100644 --- a/core/protocols/protocol-core/pom.xml +++ b/core/protocols/protocol-core/pom.xml @@ -20,7 +20,7 @@ protocols software.amazon.awssdk - 2.27.18-SNAPSHOT + 2.27.18 4.0.0 diff --git a/core/regions/pom.xml b/core/regions/pom.xml index 84965a7850a5..75a7b0028b41 100644 --- a/core/regions/pom.xml +++ b/core/regions/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.18-SNAPSHOT + 2.27.18 regions diff --git a/core/retries-spi/pom.xml b/core/retries-spi/pom.xml index 02e3956ceffe..68ce214deee6 100644 --- a/core/retries-spi/pom.xml +++ b/core/retries-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.18-SNAPSHOT + 2.27.18 4.0.0 diff --git a/core/retries/pom.xml b/core/retries/pom.xml index bb60403fb4f1..25bcabe60ed4 100644 --- a/core/retries/pom.xml +++ b/core/retries/pom.xml @@ -21,7 +21,7 @@ core software.amazon.awssdk - 2.27.18-SNAPSHOT + 2.27.18 4.0.0 diff --git a/core/sdk-core/pom.xml b/core/sdk-core/pom.xml index b764df8ac8c5..a2fa104ea7e5 100644 --- a/core/sdk-core/pom.xml +++ b/core/sdk-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.27.18-SNAPSHOT + 2.27.18 sdk-core AWS Java SDK :: SDK Core diff --git a/http-client-spi/pom.xml b/http-client-spi/pom.xml index aa0d401a1b5e..be17d65691b1 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.27.18-SNAPSHOT + 2.27.18 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 0cece18d6178..96b09573d343 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.27.18-SNAPSHOT + 2.27.18 apache-client diff --git a/http-clients/aws-crt-client/pom.xml b/http-clients/aws-crt-client/pom.xml index dcb44d3ee5b4..e7bd15704412 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.27.18-SNAPSHOT + 2.27.18 4.0.0 diff --git a/http-clients/netty-nio-client/pom.xml b/http-clients/netty-nio-client/pom.xml index 090c2d0bb4bf..57f824ba5700 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.27.18-SNAPSHOT + 2.27.18 4.0.0 diff --git a/http-clients/pom.xml b/http-clients/pom.xml index c04cd93f3347..b59d668e34e9 100644 --- a/http-clients/pom.xml +++ b/http-clients/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.18-SNAPSHOT + 2.27.18 4.0.0 diff --git a/http-clients/url-connection-client/pom.xml b/http-clients/url-connection-client/pom.xml index a78977a49f8f..44483162b46b 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.27.18-SNAPSHOT + 2.27.18 4.0.0 diff --git a/metric-publishers/cloudwatch-metric-publisher/pom.xml b/metric-publishers/cloudwatch-metric-publisher/pom.xml index 9e6cd780f164..1004677c18bf 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.27.18-SNAPSHOT + 2.27.18 cloudwatch-metric-publisher diff --git a/metric-publishers/pom.xml b/metric-publishers/pom.xml index b0bd20ca9d02..e4f24e076fb9 100644 --- a/metric-publishers/pom.xml +++ b/metric-publishers/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.18-SNAPSHOT + 2.27.18 metric-publishers diff --git a/pom.xml b/pom.xml index 9cb7488e05c5..11e53b49bce5 100644 --- a/pom.xml +++ b/pom.xml @@ -20,7 +20,7 @@ 4.0.0 software.amazon.awssdk aws-sdk-java-pom - 2.27.18-SNAPSHOT + 2.27.18 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 383d26575311..5965dee20baa 100644 --- a/release-scripts/pom.xml +++ b/release-scripts/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.18-SNAPSHOT + 2.27.18 ../pom.xml release-scripts diff --git a/services-custom/dynamodb-enhanced/pom.xml b/services-custom/dynamodb-enhanced/pom.xml index 07bbe73e15ae..0c2d19ba89f0 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.27.18-SNAPSHOT + 2.27.18 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 588eba129f56..9fba5d1d5f65 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.27.18-SNAPSHOT + 2.27.18 ../../pom.xml iam-policy-builder diff --git a/services-custom/pom.xml b/services-custom/pom.xml index 4618b6e54935..001c0c91052d 100644 --- a/services-custom/pom.xml +++ b/services-custom/pom.xml @@ -19,7 +19,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.18-SNAPSHOT + 2.27.18 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 dbdfefedeef2..4c1f3f5f14ae 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.27.18-SNAPSHOT + 2.27.18 ../../pom.xml s3-event-notifications diff --git a/services-custom/s3-transfer-manager/pom.xml b/services-custom/s3-transfer-manager/pom.xml index 3985c1a42058..e5896fcf64dd 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.27.18-SNAPSHOT + 2.27.18 ../../pom.xml s3-transfer-manager diff --git a/services/accessanalyzer/pom.xml b/services/accessanalyzer/pom.xml index 98d522b49d95..7934d6d5ed2b 100644 --- a/services/accessanalyzer/pom.xml +++ b/services/accessanalyzer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 accessanalyzer AWS Java SDK :: Services :: AccessAnalyzer diff --git a/services/account/pom.xml b/services/account/pom.xml index 1472a6b3fada..f47ab5352766 100644 --- a/services/account/pom.xml +++ b/services/account/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 account AWS Java SDK :: Services :: Account diff --git a/services/acm/pom.xml b/services/acm/pom.xml index 8ecd05ec0651..4ad0197c4245 100644 --- a/services/acm/pom.xml +++ b/services/acm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 acm AWS Java SDK :: Services :: AWS Certificate Manager diff --git a/services/acmpca/pom.xml b/services/acmpca/pom.xml index ee27073069dc..f3b1039efc56 100644 --- a/services/acmpca/pom.xml +++ b/services/acmpca/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 acmpca AWS Java SDK :: Services :: ACM PCA diff --git a/services/amp/pom.xml b/services/amp/pom.xml index c2e765f18102..e44ce7f43b38 100644 --- a/services/amp/pom.xml +++ b/services/amp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 amp AWS Java SDK :: Services :: Amp diff --git a/services/amplify/pom.xml b/services/amplify/pom.xml index 8ef4d5195409..a6f822995d8c 100644 --- a/services/amplify/pom.xml +++ b/services/amplify/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 amplify AWS Java SDK :: Services :: Amplify diff --git a/services/amplifybackend/pom.xml b/services/amplifybackend/pom.xml index ae6e9b448096..509023a2d251 100644 --- a/services/amplifybackend/pom.xml +++ b/services/amplifybackend/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 amplifybackend AWS Java SDK :: Services :: Amplify Backend diff --git a/services/amplifyuibuilder/pom.xml b/services/amplifyuibuilder/pom.xml index fa53118ab3cf..43bed02dfd65 100644 --- a/services/amplifyuibuilder/pom.xml +++ b/services/amplifyuibuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 amplifyuibuilder AWS Java SDK :: Services :: Amplify UI Builder diff --git a/services/apigateway/pom.xml b/services/apigateway/pom.xml index 5c639cddffdb..37d17a19e3cb 100644 --- a/services/apigateway/pom.xml +++ b/services/apigateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 apigateway AWS Java SDK :: Services :: Amazon API Gateway diff --git a/services/apigatewaymanagementapi/pom.xml b/services/apigatewaymanagementapi/pom.xml index ab2f7d38e5e1..535b50d000ef 100644 --- a/services/apigatewaymanagementapi/pom.xml +++ b/services/apigatewaymanagementapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 apigatewaymanagementapi AWS Java SDK :: Services :: ApiGatewayManagementApi diff --git a/services/apigatewayv2/pom.xml b/services/apigatewayv2/pom.xml index 4dbe02c44d8f..c455b434610e 100644 --- a/services/apigatewayv2/pom.xml +++ b/services/apigatewayv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 apigatewayv2 AWS Java SDK :: Services :: ApiGatewayV2 diff --git a/services/appconfig/pom.xml b/services/appconfig/pom.xml index 72a3e27d205a..5fbc97134102 100644 --- a/services/appconfig/pom.xml +++ b/services/appconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 appconfig AWS Java SDK :: Services :: AppConfig diff --git a/services/appconfigdata/pom.xml b/services/appconfigdata/pom.xml index 9c6d8b1f9e04..453cf0e85da5 100644 --- a/services/appconfigdata/pom.xml +++ b/services/appconfigdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 appconfigdata AWS Java SDK :: Services :: App Config Data diff --git a/services/appfabric/pom.xml b/services/appfabric/pom.xml index ba0c5008b366..8b90adde0324 100644 --- a/services/appfabric/pom.xml +++ b/services/appfabric/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 appfabric AWS Java SDK :: Services :: App Fabric diff --git a/services/appflow/pom.xml b/services/appflow/pom.xml index 64b73371b3cc..59dcf165cda6 100644 --- a/services/appflow/pom.xml +++ b/services/appflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 appflow AWS Java SDK :: Services :: Appflow diff --git a/services/appintegrations/pom.xml b/services/appintegrations/pom.xml index bad7a3fe1c56..e185a78bb59f 100644 --- a/services/appintegrations/pom.xml +++ b/services/appintegrations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 appintegrations AWS Java SDK :: Services :: App Integrations diff --git a/services/applicationautoscaling/pom.xml b/services/applicationautoscaling/pom.xml index 2039bc7e721c..ec8f80f763a3 100644 --- a/services/applicationautoscaling/pom.xml +++ b/services/applicationautoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 applicationautoscaling AWS Java SDK :: Services :: AWS Application Auto Scaling diff --git a/services/applicationcostprofiler/pom.xml b/services/applicationcostprofiler/pom.xml index 04a67c22a59c..ba41225bd647 100644 --- a/services/applicationcostprofiler/pom.xml +++ b/services/applicationcostprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 applicationcostprofiler AWS Java SDK :: Services :: Application Cost Profiler diff --git a/services/applicationdiscovery/pom.xml b/services/applicationdiscovery/pom.xml index 44433f4fdcf0..238cbd163182 100644 --- a/services/applicationdiscovery/pom.xml +++ b/services/applicationdiscovery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 applicationdiscovery AWS Java SDK :: Services :: AWS Application Discovery Service diff --git a/services/applicationinsights/pom.xml b/services/applicationinsights/pom.xml index 60de8ee60d36..ee302b48236e 100644 --- a/services/applicationinsights/pom.xml +++ b/services/applicationinsights/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 applicationinsights AWS Java SDK :: Services :: Application Insights diff --git a/services/applicationsignals/pom.xml b/services/applicationsignals/pom.xml index 07c37857925e..a215afc796a3 100644 --- a/services/applicationsignals/pom.xml +++ b/services/applicationsignals/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 applicationsignals AWS Java SDK :: Services :: Application Signals diff --git a/services/appmesh/pom.xml b/services/appmesh/pom.xml index e6be787c0e5e..7550fff095d5 100644 --- a/services/appmesh/pom.xml +++ b/services/appmesh/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 appmesh AWS Java SDK :: Services :: App Mesh diff --git a/services/apprunner/pom.xml b/services/apprunner/pom.xml index 7628df0c66e3..fcef54e23bbf 100644 --- a/services/apprunner/pom.xml +++ b/services/apprunner/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 apprunner AWS Java SDK :: Services :: App Runner diff --git a/services/appstream/pom.xml b/services/appstream/pom.xml index 13a73ffe0016..48b9cf17153e 100644 --- a/services/appstream/pom.xml +++ b/services/appstream/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 appstream AWS Java SDK :: Services :: Amazon AppStream diff --git a/services/appsync/pom.xml b/services/appsync/pom.xml index cac810171d1f..8b709a27e721 100644 --- a/services/appsync/pom.xml +++ b/services/appsync/pom.xml @@ -21,7 +21,7 @@ services software.amazon.awssdk - 2.27.18-SNAPSHOT + 2.27.18 appsync diff --git a/services/apptest/pom.xml b/services/apptest/pom.xml index 7feef20d4f55..9a16bb693928 100644 --- a/services/apptest/pom.xml +++ b/services/apptest/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 apptest AWS Java SDK :: Services :: App Test diff --git a/services/arczonalshift/pom.xml b/services/arczonalshift/pom.xml index 8ad8b2bb531f..357e69c26ab6 100644 --- a/services/arczonalshift/pom.xml +++ b/services/arczonalshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 arczonalshift AWS Java SDK :: Services :: ARC Zonal Shift diff --git a/services/artifact/pom.xml b/services/artifact/pom.xml index e4ca1aa35fe5..a884653a3d17 100644 --- a/services/artifact/pom.xml +++ b/services/artifact/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 artifact AWS Java SDK :: Services :: Artifact diff --git a/services/athena/pom.xml b/services/athena/pom.xml index c1bf5b28379c..982854f90b4c 100644 --- a/services/athena/pom.xml +++ b/services/athena/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 athena AWS Java SDK :: Services :: Amazon Athena diff --git a/services/auditmanager/pom.xml b/services/auditmanager/pom.xml index 7c2250d9c617..ec291a0c2225 100644 --- a/services/auditmanager/pom.xml +++ b/services/auditmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 auditmanager AWS Java SDK :: Services :: Audit Manager diff --git a/services/autoscaling/pom.xml b/services/autoscaling/pom.xml index 0904c2719ca8..36a6a77281e7 100644 --- a/services/autoscaling/pom.xml +++ b/services/autoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 autoscaling AWS Java SDK :: Services :: Auto Scaling diff --git a/services/autoscalingplans/pom.xml b/services/autoscalingplans/pom.xml index a17599b9798f..63c6862462fc 100644 --- a/services/autoscalingplans/pom.xml +++ b/services/autoscalingplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 autoscalingplans AWS Java SDK :: Services :: Auto Scaling Plans diff --git a/services/b2bi/pom.xml b/services/b2bi/pom.xml index 23bd0fab539e..8c006e4a7e29 100644 --- a/services/b2bi/pom.xml +++ b/services/b2bi/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 b2bi AWS Java SDK :: Services :: B2 Bi diff --git a/services/backup/pom.xml b/services/backup/pom.xml index 9ee90a3a86bf..f9e3e434bee9 100644 --- a/services/backup/pom.xml +++ b/services/backup/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 backup AWS Java SDK :: Services :: Backup diff --git a/services/backupgateway/pom.xml b/services/backupgateway/pom.xml index 066d13010b53..b6826535fd8a 100644 --- a/services/backupgateway/pom.xml +++ b/services/backupgateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 backupgateway AWS Java SDK :: Services :: Backup Gateway diff --git a/services/batch/pom.xml b/services/batch/pom.xml index 00f5313f549b..4308fa6e3fbc 100644 --- a/services/batch/pom.xml +++ b/services/batch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 batch AWS Java SDK :: Services :: AWS Batch diff --git a/services/bcmdataexports/pom.xml b/services/bcmdataexports/pom.xml index bd5bc07e94e5..67a58781906b 100644 --- a/services/bcmdataexports/pom.xml +++ b/services/bcmdataexports/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 bcmdataexports AWS Java SDK :: Services :: BCM Data Exports diff --git a/services/bedrock/pom.xml b/services/bedrock/pom.xml index 532710cb45ac..294c481844bf 100644 --- a/services/bedrock/pom.xml +++ b/services/bedrock/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 bedrock AWS Java SDK :: Services :: Bedrock diff --git a/services/bedrockagent/pom.xml b/services/bedrockagent/pom.xml index e2a3cba26923..4d0806676fdd 100644 --- a/services/bedrockagent/pom.xml +++ b/services/bedrockagent/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 bedrockagent AWS Java SDK :: Services :: Bedrock Agent diff --git a/services/bedrockagentruntime/pom.xml b/services/bedrockagentruntime/pom.xml index 42ddf34f8893..cf7bce432be2 100644 --- a/services/bedrockagentruntime/pom.xml +++ b/services/bedrockagentruntime/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 bedrockagentruntime AWS Java SDK :: Services :: Bedrock Agent Runtime diff --git a/services/bedrockruntime/pom.xml b/services/bedrockruntime/pom.xml index de194a3928b4..eb0cb46087b3 100644 --- a/services/bedrockruntime/pom.xml +++ b/services/bedrockruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 bedrockruntime AWS Java SDK :: Services :: Bedrock Runtime diff --git a/services/billingconductor/pom.xml b/services/billingconductor/pom.xml index 50afe2bfc834..1260d610f4ff 100644 --- a/services/billingconductor/pom.xml +++ b/services/billingconductor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 billingconductor AWS Java SDK :: Services :: Billingconductor diff --git a/services/braket/pom.xml b/services/braket/pom.xml index ca6f98da1a3d..adb230284199 100644 --- a/services/braket/pom.xml +++ b/services/braket/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 braket AWS Java SDK :: Services :: Braket diff --git a/services/budgets/pom.xml b/services/budgets/pom.xml index 0aed933e2bb4..9441efb657ad 100644 --- a/services/budgets/pom.xml +++ b/services/budgets/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 budgets AWS Java SDK :: Services :: AWS Budgets diff --git a/services/chatbot/pom.xml b/services/chatbot/pom.xml index 14ca351c4546..cd4e0099b4ad 100644 --- a/services/chatbot/pom.xml +++ b/services/chatbot/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 chatbot AWS Java SDK :: Services :: Chatbot diff --git a/services/chime/pom.xml b/services/chime/pom.xml index cb644bbe5bf5..258d99bfc8e8 100644 --- a/services/chime/pom.xml +++ b/services/chime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 chime AWS Java SDK :: Services :: Chime diff --git a/services/chimesdkidentity/pom.xml b/services/chimesdkidentity/pom.xml index c9cf7872991f..db134da5a081 100644 --- a/services/chimesdkidentity/pom.xml +++ b/services/chimesdkidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 chimesdkidentity AWS Java SDK :: Services :: Chime SDK Identity diff --git a/services/chimesdkmediapipelines/pom.xml b/services/chimesdkmediapipelines/pom.xml index e5b5c337d764..a9e153e22fac 100644 --- a/services/chimesdkmediapipelines/pom.xml +++ b/services/chimesdkmediapipelines/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 chimesdkmediapipelines AWS Java SDK :: Services :: Chime SDK Media Pipelines diff --git a/services/chimesdkmeetings/pom.xml b/services/chimesdkmeetings/pom.xml index 55135c5e77ab..085fda1bc402 100644 --- a/services/chimesdkmeetings/pom.xml +++ b/services/chimesdkmeetings/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 chimesdkmeetings AWS Java SDK :: Services :: Chime SDK Meetings diff --git a/services/chimesdkmessaging/pom.xml b/services/chimesdkmessaging/pom.xml index d2e68b5864bc..40fc79c22fe5 100644 --- a/services/chimesdkmessaging/pom.xml +++ b/services/chimesdkmessaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 chimesdkmessaging AWS Java SDK :: Services :: Chime SDK Messaging diff --git a/services/chimesdkvoice/pom.xml b/services/chimesdkvoice/pom.xml index d1fb81b37ff6..d28c4a0310db 100644 --- a/services/chimesdkvoice/pom.xml +++ b/services/chimesdkvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 chimesdkvoice AWS Java SDK :: Services :: Chime SDK Voice diff --git a/services/cleanrooms/pom.xml b/services/cleanrooms/pom.xml index 010732f89c04..7d1cb2fa74c3 100644 --- a/services/cleanrooms/pom.xml +++ b/services/cleanrooms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 cleanrooms AWS Java SDK :: Services :: Clean Rooms diff --git a/services/cleanroomsml/pom.xml b/services/cleanroomsml/pom.xml index 14460a3e9724..09cf2f328c90 100644 --- a/services/cleanroomsml/pom.xml +++ b/services/cleanroomsml/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 cleanroomsml AWS Java SDK :: Services :: Clean Rooms ML diff --git a/services/cloud9/pom.xml b/services/cloud9/pom.xml index 89a0af6ae068..4ab1b2722ca2 100644 --- a/services/cloud9/pom.xml +++ b/services/cloud9/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18-SNAPSHOT + 2.27.18 4.0.0 cloud9 diff --git a/services/cloudcontrol/pom.xml b/services/cloudcontrol/pom.xml index cd0186fca9ea..50dd324d2908 100644 --- a/services/cloudcontrol/pom.xml +++ b/services/cloudcontrol/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 cloudcontrol AWS Java SDK :: Services :: Cloud Control diff --git a/services/clouddirectory/pom.xml b/services/clouddirectory/pom.xml index ededbd8d0871..4a8afd0b8299 100644 --- a/services/clouddirectory/pom.xml +++ b/services/clouddirectory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 clouddirectory AWS Java SDK :: Services :: Amazon CloudDirectory diff --git a/services/cloudformation/pom.xml b/services/cloudformation/pom.xml index 8d86f2ad11ea..7e1d25034de8 100644 --- a/services/cloudformation/pom.xml +++ b/services/cloudformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 cloudformation AWS Java SDK :: Services :: AWS CloudFormation diff --git a/services/cloudfront/pom.xml b/services/cloudfront/pom.xml index 6f7f25f43280..d6eb310f3f59 100644 --- a/services/cloudfront/pom.xml +++ b/services/cloudfront/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 cloudfront AWS Java SDK :: Services :: Amazon CloudFront diff --git a/services/cloudfrontkeyvaluestore/pom.xml b/services/cloudfrontkeyvaluestore/pom.xml index af693a3f50aa..bd410b8ce461 100644 --- a/services/cloudfrontkeyvaluestore/pom.xml +++ b/services/cloudfrontkeyvaluestore/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 cloudfrontkeyvaluestore AWS Java SDK :: Services :: Cloud Front Key Value Store diff --git a/services/cloudhsm/pom.xml b/services/cloudhsm/pom.xml index 9dab3e0aeaf6..71dead261d30 100644 --- a/services/cloudhsm/pom.xml +++ b/services/cloudhsm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 cloudhsm AWS Java SDK :: Services :: AWS CloudHSM diff --git a/services/cloudhsmv2/pom.xml b/services/cloudhsmv2/pom.xml index 274d29293b0f..5f5a6dbeced9 100644 --- a/services/cloudhsmv2/pom.xml +++ b/services/cloudhsmv2/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18-SNAPSHOT + 2.27.18 4.0.0 cloudhsmv2 diff --git a/services/cloudsearch/pom.xml b/services/cloudsearch/pom.xml index d65726e051d3..aebca73adeef 100644 --- a/services/cloudsearch/pom.xml +++ b/services/cloudsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 cloudsearch AWS Java SDK :: Services :: Amazon CloudSearch diff --git a/services/cloudsearchdomain/pom.xml b/services/cloudsearchdomain/pom.xml index a6944b515b3d..9fb62ed0d97a 100644 --- a/services/cloudsearchdomain/pom.xml +++ b/services/cloudsearchdomain/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 cloudsearchdomain AWS Java SDK :: Services :: Amazon CloudSearch Domain diff --git a/services/cloudtrail/pom.xml b/services/cloudtrail/pom.xml index 2eed4fcf7c4b..a94e6be89388 100644 --- a/services/cloudtrail/pom.xml +++ b/services/cloudtrail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 cloudtrail AWS Java SDK :: Services :: AWS CloudTrail diff --git a/services/cloudtraildata/pom.xml b/services/cloudtraildata/pom.xml index 6f3430fce612..7d844dc85415 100644 --- a/services/cloudtraildata/pom.xml +++ b/services/cloudtraildata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 cloudtraildata AWS Java SDK :: Services :: Cloud Trail Data diff --git a/services/cloudwatch/pom.xml b/services/cloudwatch/pom.xml index 47b77bc52f5f..96832351fb38 100644 --- a/services/cloudwatch/pom.xml +++ b/services/cloudwatch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 cloudwatch AWS Java SDK :: Services :: Amazon CloudWatch diff --git a/services/cloudwatchevents/pom.xml b/services/cloudwatchevents/pom.xml index c2e19f204741..b7573cc91fc0 100644 --- a/services/cloudwatchevents/pom.xml +++ b/services/cloudwatchevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 cloudwatchevents AWS Java SDK :: Services :: Amazon CloudWatch Events diff --git a/services/cloudwatchlogs/pom.xml b/services/cloudwatchlogs/pom.xml index 15bd6c520082..153e7dc6fe07 100644 --- a/services/cloudwatchlogs/pom.xml +++ b/services/cloudwatchlogs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 cloudwatchlogs AWS Java SDK :: Services :: Amazon CloudWatch Logs diff --git a/services/codeartifact/pom.xml b/services/codeartifact/pom.xml index 0e033427e648..4c904151de48 100644 --- a/services/codeartifact/pom.xml +++ b/services/codeartifact/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 codeartifact AWS Java SDK :: Services :: Codeartifact diff --git a/services/codebuild/pom.xml b/services/codebuild/pom.xml index 9afe596d43e6..264252b94c1a 100644 --- a/services/codebuild/pom.xml +++ b/services/codebuild/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 codebuild AWS Java SDK :: Services :: AWS Code Build diff --git a/services/codecatalyst/pom.xml b/services/codecatalyst/pom.xml index 87f34e75e5ff..a0b1be7f08d5 100644 --- a/services/codecatalyst/pom.xml +++ b/services/codecatalyst/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 codecatalyst AWS Java SDK :: Services :: Code Catalyst diff --git a/services/codecommit/pom.xml b/services/codecommit/pom.xml index c36676bc859a..533c5c30dd5f 100644 --- a/services/codecommit/pom.xml +++ b/services/codecommit/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 codecommit AWS Java SDK :: Services :: AWS CodeCommit diff --git a/services/codeconnections/pom.xml b/services/codeconnections/pom.xml index cda8823f64b4..43a58439b9c1 100644 --- a/services/codeconnections/pom.xml +++ b/services/codeconnections/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 codeconnections AWS Java SDK :: Services :: Code Connections diff --git a/services/codedeploy/pom.xml b/services/codedeploy/pom.xml index 76a501676f07..990ee9acfc2d 100644 --- a/services/codedeploy/pom.xml +++ b/services/codedeploy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 codedeploy AWS Java SDK :: Services :: AWS CodeDeploy diff --git a/services/codeguruprofiler/pom.xml b/services/codeguruprofiler/pom.xml index 3f2b8a00fc50..917c29e2a0ba 100644 --- a/services/codeguruprofiler/pom.xml +++ b/services/codeguruprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 codeguruprofiler AWS Java SDK :: Services :: CodeGuruProfiler diff --git a/services/codegurureviewer/pom.xml b/services/codegurureviewer/pom.xml index 6535ae3186fb..08946802f42b 100644 --- a/services/codegurureviewer/pom.xml +++ b/services/codegurureviewer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 codegurureviewer AWS Java SDK :: Services :: CodeGuru Reviewer diff --git a/services/codegurusecurity/pom.xml b/services/codegurusecurity/pom.xml index 29780615c9ea..408c5595b41c 100644 --- a/services/codegurusecurity/pom.xml +++ b/services/codegurusecurity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 codegurusecurity AWS Java SDK :: Services :: Code Guru Security diff --git a/services/codepipeline/pom.xml b/services/codepipeline/pom.xml index 3baff14b5d4e..9ff08d50b69a 100644 --- a/services/codepipeline/pom.xml +++ b/services/codepipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 codepipeline AWS Java SDK :: Services :: AWS CodePipeline diff --git a/services/codestarconnections/pom.xml b/services/codestarconnections/pom.xml index f5b56f9a9cf6..088cc5720a59 100644 --- a/services/codestarconnections/pom.xml +++ b/services/codestarconnections/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 codestarconnections AWS Java SDK :: Services :: CodeStar connections diff --git a/services/codestarnotifications/pom.xml b/services/codestarnotifications/pom.xml index 4cdaf510e940..c005a695eba9 100644 --- a/services/codestarnotifications/pom.xml +++ b/services/codestarnotifications/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 codestarnotifications AWS Java SDK :: Services :: Codestar Notifications diff --git a/services/cognitoidentity/pom.xml b/services/cognitoidentity/pom.xml index e60056faed83..d9e2b687d330 100644 --- a/services/cognitoidentity/pom.xml +++ b/services/cognitoidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 cognitoidentity AWS Java SDK :: Services :: Amazon Cognito Identity diff --git a/services/cognitoidentityprovider/pom.xml b/services/cognitoidentityprovider/pom.xml index 1af26c947063..d09ebae4b8ce 100644 --- a/services/cognitoidentityprovider/pom.xml +++ b/services/cognitoidentityprovider/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 cognitoidentityprovider AWS Java SDK :: Services :: Amazon Cognito Identity Provider Service diff --git a/services/cognitosync/pom.xml b/services/cognitosync/pom.xml index 2c283f9d81a0..b19cb939fac3 100644 --- a/services/cognitosync/pom.xml +++ b/services/cognitosync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 cognitosync AWS Java SDK :: Services :: Amazon Cognito Sync diff --git a/services/comprehend/pom.xml b/services/comprehend/pom.xml index 6ae9e86b60f2..ee78fda9f2c0 100644 --- a/services/comprehend/pom.xml +++ b/services/comprehend/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18-SNAPSHOT + 2.27.18 4.0.0 comprehend diff --git a/services/comprehendmedical/pom.xml b/services/comprehendmedical/pom.xml index f7e5f095f01a..fca5a9dab2cf 100644 --- a/services/comprehendmedical/pom.xml +++ b/services/comprehendmedical/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 comprehendmedical AWS Java SDK :: Services :: ComprehendMedical diff --git a/services/computeoptimizer/pom.xml b/services/computeoptimizer/pom.xml index ea8c2c56a5b4..bd938f2de678 100644 --- a/services/computeoptimizer/pom.xml +++ b/services/computeoptimizer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 computeoptimizer AWS Java SDK :: Services :: Compute Optimizer diff --git a/services/config/pom.xml b/services/config/pom.xml index bd644db5d97b..2a23f15debb8 100644 --- a/services/config/pom.xml +++ b/services/config/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 config AWS Java SDK :: Services :: AWS Config diff --git a/services/connect/pom.xml b/services/connect/pom.xml index 759d6b52a7fe..d9dd63c067dd 100644 --- a/services/connect/pom.xml +++ b/services/connect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 connect AWS Java SDK :: Services :: Connect diff --git a/services/connectcampaigns/pom.xml b/services/connectcampaigns/pom.xml index 340dd2d2bafb..1793528c0686 100644 --- a/services/connectcampaigns/pom.xml +++ b/services/connectcampaigns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 connectcampaigns AWS Java SDK :: Services :: Connect Campaigns diff --git a/services/connectcases/pom.xml b/services/connectcases/pom.xml index dcd65c7fae41..6c9a72cf827e 100644 --- a/services/connectcases/pom.xml +++ b/services/connectcases/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 connectcases AWS Java SDK :: Services :: Connect Cases diff --git a/services/connectcontactlens/pom.xml b/services/connectcontactlens/pom.xml index 9ac93ed972cb..37e841a55a90 100644 --- a/services/connectcontactlens/pom.xml +++ b/services/connectcontactlens/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 connectcontactlens AWS Java SDK :: Services :: Connect Contact Lens diff --git a/services/connectparticipant/pom.xml b/services/connectparticipant/pom.xml index a38ccb330452..dae44e1b4848 100644 --- a/services/connectparticipant/pom.xml +++ b/services/connectparticipant/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 connectparticipant AWS Java SDK :: Services :: ConnectParticipant diff --git a/services/controlcatalog/pom.xml b/services/controlcatalog/pom.xml index 35b996f6248a..1ded954f3881 100644 --- a/services/controlcatalog/pom.xml +++ b/services/controlcatalog/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 controlcatalog AWS Java SDK :: Services :: Control Catalog diff --git a/services/controltower/pom.xml b/services/controltower/pom.xml index 6bd780a096f6..3bc5e2d452d1 100644 --- a/services/controltower/pom.xml +++ b/services/controltower/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 controltower AWS Java SDK :: Services :: Control Tower diff --git a/services/costandusagereport/pom.xml b/services/costandusagereport/pom.xml index 97a2e834aab3..e2b2e3734b97 100644 --- a/services/costandusagereport/pom.xml +++ b/services/costandusagereport/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 costandusagereport AWS Java SDK :: Services :: AWS Cost and Usage Report diff --git a/services/costexplorer/pom.xml b/services/costexplorer/pom.xml index a306cae97124..38e34c00e8a6 100644 --- a/services/costexplorer/pom.xml +++ b/services/costexplorer/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18-SNAPSHOT + 2.27.18 4.0.0 costexplorer diff --git a/services/costoptimizationhub/pom.xml b/services/costoptimizationhub/pom.xml index 79fe51685032..db3f17c2ee47 100644 --- a/services/costoptimizationhub/pom.xml +++ b/services/costoptimizationhub/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 costoptimizationhub AWS Java SDK :: Services :: Cost Optimization Hub diff --git a/services/customerprofiles/pom.xml b/services/customerprofiles/pom.xml index 665b4221b65a..07da96d5c95e 100644 --- a/services/customerprofiles/pom.xml +++ b/services/customerprofiles/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 customerprofiles AWS Java SDK :: Services :: Customer Profiles diff --git a/services/databasemigration/pom.xml b/services/databasemigration/pom.xml index 81dcd8aa3703..f0ea67618c1b 100644 --- a/services/databasemigration/pom.xml +++ b/services/databasemigration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 databasemigration AWS Java SDK :: Services :: AWS Database Migration Service diff --git a/services/databrew/pom.xml b/services/databrew/pom.xml index dcd1ec6861f3..16aa2ff2774e 100644 --- a/services/databrew/pom.xml +++ b/services/databrew/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 databrew AWS Java SDK :: Services :: Data Brew diff --git a/services/dataexchange/pom.xml b/services/dataexchange/pom.xml index 61a5fd9d0842..20b071a86587 100644 --- a/services/dataexchange/pom.xml +++ b/services/dataexchange/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 dataexchange AWS Java SDK :: Services :: DataExchange diff --git a/services/datapipeline/pom.xml b/services/datapipeline/pom.xml index 428707d6e02c..bab91aaec800 100644 --- a/services/datapipeline/pom.xml +++ b/services/datapipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 datapipeline AWS Java SDK :: Services :: AWS Data Pipeline diff --git a/services/datasync/pom.xml b/services/datasync/pom.xml index e491e32d9a98..d8fec5580576 100644 --- a/services/datasync/pom.xml +++ b/services/datasync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 datasync AWS Java SDK :: Services :: DataSync diff --git a/services/datazone/pom.xml b/services/datazone/pom.xml index e0f111c25e7f..b53314cbe49f 100644 --- a/services/datazone/pom.xml +++ b/services/datazone/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 datazone AWS Java SDK :: Services :: Data Zone diff --git a/services/dax/pom.xml b/services/dax/pom.xml index 2a4ba0cabd41..ebc4145e63f0 100644 --- a/services/dax/pom.xml +++ b/services/dax/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 dax AWS Java SDK :: Services :: Amazon DynamoDB Accelerator (DAX) diff --git a/services/deadline/pom.xml b/services/deadline/pom.xml index 309fb3223496..526683c0e74c 100644 --- a/services/deadline/pom.xml +++ b/services/deadline/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 deadline AWS Java SDK :: Services :: Deadline diff --git a/services/detective/pom.xml b/services/detective/pom.xml index 860810993ef7..bf034f1f66a0 100644 --- a/services/detective/pom.xml +++ b/services/detective/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 detective AWS Java SDK :: Services :: Detective diff --git a/services/devicefarm/pom.xml b/services/devicefarm/pom.xml index c96822aad589..3f7e8180b344 100644 --- a/services/devicefarm/pom.xml +++ b/services/devicefarm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 devicefarm AWS Java SDK :: Services :: AWS Device Farm diff --git a/services/devopsguru/pom.xml b/services/devopsguru/pom.xml index bb7a6c593b98..12b12f2bc701 100644 --- a/services/devopsguru/pom.xml +++ b/services/devopsguru/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 devopsguru AWS Java SDK :: Services :: Dev Ops Guru diff --git a/services/directconnect/pom.xml b/services/directconnect/pom.xml index ef0d5cf3c1c9..a142eb55f17c 100644 --- a/services/directconnect/pom.xml +++ b/services/directconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 directconnect AWS Java SDK :: Services :: AWS Direct Connect diff --git a/services/directory/pom.xml b/services/directory/pom.xml index 17fc4f20f715..2f5bcdb11da4 100644 --- a/services/directory/pom.xml +++ b/services/directory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 directory AWS Java SDK :: Services :: AWS Directory Service diff --git a/services/dlm/pom.xml b/services/dlm/pom.xml index 7b4e67392222..03da078acc15 100644 --- a/services/dlm/pom.xml +++ b/services/dlm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 dlm AWS Java SDK :: Services :: DLM diff --git a/services/docdb/pom.xml b/services/docdb/pom.xml index 6dfa6188e302..512d515bf57e 100644 --- a/services/docdb/pom.xml +++ b/services/docdb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 docdb AWS Java SDK :: Services :: DocDB diff --git a/services/docdbelastic/pom.xml b/services/docdbelastic/pom.xml index 165977f1e440..b0b2522c0751 100644 --- a/services/docdbelastic/pom.xml +++ b/services/docdbelastic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 docdbelastic AWS Java SDK :: Services :: Doc DB Elastic diff --git a/services/drs/pom.xml b/services/drs/pom.xml index 4ca8c3ec9d6c..075776d5b3dd 100644 --- a/services/drs/pom.xml +++ b/services/drs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 drs AWS Java SDK :: Services :: Drs diff --git a/services/dynamodb/pom.xml b/services/dynamodb/pom.xml index 06121dc3c9ba..40840c09023f 100644 --- a/services/dynamodb/pom.xml +++ b/services/dynamodb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 dynamodb AWS Java SDK :: Services :: Amazon DynamoDB diff --git a/services/ebs/pom.xml b/services/ebs/pom.xml index 7036a76b24ac..777a3caa3e3f 100644 --- a/services/ebs/pom.xml +++ b/services/ebs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 ebs AWS Java SDK :: Services :: EBS diff --git a/services/ec2/pom.xml b/services/ec2/pom.xml index ea73e739d903..6d60a168ef58 100644 --- a/services/ec2/pom.xml +++ b/services/ec2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 ec2 AWS Java SDK :: Services :: Amazon EC2 diff --git a/services/ec2instanceconnect/pom.xml b/services/ec2instanceconnect/pom.xml index d8ff201565d5..b409219895e4 100644 --- a/services/ec2instanceconnect/pom.xml +++ b/services/ec2instanceconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 ec2instanceconnect AWS Java SDK :: Services :: EC2 Instance Connect diff --git a/services/ecr/pom.xml b/services/ecr/pom.xml index aed516ba066a..a1fb2cb416e5 100644 --- a/services/ecr/pom.xml +++ b/services/ecr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 ecr AWS Java SDK :: Services :: Amazon EC2 Container Registry diff --git a/services/ecrpublic/pom.xml b/services/ecrpublic/pom.xml index cfdcb4c01502..10a2333d8673 100644 --- a/services/ecrpublic/pom.xml +++ b/services/ecrpublic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 ecrpublic AWS Java SDK :: Services :: ECR PUBLIC diff --git a/services/ecs/pom.xml b/services/ecs/pom.xml index 9844a25d839d..e27646e8ec4f 100644 --- a/services/ecs/pom.xml +++ b/services/ecs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 ecs AWS Java SDK :: Services :: Amazon EC2 Container Service diff --git a/services/efs/pom.xml b/services/efs/pom.xml index 932a039a3266..45c3a868750d 100644 --- a/services/efs/pom.xml +++ b/services/efs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 efs AWS Java SDK :: Services :: Amazon Elastic File System diff --git a/services/eks/pom.xml b/services/eks/pom.xml index 17f563cc0284..8a4f25e3f38e 100644 --- a/services/eks/pom.xml +++ b/services/eks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 eks AWS Java SDK :: Services :: EKS diff --git a/services/eksauth/pom.xml b/services/eksauth/pom.xml index df60d7a8944e..131c316df575 100644 --- a/services/eksauth/pom.xml +++ b/services/eksauth/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 eksauth AWS Java SDK :: Services :: EKS Auth diff --git a/services/elasticache/pom.xml b/services/elasticache/pom.xml index 2feb26ff4f67..da6dd6856eb1 100644 --- a/services/elasticache/pom.xml +++ b/services/elasticache/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 elasticache AWS Java SDK :: Services :: Amazon ElastiCache diff --git a/services/elasticbeanstalk/pom.xml b/services/elasticbeanstalk/pom.xml index b47ef43e8202..ae443fa8312d 100644 --- a/services/elasticbeanstalk/pom.xml +++ b/services/elasticbeanstalk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 elasticbeanstalk AWS Java SDK :: Services :: AWS Elastic Beanstalk diff --git a/services/elasticinference/pom.xml b/services/elasticinference/pom.xml index 9ffaa7bf37f1..7c5eb734b778 100644 --- a/services/elasticinference/pom.xml +++ b/services/elasticinference/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 elasticinference AWS Java SDK :: Services :: Elastic Inference diff --git a/services/elasticloadbalancing/pom.xml b/services/elasticloadbalancing/pom.xml index a6d807832c85..8aa52a23423e 100644 --- a/services/elasticloadbalancing/pom.xml +++ b/services/elasticloadbalancing/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 elasticloadbalancing AWS Java SDK :: Services :: Elastic Load Balancing diff --git a/services/elasticloadbalancingv2/pom.xml b/services/elasticloadbalancingv2/pom.xml index 1ff36b14d5b1..02aaa3c63364 100644 --- a/services/elasticloadbalancingv2/pom.xml +++ b/services/elasticloadbalancingv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 elasticloadbalancingv2 AWS Java SDK :: Services :: Elastic Load Balancing V2 diff --git a/services/elasticsearch/pom.xml b/services/elasticsearch/pom.xml index e5cc599410dd..e11ca69bede8 100644 --- a/services/elasticsearch/pom.xml +++ b/services/elasticsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 elasticsearch AWS Java SDK :: Services :: Amazon Elasticsearch Service diff --git a/services/elastictranscoder/pom.xml b/services/elastictranscoder/pom.xml index 9f25d3833a6e..291d087c1be7 100644 --- a/services/elastictranscoder/pom.xml +++ b/services/elastictranscoder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 elastictranscoder AWS Java SDK :: Services :: Amazon Elastic Transcoder diff --git a/services/emr/pom.xml b/services/emr/pom.xml index eff9e549133c..f8b6b9b2216e 100644 --- a/services/emr/pom.xml +++ b/services/emr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 emr AWS Java SDK :: Services :: Amazon EMR diff --git a/services/emrcontainers/pom.xml b/services/emrcontainers/pom.xml index cecee3f8d53b..58fc5af2fe21 100644 --- a/services/emrcontainers/pom.xml +++ b/services/emrcontainers/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 emrcontainers AWS Java SDK :: Services :: EMR Containers diff --git a/services/emrserverless/pom.xml b/services/emrserverless/pom.xml index 5002e3001c30..5e1aed32d28f 100644 --- a/services/emrserverless/pom.xml +++ b/services/emrserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 emrserverless AWS Java SDK :: Services :: EMR Serverless diff --git a/services/entityresolution/pom.xml b/services/entityresolution/pom.xml index 3655ccdbd2de..4e3ab5bf5146 100644 --- a/services/entityresolution/pom.xml +++ b/services/entityresolution/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 entityresolution AWS Java SDK :: Services :: Entity Resolution diff --git a/services/eventbridge/pom.xml b/services/eventbridge/pom.xml index 109f0bf1a1f5..fda447c05034 100644 --- a/services/eventbridge/pom.xml +++ b/services/eventbridge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 eventbridge AWS Java SDK :: Services :: EventBridge diff --git a/services/evidently/pom.xml b/services/evidently/pom.xml index ef974cc44fb9..15d1f86be008 100644 --- a/services/evidently/pom.xml +++ b/services/evidently/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 evidently AWS Java SDK :: Services :: Evidently diff --git a/services/finspace/pom.xml b/services/finspace/pom.xml index f1e73b12033c..0fdc9c97f741 100644 --- a/services/finspace/pom.xml +++ b/services/finspace/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 finspace AWS Java SDK :: Services :: Finspace diff --git a/services/finspacedata/pom.xml b/services/finspacedata/pom.xml index 6f5f209ff832..b4bb3aab309e 100644 --- a/services/finspacedata/pom.xml +++ b/services/finspacedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 finspacedata AWS Java SDK :: Services :: Finspace Data diff --git a/services/firehose/pom.xml b/services/firehose/pom.xml index 782e072cbc8e..5893dd26c6bc 100644 --- a/services/firehose/pom.xml +++ b/services/firehose/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 firehose AWS Java SDK :: Services :: Amazon Kinesis Firehose diff --git a/services/fis/pom.xml b/services/fis/pom.xml index 7f6cba50cb28..9b341595cd1a 100644 --- a/services/fis/pom.xml +++ b/services/fis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 fis AWS Java SDK :: Services :: Fis diff --git a/services/fms/pom.xml b/services/fms/pom.xml index 9d1e4198c603..04c19b519c1a 100644 --- a/services/fms/pom.xml +++ b/services/fms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 fms AWS Java SDK :: Services :: FMS diff --git a/services/forecast/pom.xml b/services/forecast/pom.xml index 7237bdde1513..0db86974c024 100644 --- a/services/forecast/pom.xml +++ b/services/forecast/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 forecast AWS Java SDK :: Services :: Forecast diff --git a/services/forecastquery/pom.xml b/services/forecastquery/pom.xml index e83ac9dcaf2e..62fe7bda064b 100644 --- a/services/forecastquery/pom.xml +++ b/services/forecastquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 forecastquery AWS Java SDK :: Services :: Forecastquery diff --git a/services/frauddetector/pom.xml b/services/frauddetector/pom.xml index dbde927e36f6..d47089a67464 100644 --- a/services/frauddetector/pom.xml +++ b/services/frauddetector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 frauddetector AWS Java SDK :: Services :: FraudDetector diff --git a/services/freetier/pom.xml b/services/freetier/pom.xml index 378ec08b5d18..ee3134024c60 100644 --- a/services/freetier/pom.xml +++ b/services/freetier/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 freetier AWS Java SDK :: Services :: Free Tier diff --git a/services/fsx/pom.xml b/services/fsx/pom.xml index a13fb6ffc026..56a6daa37107 100644 --- a/services/fsx/pom.xml +++ b/services/fsx/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 fsx AWS Java SDK :: Services :: FSx diff --git a/services/gamelift/pom.xml b/services/gamelift/pom.xml index 79fa12146795..0e45e944d7ee 100644 --- a/services/gamelift/pom.xml +++ b/services/gamelift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 gamelift AWS Java SDK :: Services :: AWS GameLift diff --git a/services/glacier/pom.xml b/services/glacier/pom.xml index 4723f1a32134..a4698b8c60b1 100644 --- a/services/glacier/pom.xml +++ b/services/glacier/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 glacier AWS Java SDK :: Services :: Amazon Glacier diff --git a/services/globalaccelerator/pom.xml b/services/globalaccelerator/pom.xml index 07005895d405..dbaf5ba429c4 100644 --- a/services/globalaccelerator/pom.xml +++ b/services/globalaccelerator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 globalaccelerator AWS Java SDK :: Services :: Global Accelerator diff --git a/services/glue/pom.xml b/services/glue/pom.xml index 74b0941a80d5..c934d4be728c 100644 --- a/services/glue/pom.xml +++ b/services/glue/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18-SNAPSHOT + 2.27.18 4.0.0 glue diff --git a/services/grafana/pom.xml b/services/grafana/pom.xml index e0efbd5a711e..c800b27b8b0c 100644 --- a/services/grafana/pom.xml +++ b/services/grafana/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 grafana AWS Java SDK :: Services :: Grafana diff --git a/services/greengrass/pom.xml b/services/greengrass/pom.xml index eaf6a191cf0d..403b1c353ec6 100644 --- a/services/greengrass/pom.xml +++ b/services/greengrass/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 greengrass AWS Java SDK :: Services :: AWS Greengrass diff --git a/services/greengrassv2/pom.xml b/services/greengrassv2/pom.xml index 7a9d4ac72ec3..5eeb7d584500 100644 --- a/services/greengrassv2/pom.xml +++ b/services/greengrassv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 greengrassv2 AWS Java SDK :: Services :: Greengrass V2 diff --git a/services/groundstation/pom.xml b/services/groundstation/pom.xml index e0b5be099792..c8bf1d764f6c 100644 --- a/services/groundstation/pom.xml +++ b/services/groundstation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 groundstation AWS Java SDK :: Services :: GroundStation diff --git a/services/guardduty/pom.xml b/services/guardduty/pom.xml index e9dabad9fd9d..33407f0758a3 100644 --- a/services/guardduty/pom.xml +++ b/services/guardduty/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18-SNAPSHOT + 2.27.18 4.0.0 guardduty diff --git a/services/health/pom.xml b/services/health/pom.xml index f6b60ed4ef50..78a465121d2f 100644 --- a/services/health/pom.xml +++ b/services/health/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 health AWS Java SDK :: Services :: AWS Health APIs and Notifications diff --git a/services/healthlake/pom.xml b/services/healthlake/pom.xml index c617fed2782e..59a74c60a11a 100644 --- a/services/healthlake/pom.xml +++ b/services/healthlake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 healthlake AWS Java SDK :: Services :: Health Lake diff --git a/services/iam/pom.xml b/services/iam/pom.xml index f1a1d9e243cf..ddca2e94de35 100644 --- a/services/iam/pom.xml +++ b/services/iam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 iam AWS Java SDK :: Services :: AWS IAM diff --git a/services/identitystore/pom.xml b/services/identitystore/pom.xml index 7ddd780b8a1e..fa044c33df44 100644 --- a/services/identitystore/pom.xml +++ b/services/identitystore/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 identitystore AWS Java SDK :: Services :: Identitystore diff --git a/services/imagebuilder/pom.xml b/services/imagebuilder/pom.xml index e820b50a2f86..fb72d457aca6 100644 --- a/services/imagebuilder/pom.xml +++ b/services/imagebuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 imagebuilder AWS Java SDK :: Services :: Imagebuilder diff --git a/services/inspector/pom.xml b/services/inspector/pom.xml index c91ce941adaa..c47ba16301f4 100644 --- a/services/inspector/pom.xml +++ b/services/inspector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 inspector AWS Java SDK :: Services :: Amazon Inspector Service diff --git a/services/inspector2/pom.xml b/services/inspector2/pom.xml index a7e094b8028c..d67b285f7307 100644 --- a/services/inspector2/pom.xml +++ b/services/inspector2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 inspector2 AWS Java SDK :: Services :: Inspector2 diff --git a/services/inspectorscan/pom.xml b/services/inspectorscan/pom.xml index 872f37bf4e17..0de16d19b3d0 100644 --- a/services/inspectorscan/pom.xml +++ b/services/inspectorscan/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 inspectorscan AWS Java SDK :: Services :: Inspector Scan diff --git a/services/internetmonitor/pom.xml b/services/internetmonitor/pom.xml index 9caf8b6dfa64..e17af5cf174a 100644 --- a/services/internetmonitor/pom.xml +++ b/services/internetmonitor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 internetmonitor AWS Java SDK :: Services :: Internet Monitor diff --git a/services/iot/pom.xml b/services/iot/pom.xml index f58819cdb20c..35492e3bef1e 100644 --- a/services/iot/pom.xml +++ b/services/iot/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 iot AWS Java SDK :: Services :: AWS IoT diff --git a/services/iot1clickdevices/pom.xml b/services/iot1clickdevices/pom.xml index fc3648ca59d0..b77f7b63f8db 100644 --- a/services/iot1clickdevices/pom.xml +++ b/services/iot1clickdevices/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 iot1clickdevices AWS Java SDK :: Services :: IoT 1Click Devices Service diff --git a/services/iot1clickprojects/pom.xml b/services/iot1clickprojects/pom.xml index 4566365925b9..cbf43c51f00b 100644 --- a/services/iot1clickprojects/pom.xml +++ b/services/iot1clickprojects/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 iot1clickprojects AWS Java SDK :: Services :: IoT 1Click Projects diff --git a/services/iotanalytics/pom.xml b/services/iotanalytics/pom.xml index deae6f541e35..bb7de0a045a4 100644 --- a/services/iotanalytics/pom.xml +++ b/services/iotanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 iotanalytics AWS Java SDK :: Services :: IoTAnalytics diff --git a/services/iotdataplane/pom.xml b/services/iotdataplane/pom.xml index ba8f46286181..c01f3ec802b5 100644 --- a/services/iotdataplane/pom.xml +++ b/services/iotdataplane/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 iotdataplane AWS Java SDK :: Services :: AWS IoT Data Plane diff --git a/services/iotdeviceadvisor/pom.xml b/services/iotdeviceadvisor/pom.xml index 52160557ebb6..734979f41f28 100644 --- a/services/iotdeviceadvisor/pom.xml +++ b/services/iotdeviceadvisor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 iotdeviceadvisor AWS Java SDK :: Services :: Iot Device Advisor diff --git a/services/iotevents/pom.xml b/services/iotevents/pom.xml index a536efa4ef26..74c5db2de145 100644 --- a/services/iotevents/pom.xml +++ b/services/iotevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 iotevents AWS Java SDK :: Services :: IoT Events diff --git a/services/ioteventsdata/pom.xml b/services/ioteventsdata/pom.xml index b73ece428fda..4387b6061431 100644 --- a/services/ioteventsdata/pom.xml +++ b/services/ioteventsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 ioteventsdata AWS Java SDK :: Services :: IoT Events Data diff --git a/services/iotfleethub/pom.xml b/services/iotfleethub/pom.xml index 03c92123e8fd..71ff81e7bf6b 100644 --- a/services/iotfleethub/pom.xml +++ b/services/iotfleethub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 iotfleethub AWS Java SDK :: Services :: Io T Fleet Hub diff --git a/services/iotfleetwise/pom.xml b/services/iotfleetwise/pom.xml index 080ab2c9752e..7ba5d00a12fb 100644 --- a/services/iotfleetwise/pom.xml +++ b/services/iotfleetwise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 iotfleetwise AWS Java SDK :: Services :: Io T Fleet Wise diff --git a/services/iotjobsdataplane/pom.xml b/services/iotjobsdataplane/pom.xml index b04f629bd900..7b5783fc0a09 100644 --- a/services/iotjobsdataplane/pom.xml +++ b/services/iotjobsdataplane/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 iotjobsdataplane AWS Java SDK :: Services :: IoT Jobs Data Plane diff --git a/services/iotsecuretunneling/pom.xml b/services/iotsecuretunneling/pom.xml index ac1a012fb92b..22537ae55866 100644 --- a/services/iotsecuretunneling/pom.xml +++ b/services/iotsecuretunneling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 iotsecuretunneling AWS Java SDK :: Services :: IoTSecureTunneling diff --git a/services/iotsitewise/pom.xml b/services/iotsitewise/pom.xml index b9a61ad2748d..543077d583fd 100644 --- a/services/iotsitewise/pom.xml +++ b/services/iotsitewise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 iotsitewise AWS Java SDK :: Services :: Io T Site Wise diff --git a/services/iotthingsgraph/pom.xml b/services/iotthingsgraph/pom.xml index 5af334c0bc2a..70b1dcf67667 100644 --- a/services/iotthingsgraph/pom.xml +++ b/services/iotthingsgraph/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 iotthingsgraph AWS Java SDK :: Services :: IoTThingsGraph diff --git a/services/iottwinmaker/pom.xml b/services/iottwinmaker/pom.xml index 15ec25c8fa07..04156683cb21 100644 --- a/services/iottwinmaker/pom.xml +++ b/services/iottwinmaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 iottwinmaker AWS Java SDK :: Services :: Io T Twin Maker diff --git a/services/iotwireless/pom.xml b/services/iotwireless/pom.xml index dcfa8d7d5c82..a00c89d152db 100644 --- a/services/iotwireless/pom.xml +++ b/services/iotwireless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 iotwireless AWS Java SDK :: Services :: IoT Wireless diff --git a/services/ivs/pom.xml b/services/ivs/pom.xml index 4ada0c09ddeb..83165099bc94 100644 --- a/services/ivs/pom.xml +++ b/services/ivs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 ivs AWS Java SDK :: Services :: Ivs diff --git a/services/ivschat/pom.xml b/services/ivschat/pom.xml index cabbc6eda434..8a781e37a26d 100644 --- a/services/ivschat/pom.xml +++ b/services/ivschat/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 ivschat AWS Java SDK :: Services :: Ivschat diff --git a/services/ivsrealtime/pom.xml b/services/ivsrealtime/pom.xml index 6c2974ea7241..57468930d120 100644 --- a/services/ivsrealtime/pom.xml +++ b/services/ivsrealtime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 ivsrealtime AWS Java SDK :: Services :: IVS Real Time diff --git a/services/kafka/pom.xml b/services/kafka/pom.xml index e60c1e4caa1e..fc0644f8a4ef 100644 --- a/services/kafka/pom.xml +++ b/services/kafka/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 kafka AWS Java SDK :: Services :: Kafka diff --git a/services/kafkaconnect/pom.xml b/services/kafkaconnect/pom.xml index 7af94fadcc53..389f69b8b00a 100644 --- a/services/kafkaconnect/pom.xml +++ b/services/kafkaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 kafkaconnect AWS Java SDK :: Services :: Kafka Connect diff --git a/services/kendra/pom.xml b/services/kendra/pom.xml index 8ea022f94e03..c02ca935016e 100644 --- a/services/kendra/pom.xml +++ b/services/kendra/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 kendra AWS Java SDK :: Services :: Kendra diff --git a/services/kendraranking/pom.xml b/services/kendraranking/pom.xml index 8ad7edc8a758..b51e7004c190 100644 --- a/services/kendraranking/pom.xml +++ b/services/kendraranking/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 kendraranking AWS Java SDK :: Services :: Kendra Ranking diff --git a/services/keyspaces/pom.xml b/services/keyspaces/pom.xml index 5eda25cda44f..31641793d876 100644 --- a/services/keyspaces/pom.xml +++ b/services/keyspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 keyspaces AWS Java SDK :: Services :: Keyspaces diff --git a/services/kinesis/pom.xml b/services/kinesis/pom.xml index 9553a0da16c9..55b0d17b39c9 100644 --- a/services/kinesis/pom.xml +++ b/services/kinesis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 kinesis AWS Java SDK :: Services :: Amazon Kinesis diff --git a/services/kinesisanalytics/pom.xml b/services/kinesisanalytics/pom.xml index 58783285e841..d7a16075951c 100644 --- a/services/kinesisanalytics/pom.xml +++ b/services/kinesisanalytics/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 kinesisanalytics AWS Java SDK :: Services :: Amazon Kinesis Analytics diff --git a/services/kinesisanalyticsv2/pom.xml b/services/kinesisanalyticsv2/pom.xml index 2cde0b598b27..b84fb4b84a57 100644 --- a/services/kinesisanalyticsv2/pom.xml +++ b/services/kinesisanalyticsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 kinesisanalyticsv2 AWS Java SDK :: Services :: Kinesis Analytics V2 diff --git a/services/kinesisvideo/pom.xml b/services/kinesisvideo/pom.xml index 4fbd59bb4605..55cbc7ab045c 100644 --- a/services/kinesisvideo/pom.xml +++ b/services/kinesisvideo/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18-SNAPSHOT + 2.27.18 4.0.0 kinesisvideo diff --git a/services/kinesisvideoarchivedmedia/pom.xml b/services/kinesisvideoarchivedmedia/pom.xml index 34cfe4af18c0..b1d73150c9d9 100644 --- a/services/kinesisvideoarchivedmedia/pom.xml +++ b/services/kinesisvideoarchivedmedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 kinesisvideoarchivedmedia AWS Java SDK :: Services :: Kinesis Video Archived Media diff --git a/services/kinesisvideomedia/pom.xml b/services/kinesisvideomedia/pom.xml index 0874cd3a86fb..f824d13e5320 100644 --- a/services/kinesisvideomedia/pom.xml +++ b/services/kinesisvideomedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 kinesisvideomedia AWS Java SDK :: Services :: Kinesis Video Media diff --git a/services/kinesisvideosignaling/pom.xml b/services/kinesisvideosignaling/pom.xml index 1a30191cb419..2eb5a4f032e7 100644 --- a/services/kinesisvideosignaling/pom.xml +++ b/services/kinesisvideosignaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 kinesisvideosignaling AWS Java SDK :: Services :: Kinesis Video Signaling diff --git a/services/kinesisvideowebrtcstorage/pom.xml b/services/kinesisvideowebrtcstorage/pom.xml index 7bda01968d3c..44cc65867c05 100644 --- a/services/kinesisvideowebrtcstorage/pom.xml +++ b/services/kinesisvideowebrtcstorage/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 kinesisvideowebrtcstorage AWS Java SDK :: Services :: Kinesis Video Web RTC Storage diff --git a/services/kms/pom.xml b/services/kms/pom.xml index 4e2cdedc97f1..9d8b84f04cb4 100644 --- a/services/kms/pom.xml +++ b/services/kms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 kms AWS Java SDK :: Services :: AWS KMS diff --git a/services/lakeformation/pom.xml b/services/lakeformation/pom.xml index f073eba831a2..a3cd557ba3f6 100644 --- a/services/lakeformation/pom.xml +++ b/services/lakeformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 lakeformation AWS Java SDK :: Services :: LakeFormation diff --git a/services/lambda/pom.xml b/services/lambda/pom.xml index a061a6670795..6107e59a74c8 100644 --- a/services/lambda/pom.xml +++ b/services/lambda/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 lambda AWS Java SDK :: Services :: AWS Lambda diff --git a/services/launchwizard/pom.xml b/services/launchwizard/pom.xml index 657e15fde1ea..b46ebbe92070 100644 --- a/services/launchwizard/pom.xml +++ b/services/launchwizard/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 launchwizard AWS Java SDK :: Services :: Launch Wizard diff --git a/services/lexmodelbuilding/pom.xml b/services/lexmodelbuilding/pom.xml index c15fead6d2a5..b0c94b52a9fb 100644 --- a/services/lexmodelbuilding/pom.xml +++ b/services/lexmodelbuilding/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 lexmodelbuilding AWS Java SDK :: Services :: Amazon Lex Model Building diff --git a/services/lexmodelsv2/pom.xml b/services/lexmodelsv2/pom.xml index 325df9c0bf9b..f3f2c74fc445 100644 --- a/services/lexmodelsv2/pom.xml +++ b/services/lexmodelsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 lexmodelsv2 AWS Java SDK :: Services :: Lex Models V2 diff --git a/services/lexruntime/pom.xml b/services/lexruntime/pom.xml index 0e45e5ee6853..d472bae90540 100644 --- a/services/lexruntime/pom.xml +++ b/services/lexruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 lexruntime AWS Java SDK :: Services :: Amazon Lex Runtime diff --git a/services/lexruntimev2/pom.xml b/services/lexruntimev2/pom.xml index 3529ce7d2386..085ff238c47d 100644 --- a/services/lexruntimev2/pom.xml +++ b/services/lexruntimev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 lexruntimev2 AWS Java SDK :: Services :: Lex Runtime V2 diff --git a/services/licensemanager/pom.xml b/services/licensemanager/pom.xml index a85274895229..0d74b578b066 100644 --- a/services/licensemanager/pom.xml +++ b/services/licensemanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 licensemanager AWS Java SDK :: Services :: License Manager diff --git a/services/licensemanagerlinuxsubscriptions/pom.xml b/services/licensemanagerlinuxsubscriptions/pom.xml index 138da833f2ff..f5d1b6bdd8c4 100644 --- a/services/licensemanagerlinuxsubscriptions/pom.xml +++ b/services/licensemanagerlinuxsubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 licensemanagerlinuxsubscriptions AWS Java SDK :: Services :: License Manager Linux Subscriptions diff --git a/services/licensemanagerusersubscriptions/pom.xml b/services/licensemanagerusersubscriptions/pom.xml index d84fb8773c4a..f6b142189634 100644 --- a/services/licensemanagerusersubscriptions/pom.xml +++ b/services/licensemanagerusersubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 licensemanagerusersubscriptions AWS Java SDK :: Services :: License Manager User Subscriptions diff --git a/services/lightsail/pom.xml b/services/lightsail/pom.xml index bc0905fffa92..2fe3aa4b0dd9 100644 --- a/services/lightsail/pom.xml +++ b/services/lightsail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 lightsail AWS Java SDK :: Services :: Amazon Lightsail diff --git a/services/location/pom.xml b/services/location/pom.xml index 024b6169da66..c628cff43a58 100644 --- a/services/location/pom.xml +++ b/services/location/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 location AWS Java SDK :: Services :: Location diff --git a/services/lookoutequipment/pom.xml b/services/lookoutequipment/pom.xml index 2da2a9864fb1..8a4aa1cb49c5 100644 --- a/services/lookoutequipment/pom.xml +++ b/services/lookoutequipment/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 lookoutequipment AWS Java SDK :: Services :: Lookout Equipment diff --git a/services/lookoutmetrics/pom.xml b/services/lookoutmetrics/pom.xml index bc0813fb8cba..77ab0df2eb70 100644 --- a/services/lookoutmetrics/pom.xml +++ b/services/lookoutmetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 lookoutmetrics AWS Java SDK :: Services :: Lookout Metrics diff --git a/services/lookoutvision/pom.xml b/services/lookoutvision/pom.xml index 98d2a69c1ba8..a940c8d48cc3 100644 --- a/services/lookoutvision/pom.xml +++ b/services/lookoutvision/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 lookoutvision AWS Java SDK :: Services :: Lookout Vision diff --git a/services/m2/pom.xml b/services/m2/pom.xml index 075ca08a45f4..0b66adc000c1 100644 --- a/services/m2/pom.xml +++ b/services/m2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 m2 AWS Java SDK :: Services :: M2 diff --git a/services/machinelearning/pom.xml b/services/machinelearning/pom.xml index 5bf01c6125b4..2074a1a30272 100644 --- a/services/machinelearning/pom.xml +++ b/services/machinelearning/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 machinelearning AWS Java SDK :: Services :: Amazon Machine Learning diff --git a/services/macie2/pom.xml b/services/macie2/pom.xml index 64e6494f6cc4..8046b96435c2 100644 --- a/services/macie2/pom.xml +++ b/services/macie2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 macie2 AWS Java SDK :: Services :: Macie2 diff --git a/services/mailmanager/pom.xml b/services/mailmanager/pom.xml index 35549aea6df6..87a2e2b21754 100644 --- a/services/mailmanager/pom.xml +++ b/services/mailmanager/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 mailmanager AWS Java SDK :: Services :: Mail Manager diff --git a/services/managedblockchain/pom.xml b/services/managedblockchain/pom.xml index 7fca84ae8c90..2da6bb7b70a7 100644 --- a/services/managedblockchain/pom.xml +++ b/services/managedblockchain/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 managedblockchain AWS Java SDK :: Services :: ManagedBlockchain diff --git a/services/managedblockchainquery/pom.xml b/services/managedblockchainquery/pom.xml index d71df86669e3..cf62a88b59b4 100644 --- a/services/managedblockchainquery/pom.xml +++ b/services/managedblockchainquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 managedblockchainquery AWS Java SDK :: Services :: Managed Blockchain Query diff --git a/services/marketplaceagreement/pom.xml b/services/marketplaceagreement/pom.xml index 299088499d15..948fc5c910a7 100644 --- a/services/marketplaceagreement/pom.xml +++ b/services/marketplaceagreement/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 marketplaceagreement AWS Java SDK :: Services :: Marketplace Agreement diff --git a/services/marketplacecatalog/pom.xml b/services/marketplacecatalog/pom.xml index 185372e8bf06..52dd7a4282ef 100644 --- a/services/marketplacecatalog/pom.xml +++ b/services/marketplacecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 marketplacecatalog AWS Java SDK :: Services :: Marketplace Catalog diff --git a/services/marketplacecommerceanalytics/pom.xml b/services/marketplacecommerceanalytics/pom.xml index c32716ee5822..0f48e3c53eab 100644 --- a/services/marketplacecommerceanalytics/pom.xml +++ b/services/marketplacecommerceanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 marketplacecommerceanalytics AWS Java SDK :: Services :: AWS Marketplace Commerce Analytics diff --git a/services/marketplacedeployment/pom.xml b/services/marketplacedeployment/pom.xml index 016dcce4aa14..88efb2e23a10 100644 --- a/services/marketplacedeployment/pom.xml +++ b/services/marketplacedeployment/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 marketplacedeployment AWS Java SDK :: Services :: Marketplace Deployment diff --git a/services/marketplaceentitlement/pom.xml b/services/marketplaceentitlement/pom.xml index 423b7f04893d..58712c457cad 100644 --- a/services/marketplaceentitlement/pom.xml +++ b/services/marketplaceentitlement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 marketplaceentitlement AWS Java SDK :: Services :: AWS Marketplace Entitlement diff --git a/services/marketplacemetering/pom.xml b/services/marketplacemetering/pom.xml index 3f2f5bdfab21..1aa1482fe92e 100644 --- a/services/marketplacemetering/pom.xml +++ b/services/marketplacemetering/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 marketplacemetering AWS Java SDK :: Services :: AWS Marketplace Metering Service diff --git a/services/mediaconnect/pom.xml b/services/mediaconnect/pom.xml index 45bf6caebb36..c2c549819513 100644 --- a/services/mediaconnect/pom.xml +++ b/services/mediaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 mediaconnect AWS Java SDK :: Services :: MediaConnect diff --git a/services/mediaconvert/pom.xml b/services/mediaconvert/pom.xml index 5a3279b0c2f8..b0e0aec312df 100644 --- a/services/mediaconvert/pom.xml +++ b/services/mediaconvert/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18-SNAPSHOT + 2.27.18 4.0.0 mediaconvert diff --git a/services/medialive/pom.xml b/services/medialive/pom.xml index 30537e79bbe0..a7115e27bbaa 100644 --- a/services/medialive/pom.xml +++ b/services/medialive/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18-SNAPSHOT + 2.27.18 4.0.0 medialive diff --git a/services/mediapackage/pom.xml b/services/mediapackage/pom.xml index 11ce5a545bf0..b83d1416bb52 100644 --- a/services/mediapackage/pom.xml +++ b/services/mediapackage/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18-SNAPSHOT + 2.27.18 4.0.0 mediapackage diff --git a/services/mediapackagev2/pom.xml b/services/mediapackagev2/pom.xml index efcdd45d523c..87a2120ff5a7 100644 --- a/services/mediapackagev2/pom.xml +++ b/services/mediapackagev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 mediapackagev2 AWS Java SDK :: Services :: Media Package V2 diff --git a/services/mediapackagevod/pom.xml b/services/mediapackagevod/pom.xml index 3f7b6c7615d2..6c9b13f6a239 100644 --- a/services/mediapackagevod/pom.xml +++ b/services/mediapackagevod/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 mediapackagevod AWS Java SDK :: Services :: MediaPackage Vod diff --git a/services/mediastore/pom.xml b/services/mediastore/pom.xml index 600fe1ff5eae..f2cbfee0b892 100644 --- a/services/mediastore/pom.xml +++ b/services/mediastore/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18-SNAPSHOT + 2.27.18 4.0.0 mediastore diff --git a/services/mediastoredata/pom.xml b/services/mediastoredata/pom.xml index 01e6efbb9271..46340528d3ad 100644 --- a/services/mediastoredata/pom.xml +++ b/services/mediastoredata/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18-SNAPSHOT + 2.27.18 4.0.0 mediastoredata diff --git a/services/mediatailor/pom.xml b/services/mediatailor/pom.xml index cd6cbb807d7e..d732ecdf9f5f 100644 --- a/services/mediatailor/pom.xml +++ b/services/mediatailor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 mediatailor AWS Java SDK :: Services :: MediaTailor diff --git a/services/medicalimaging/pom.xml b/services/medicalimaging/pom.xml index 7bd19af663bf..1bb80e165f11 100644 --- a/services/medicalimaging/pom.xml +++ b/services/medicalimaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 medicalimaging AWS Java SDK :: Services :: Medical Imaging diff --git a/services/memorydb/pom.xml b/services/memorydb/pom.xml index 6c778023717c..0b538803d677 100644 --- a/services/memorydb/pom.xml +++ b/services/memorydb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 memorydb AWS Java SDK :: Services :: Memory DB diff --git a/services/mgn/pom.xml b/services/mgn/pom.xml index 24e0d97c29b6..f5c1139a5781 100644 --- a/services/mgn/pom.xml +++ b/services/mgn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 mgn AWS Java SDK :: Services :: Mgn diff --git a/services/migrationhub/pom.xml b/services/migrationhub/pom.xml index c880d20c60dc..695cb501f970 100644 --- a/services/migrationhub/pom.xml +++ b/services/migrationhub/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18-SNAPSHOT + 2.27.18 4.0.0 migrationhub diff --git a/services/migrationhubconfig/pom.xml b/services/migrationhubconfig/pom.xml index 5e85c3432d34..11042a84caad 100644 --- a/services/migrationhubconfig/pom.xml +++ b/services/migrationhubconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 migrationhubconfig AWS Java SDK :: Services :: MigrationHub Config diff --git a/services/migrationhuborchestrator/pom.xml b/services/migrationhuborchestrator/pom.xml index 5b48e713ece6..fcfb0132207b 100644 --- a/services/migrationhuborchestrator/pom.xml +++ b/services/migrationhuborchestrator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 migrationhuborchestrator AWS Java SDK :: Services :: Migration Hub Orchestrator diff --git a/services/migrationhubrefactorspaces/pom.xml b/services/migrationhubrefactorspaces/pom.xml index 7a02890b5275..4b9942715e33 100644 --- a/services/migrationhubrefactorspaces/pom.xml +++ b/services/migrationhubrefactorspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 migrationhubrefactorspaces AWS Java SDK :: Services :: Migration Hub Refactor Spaces diff --git a/services/migrationhubstrategy/pom.xml b/services/migrationhubstrategy/pom.xml index b389f6f839a3..50c3578f24bf 100644 --- a/services/migrationhubstrategy/pom.xml +++ b/services/migrationhubstrategy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 migrationhubstrategy AWS Java SDK :: Services :: Migration Hub Strategy diff --git a/services/mq/pom.xml b/services/mq/pom.xml index 204b238f94b3..cb6d438e8559 100644 --- a/services/mq/pom.xml +++ b/services/mq/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18-SNAPSHOT + 2.27.18 4.0.0 mq diff --git a/services/mturk/pom.xml b/services/mturk/pom.xml index 992ecf44abd9..5d95f608d462 100644 --- a/services/mturk/pom.xml +++ b/services/mturk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 mturk AWS Java SDK :: Services :: Amazon Mechanical Turk Requester diff --git a/services/mwaa/pom.xml b/services/mwaa/pom.xml index 11858f6b4874..bdd5aaac18ca 100644 --- a/services/mwaa/pom.xml +++ b/services/mwaa/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 mwaa AWS Java SDK :: Services :: MWAA diff --git a/services/neptune/pom.xml b/services/neptune/pom.xml index 494756606739..59a0a79ab10c 100644 --- a/services/neptune/pom.xml +++ b/services/neptune/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 neptune AWS Java SDK :: Services :: Neptune diff --git a/services/neptunedata/pom.xml b/services/neptunedata/pom.xml index c6231f8c75ab..3a6bfe7378d3 100644 --- a/services/neptunedata/pom.xml +++ b/services/neptunedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 neptunedata AWS Java SDK :: Services :: Neptunedata diff --git a/services/neptunegraph/pom.xml b/services/neptunegraph/pom.xml index b8cf7919411e..b43efe5f7e6d 100644 --- a/services/neptunegraph/pom.xml +++ b/services/neptunegraph/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 neptunegraph AWS Java SDK :: Services :: Neptune Graph diff --git a/services/networkfirewall/pom.xml b/services/networkfirewall/pom.xml index 9a7f314c8236..773652d7a284 100644 --- a/services/networkfirewall/pom.xml +++ b/services/networkfirewall/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 networkfirewall AWS Java SDK :: Services :: Network Firewall diff --git a/services/networkmanager/pom.xml b/services/networkmanager/pom.xml index eabc8dbed434..7a083401540c 100644 --- a/services/networkmanager/pom.xml +++ b/services/networkmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 networkmanager AWS Java SDK :: Services :: NetworkManager diff --git a/services/networkmonitor/pom.xml b/services/networkmonitor/pom.xml index 8df5adae0fd5..2f80a7ec5b1f 100644 --- a/services/networkmonitor/pom.xml +++ b/services/networkmonitor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 networkmonitor AWS Java SDK :: Services :: Network Monitor diff --git a/services/nimble/pom.xml b/services/nimble/pom.xml index 5cfba6bbb1b2..0956ba27f3b8 100644 --- a/services/nimble/pom.xml +++ b/services/nimble/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 nimble AWS Java SDK :: Services :: Nimble diff --git a/services/oam/pom.xml b/services/oam/pom.xml index cf208162bea2..0c997a650bc5 100644 --- a/services/oam/pom.xml +++ b/services/oam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 oam AWS Java SDK :: Services :: OAM diff --git a/services/omics/pom.xml b/services/omics/pom.xml index 6393f5c21be4..13b82b746521 100644 --- a/services/omics/pom.xml +++ b/services/omics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 omics AWS Java SDK :: Services :: Omics diff --git a/services/opensearch/pom.xml b/services/opensearch/pom.xml index 7a66486c0c13..7096c5bb59c0 100644 --- a/services/opensearch/pom.xml +++ b/services/opensearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 opensearch AWS Java SDK :: Services :: Open Search diff --git a/services/opensearchserverless/pom.xml b/services/opensearchserverless/pom.xml index 3d2e486f8ee0..b3926c7e6447 100644 --- a/services/opensearchserverless/pom.xml +++ b/services/opensearchserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 opensearchserverless AWS Java SDK :: Services :: Open Search Serverless diff --git a/services/opsworks/pom.xml b/services/opsworks/pom.xml index 08e7807b76c9..efaa9d4c77b2 100644 --- a/services/opsworks/pom.xml +++ b/services/opsworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 opsworks AWS Java SDK :: Services :: AWS OpsWorks diff --git a/services/opsworkscm/pom.xml b/services/opsworkscm/pom.xml index 3cee359d7360..6d340a4edf24 100644 --- a/services/opsworkscm/pom.xml +++ b/services/opsworkscm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 opsworkscm AWS Java SDK :: Services :: AWS OpsWorks for Chef Automate diff --git a/services/organizations/pom.xml b/services/organizations/pom.xml index a7693d6178a4..b4d15a710cea 100644 --- a/services/organizations/pom.xml +++ b/services/organizations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 organizations AWS Java SDK :: Services :: AWS Organizations diff --git a/services/osis/pom.xml b/services/osis/pom.xml index 71da66e8db54..a7a44669bcce 100644 --- a/services/osis/pom.xml +++ b/services/osis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 osis AWS Java SDK :: Services :: OSIS diff --git a/services/outposts/pom.xml b/services/outposts/pom.xml index 605fc5a8dc7e..5b7966c9f343 100644 --- a/services/outposts/pom.xml +++ b/services/outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 outposts AWS Java SDK :: Services :: Outposts diff --git a/services/panorama/pom.xml b/services/panorama/pom.xml index c5d65fce9188..034313b8c24d 100644 --- a/services/panorama/pom.xml +++ b/services/panorama/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 panorama AWS Java SDK :: Services :: Panorama diff --git a/services/paymentcryptography/pom.xml b/services/paymentcryptography/pom.xml index 8c74993484ce..859548088ded 100644 --- a/services/paymentcryptography/pom.xml +++ b/services/paymentcryptography/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 paymentcryptography AWS Java SDK :: Services :: Payment Cryptography diff --git a/services/paymentcryptographydata/pom.xml b/services/paymentcryptographydata/pom.xml index 78234d0245fb..edb93f64c4b9 100644 --- a/services/paymentcryptographydata/pom.xml +++ b/services/paymentcryptographydata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 paymentcryptographydata AWS Java SDK :: Services :: Payment Cryptography Data diff --git a/services/pcaconnectorad/pom.xml b/services/pcaconnectorad/pom.xml index ba1155d39234..6078e0d42032 100644 --- a/services/pcaconnectorad/pom.xml +++ b/services/pcaconnectorad/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 pcaconnectorad AWS Java SDK :: Services :: Pca Connector Ad diff --git a/services/pcaconnectorscep/pom.xml b/services/pcaconnectorscep/pom.xml index 8bdbbc6b557f..d844473f6671 100644 --- a/services/pcaconnectorscep/pom.xml +++ b/services/pcaconnectorscep/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 pcaconnectorscep AWS Java SDK :: Services :: Pca Connector Scep diff --git a/services/pcs/pom.xml b/services/pcs/pom.xml index 1f4714f51e74..cd154ec997f1 100644 --- a/services/pcs/pom.xml +++ b/services/pcs/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 pcs AWS Java SDK :: Services :: PCS diff --git a/services/personalize/pom.xml b/services/personalize/pom.xml index ce4f908e471d..a56efaed18a5 100644 --- a/services/personalize/pom.xml +++ b/services/personalize/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 personalize AWS Java SDK :: Services :: Personalize diff --git a/services/personalizeevents/pom.xml b/services/personalizeevents/pom.xml index 9a48d6a724a2..544a7da7b93f 100644 --- a/services/personalizeevents/pom.xml +++ b/services/personalizeevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 personalizeevents AWS Java SDK :: Services :: Personalize Events diff --git a/services/personalizeruntime/pom.xml b/services/personalizeruntime/pom.xml index 8278ca17be12..5d0790bc0129 100644 --- a/services/personalizeruntime/pom.xml +++ b/services/personalizeruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 personalizeruntime AWS Java SDK :: Services :: Personalize Runtime diff --git a/services/pi/pom.xml b/services/pi/pom.xml index 46762358f9f1..81018a76f6ca 100644 --- a/services/pi/pom.xml +++ b/services/pi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 pi AWS Java SDK :: Services :: PI diff --git a/services/pinpoint/pom.xml b/services/pinpoint/pom.xml index 09dd9deb65c7..bb810cfb8df5 100644 --- a/services/pinpoint/pom.xml +++ b/services/pinpoint/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 pinpoint AWS Java SDK :: Services :: Amazon Pinpoint diff --git a/services/pinpointemail/pom.xml b/services/pinpointemail/pom.xml index 4b4799b62f1d..cb9da532ed66 100644 --- a/services/pinpointemail/pom.xml +++ b/services/pinpointemail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 pinpointemail AWS Java SDK :: Services :: Pinpoint Email diff --git a/services/pinpointsmsvoice/pom.xml b/services/pinpointsmsvoice/pom.xml index 216b95cbbd79..1823328e5cdd 100644 --- a/services/pinpointsmsvoice/pom.xml +++ b/services/pinpointsmsvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 pinpointsmsvoice AWS Java SDK :: Services :: Pinpoint SMS Voice diff --git a/services/pinpointsmsvoicev2/pom.xml b/services/pinpointsmsvoicev2/pom.xml index f75645726180..156d610aa276 100644 --- a/services/pinpointsmsvoicev2/pom.xml +++ b/services/pinpointsmsvoicev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 pinpointsmsvoicev2 AWS Java SDK :: Services :: Pinpoint SMS Voice V2 diff --git a/services/pipes/pom.xml b/services/pipes/pom.xml index f2bb94e48a6b..81491dc888a7 100644 --- a/services/pipes/pom.xml +++ b/services/pipes/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 pipes AWS Java SDK :: Services :: Pipes diff --git a/services/polly/pom.xml b/services/polly/pom.xml index 99131fa616c1..25f9fc60cf0c 100644 --- a/services/polly/pom.xml +++ b/services/polly/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 polly AWS Java SDK :: Services :: Amazon Polly diff --git a/services/pom.xml b/services/pom.xml index 08d946783c0d..dbdefec51323 100644 --- a/services/pom.xml +++ b/services/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.18-SNAPSHOT + 2.27.18 services AWS Java SDK :: Services diff --git a/services/pricing/pom.xml b/services/pricing/pom.xml index 0f4e001d8c54..604a279bb67e 100644 --- a/services/pricing/pom.xml +++ b/services/pricing/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18-SNAPSHOT + 2.27.18 4.0.0 pricing diff --git a/services/privatenetworks/pom.xml b/services/privatenetworks/pom.xml index 96ae702fb0d1..ce5534c391d0 100644 --- a/services/privatenetworks/pom.xml +++ b/services/privatenetworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 privatenetworks AWS Java SDK :: Services :: Private Networks diff --git a/services/proton/pom.xml b/services/proton/pom.xml index aab707d6e9c4..7bcf6c401015 100644 --- a/services/proton/pom.xml +++ b/services/proton/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 proton AWS Java SDK :: Services :: Proton diff --git a/services/qapps/pom.xml b/services/qapps/pom.xml index 4678b0f1c0aa..cdf3832c3814 100644 --- a/services/qapps/pom.xml +++ b/services/qapps/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 qapps AWS Java SDK :: Services :: Q Apps diff --git a/services/qbusiness/pom.xml b/services/qbusiness/pom.xml index 408cdbf1c926..8dc421601081 100644 --- a/services/qbusiness/pom.xml +++ b/services/qbusiness/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 qbusiness AWS Java SDK :: Services :: Q Business diff --git a/services/qconnect/pom.xml b/services/qconnect/pom.xml index 7b7be4e2a133..4984b8792134 100644 --- a/services/qconnect/pom.xml +++ b/services/qconnect/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 qconnect AWS Java SDK :: Services :: Q Connect diff --git a/services/qldb/pom.xml b/services/qldb/pom.xml index a6b7d3131855..a5f999ba00ba 100644 --- a/services/qldb/pom.xml +++ b/services/qldb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 qldb AWS Java SDK :: Services :: QLDB diff --git a/services/qldbsession/pom.xml b/services/qldbsession/pom.xml index cfdb49884b18..2eb78631cbac 100644 --- a/services/qldbsession/pom.xml +++ b/services/qldbsession/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 qldbsession AWS Java SDK :: Services :: QLDB Session diff --git a/services/quicksight/pom.xml b/services/quicksight/pom.xml index a70260bcc299..87a16629e4a6 100644 --- a/services/quicksight/pom.xml +++ b/services/quicksight/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 quicksight AWS Java SDK :: Services :: QuickSight diff --git a/services/ram/pom.xml b/services/ram/pom.xml index e697e59e2140..5a918df840ce 100644 --- a/services/ram/pom.xml +++ b/services/ram/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 ram AWS Java SDK :: Services :: RAM diff --git a/services/rbin/pom.xml b/services/rbin/pom.xml index 3e9bda41df0a..55a3c68cbecf 100644 --- a/services/rbin/pom.xml +++ b/services/rbin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 rbin AWS Java SDK :: Services :: Rbin diff --git a/services/rds/pom.xml b/services/rds/pom.xml index 149bf3d44171..b76e2dd8f6a2 100644 --- a/services/rds/pom.xml +++ b/services/rds/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 rds AWS Java SDK :: Services :: Amazon RDS diff --git a/services/rdsdata/pom.xml b/services/rdsdata/pom.xml index 14e02b3eb86b..a23752e90d0f 100644 --- a/services/rdsdata/pom.xml +++ b/services/rdsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 rdsdata AWS Java SDK :: Services :: RDS Data diff --git a/services/redshift/pom.xml b/services/redshift/pom.xml index 97000f4268d8..33584a897438 100644 --- a/services/redshift/pom.xml +++ b/services/redshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 redshift AWS Java SDK :: Services :: Amazon Redshift diff --git a/services/redshiftdata/pom.xml b/services/redshiftdata/pom.xml index afecb1775c58..7a6881e60d48 100644 --- a/services/redshiftdata/pom.xml +++ b/services/redshiftdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 redshiftdata AWS Java SDK :: Services :: Redshift Data diff --git a/services/redshiftserverless/pom.xml b/services/redshiftserverless/pom.xml index f683b7269312..d777318c8b47 100644 --- a/services/redshiftserverless/pom.xml +++ b/services/redshiftserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 redshiftserverless AWS Java SDK :: Services :: Redshift Serverless diff --git a/services/rekognition/pom.xml b/services/rekognition/pom.xml index a6ecc07ad16a..6df36d719aa4 100644 --- a/services/rekognition/pom.xml +++ b/services/rekognition/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 rekognition AWS Java SDK :: Services :: Amazon Rekognition diff --git a/services/repostspace/pom.xml b/services/repostspace/pom.xml index 9e915bd34ac3..2b643ab83ba6 100644 --- a/services/repostspace/pom.xml +++ b/services/repostspace/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 repostspace AWS Java SDK :: Services :: Repostspace diff --git a/services/resiliencehub/pom.xml b/services/resiliencehub/pom.xml index 55d9979002cd..56bc4dfc50ec 100644 --- a/services/resiliencehub/pom.xml +++ b/services/resiliencehub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 resiliencehub AWS Java SDK :: Services :: Resiliencehub diff --git a/services/resourceexplorer2/pom.xml b/services/resourceexplorer2/pom.xml index 5f965d7e28af..c15b6d3f0120 100644 --- a/services/resourceexplorer2/pom.xml +++ b/services/resourceexplorer2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 resourceexplorer2 AWS Java SDK :: Services :: Resource Explorer 2 diff --git a/services/resourcegroups/pom.xml b/services/resourcegroups/pom.xml index b74ef2ee9527..10a5d99c47e3 100644 --- a/services/resourcegroups/pom.xml +++ b/services/resourcegroups/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18-SNAPSHOT + 2.27.18 4.0.0 resourcegroups diff --git a/services/resourcegroupstaggingapi/pom.xml b/services/resourcegroupstaggingapi/pom.xml index 2293fc60dc56..2b6d9858cd3f 100644 --- a/services/resourcegroupstaggingapi/pom.xml +++ b/services/resourcegroupstaggingapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 resourcegroupstaggingapi AWS Java SDK :: Services :: AWS Resource Groups Tagging API diff --git a/services/robomaker/pom.xml b/services/robomaker/pom.xml index 41193f2f7261..2b3de1340b2f 100644 --- a/services/robomaker/pom.xml +++ b/services/robomaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 robomaker AWS Java SDK :: Services :: RoboMaker diff --git a/services/rolesanywhere/pom.xml b/services/rolesanywhere/pom.xml index 56712ffe7c62..87c5dd6c2488 100644 --- a/services/rolesanywhere/pom.xml +++ b/services/rolesanywhere/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 rolesanywhere AWS Java SDK :: Services :: Roles Anywhere diff --git a/services/route53/pom.xml b/services/route53/pom.xml index fa6afbea417f..adcbab6a29c1 100644 --- a/services/route53/pom.xml +++ b/services/route53/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 route53 AWS Java SDK :: Services :: Amazon Route53 diff --git a/services/route53domains/pom.xml b/services/route53domains/pom.xml index 7bba0e5ee09f..9353386108b0 100644 --- a/services/route53domains/pom.xml +++ b/services/route53domains/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 route53domains AWS Java SDK :: Services :: Amazon Route53 Domains diff --git a/services/route53profiles/pom.xml b/services/route53profiles/pom.xml index ef0721cd1a03..fe5f7fc51078 100644 --- a/services/route53profiles/pom.xml +++ b/services/route53profiles/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 route53profiles AWS Java SDK :: Services :: Route53 Profiles diff --git a/services/route53recoverycluster/pom.xml b/services/route53recoverycluster/pom.xml index 5ddddca5f4de..293c75c3cf07 100644 --- a/services/route53recoverycluster/pom.xml +++ b/services/route53recoverycluster/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 route53recoverycluster AWS Java SDK :: Services :: Route53 Recovery Cluster diff --git a/services/route53recoverycontrolconfig/pom.xml b/services/route53recoverycontrolconfig/pom.xml index 81f8d69ee4f6..eb28ae1bb326 100644 --- a/services/route53recoverycontrolconfig/pom.xml +++ b/services/route53recoverycontrolconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 route53recoverycontrolconfig AWS Java SDK :: Services :: Route53 Recovery Control Config diff --git a/services/route53recoveryreadiness/pom.xml b/services/route53recoveryreadiness/pom.xml index c8eba980a29e..20dc28106708 100644 --- a/services/route53recoveryreadiness/pom.xml +++ b/services/route53recoveryreadiness/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 route53recoveryreadiness AWS Java SDK :: Services :: Route53 Recovery Readiness diff --git a/services/route53resolver/pom.xml b/services/route53resolver/pom.xml index 69df876d0f21..2b03807473b0 100644 --- a/services/route53resolver/pom.xml +++ b/services/route53resolver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 route53resolver AWS Java SDK :: Services :: Route53Resolver diff --git a/services/rum/pom.xml b/services/rum/pom.xml index 09002464193d..f8e1ee76fadb 100644 --- a/services/rum/pom.xml +++ b/services/rum/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 rum AWS Java SDK :: Services :: RUM diff --git a/services/s3/pom.xml b/services/s3/pom.xml index a2ba11952eff..bd2cc06266b4 100644 --- a/services/s3/pom.xml +++ b/services/s3/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 s3 AWS Java SDK :: Services :: Amazon S3 diff --git a/services/s3control/pom.xml b/services/s3control/pom.xml index 509e4e23aef5..691ed26d99a6 100644 --- a/services/s3control/pom.xml +++ b/services/s3control/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 s3control AWS Java SDK :: Services :: Amazon S3 Control diff --git a/services/s3outposts/pom.xml b/services/s3outposts/pom.xml index f5b9ffd162f9..73cf8e70b048 100644 --- a/services/s3outposts/pom.xml +++ b/services/s3outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 s3outposts AWS Java SDK :: Services :: S3 Outposts diff --git a/services/sagemaker/pom.xml b/services/sagemaker/pom.xml index 7a2925a171f8..2cdcc9a1ba2e 100644 --- a/services/sagemaker/pom.xml +++ b/services/sagemaker/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18-SNAPSHOT + 2.27.18 4.0.0 sagemaker diff --git a/services/sagemakera2iruntime/pom.xml b/services/sagemakera2iruntime/pom.xml index 53ceb1e5a6be..5d33c883b54e 100644 --- a/services/sagemakera2iruntime/pom.xml +++ b/services/sagemakera2iruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 sagemakera2iruntime AWS Java SDK :: Services :: SageMaker A2I Runtime diff --git a/services/sagemakeredge/pom.xml b/services/sagemakeredge/pom.xml index c2139c8565d0..514d8ee983d3 100644 --- a/services/sagemakeredge/pom.xml +++ b/services/sagemakeredge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 sagemakeredge AWS Java SDK :: Services :: Sagemaker Edge diff --git a/services/sagemakerfeaturestoreruntime/pom.xml b/services/sagemakerfeaturestoreruntime/pom.xml index f5774efe3741..a9a499aa9861 100644 --- a/services/sagemakerfeaturestoreruntime/pom.xml +++ b/services/sagemakerfeaturestoreruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 sagemakerfeaturestoreruntime AWS Java SDK :: Services :: Sage Maker Feature Store Runtime diff --git a/services/sagemakergeospatial/pom.xml b/services/sagemakergeospatial/pom.xml index d9e985c1863a..badab4362f93 100644 --- a/services/sagemakergeospatial/pom.xml +++ b/services/sagemakergeospatial/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 sagemakergeospatial AWS Java SDK :: Services :: Sage Maker Geospatial diff --git a/services/sagemakermetrics/pom.xml b/services/sagemakermetrics/pom.xml index 6b96f692870f..9b2729fa5e9d 100644 --- a/services/sagemakermetrics/pom.xml +++ b/services/sagemakermetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 sagemakermetrics AWS Java SDK :: Services :: Sage Maker Metrics diff --git a/services/sagemakerruntime/pom.xml b/services/sagemakerruntime/pom.xml index db10e99b400e..3c3edf8542f9 100644 --- a/services/sagemakerruntime/pom.xml +++ b/services/sagemakerruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 sagemakerruntime AWS Java SDK :: Services :: SageMaker Runtime diff --git a/services/savingsplans/pom.xml b/services/savingsplans/pom.xml index c8d722d7e996..03bcdb046d07 100644 --- a/services/savingsplans/pom.xml +++ b/services/savingsplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 savingsplans AWS Java SDK :: Services :: Savingsplans diff --git a/services/scheduler/pom.xml b/services/scheduler/pom.xml index 07ad7fbfe584..137a58a8bc14 100644 --- a/services/scheduler/pom.xml +++ b/services/scheduler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 scheduler AWS Java SDK :: Services :: Scheduler diff --git a/services/schemas/pom.xml b/services/schemas/pom.xml index e280333521cb..887fa8e6db1e 100644 --- a/services/schemas/pom.xml +++ b/services/schemas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 schemas AWS Java SDK :: Services :: Schemas diff --git a/services/secretsmanager/pom.xml b/services/secretsmanager/pom.xml index e7525cadfcf4..62854e72bece 100644 --- a/services/secretsmanager/pom.xml +++ b/services/secretsmanager/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 secretsmanager AWS Java SDK :: Services :: AWS Secrets Manager diff --git a/services/securityhub/pom.xml b/services/securityhub/pom.xml index d60197fd815a..5293c29f403d 100644 --- a/services/securityhub/pom.xml +++ b/services/securityhub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 securityhub AWS Java SDK :: Services :: SecurityHub diff --git a/services/securitylake/pom.xml b/services/securitylake/pom.xml index 1cfba10b61cf..5e537730455f 100644 --- a/services/securitylake/pom.xml +++ b/services/securitylake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 securitylake AWS Java SDK :: Services :: Security Lake diff --git a/services/serverlessapplicationrepository/pom.xml b/services/serverlessapplicationrepository/pom.xml index 0d1bb2fd3d8c..33ff709e6835 100644 --- a/services/serverlessapplicationrepository/pom.xml +++ b/services/serverlessapplicationrepository/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18-SNAPSHOT + 2.27.18 4.0.0 serverlessapplicationrepository diff --git a/services/servicecatalog/pom.xml b/services/servicecatalog/pom.xml index 40b8e60f48aa..c827c493d1af 100644 --- a/services/servicecatalog/pom.xml +++ b/services/servicecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 servicecatalog AWS Java SDK :: Services :: AWS Service Catalog diff --git a/services/servicecatalogappregistry/pom.xml b/services/servicecatalogappregistry/pom.xml index 9a02dadba63f..d33557b722bb 100644 --- a/services/servicecatalogappregistry/pom.xml +++ b/services/servicecatalogappregistry/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 servicecatalogappregistry AWS Java SDK :: Services :: Service Catalog App Registry diff --git a/services/servicediscovery/pom.xml b/services/servicediscovery/pom.xml index f906175c8796..1a46b00bf3ba 100644 --- a/services/servicediscovery/pom.xml +++ b/services/servicediscovery/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18-SNAPSHOT + 2.27.18 4.0.0 servicediscovery diff --git a/services/servicequotas/pom.xml b/services/servicequotas/pom.xml index 1218680a4bfa..8f50ca1e964c 100644 --- a/services/servicequotas/pom.xml +++ b/services/servicequotas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 servicequotas AWS Java SDK :: Services :: Service Quotas diff --git a/services/ses/pom.xml b/services/ses/pom.xml index 1c9c05ff4037..0927962996ad 100644 --- a/services/ses/pom.xml +++ b/services/ses/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 ses AWS Java SDK :: Services :: Amazon SES diff --git a/services/sesv2/pom.xml b/services/sesv2/pom.xml index 07d2a9315437..33f01cf85422 100644 --- a/services/sesv2/pom.xml +++ b/services/sesv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 sesv2 AWS Java SDK :: Services :: SESv2 diff --git a/services/sfn/pom.xml b/services/sfn/pom.xml index b14045bc7ca9..f8f5eed4eead 100644 --- a/services/sfn/pom.xml +++ b/services/sfn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 sfn AWS Java SDK :: Services :: AWS Step Functions diff --git a/services/shield/pom.xml b/services/shield/pom.xml index b0c794128c49..e290f49bcfc7 100644 --- a/services/shield/pom.xml +++ b/services/shield/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 shield AWS Java SDK :: Services :: AWS Shield diff --git a/services/signer/pom.xml b/services/signer/pom.xml index af5f5ee3bf3e..c6a4a65d82f9 100644 --- a/services/signer/pom.xml +++ b/services/signer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 signer AWS Java SDK :: Services :: Signer diff --git a/services/simspaceweaver/pom.xml b/services/simspaceweaver/pom.xml index 2dcb64a9cca9..381a5bf17b8b 100644 --- a/services/simspaceweaver/pom.xml +++ b/services/simspaceweaver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 simspaceweaver AWS Java SDK :: Services :: Sim Space Weaver diff --git a/services/sms/pom.xml b/services/sms/pom.xml index 1545d711fabf..b2dd0bf57d36 100644 --- a/services/sms/pom.xml +++ b/services/sms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 sms AWS Java SDK :: Services :: AWS Server Migration diff --git a/services/snowball/pom.xml b/services/snowball/pom.xml index 579fdabdd126..cd52113a5e6b 100644 --- a/services/snowball/pom.xml +++ b/services/snowball/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 snowball AWS Java SDK :: Services :: Amazon Snowball diff --git a/services/snowdevicemanagement/pom.xml b/services/snowdevicemanagement/pom.xml index 17dd6e2fd4ba..2a16a03e9d18 100644 --- a/services/snowdevicemanagement/pom.xml +++ b/services/snowdevicemanagement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 snowdevicemanagement AWS Java SDK :: Services :: Snow Device Management diff --git a/services/sns/pom.xml b/services/sns/pom.xml index 3af4b0aa1be9..310cc36b4391 100644 --- a/services/sns/pom.xml +++ b/services/sns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 sns AWS Java SDK :: Services :: Amazon SNS diff --git a/services/sqs/pom.xml b/services/sqs/pom.xml index 3baa67143978..32c40593d8a5 100644 --- a/services/sqs/pom.xml +++ b/services/sqs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 sqs AWS Java SDK :: Services :: Amazon SQS diff --git a/services/ssm/pom.xml b/services/ssm/pom.xml index 1759f611bd32..8c20df34e112 100644 --- a/services/ssm/pom.xml +++ b/services/ssm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 ssm AWS Java SDK :: Services :: AWS Simple Systems Management (SSM) diff --git a/services/ssmcontacts/pom.xml b/services/ssmcontacts/pom.xml index ab575f9cae87..c666d5302b39 100644 --- a/services/ssmcontacts/pom.xml +++ b/services/ssmcontacts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 ssmcontacts AWS Java SDK :: Services :: SSM Contacts diff --git a/services/ssmincidents/pom.xml b/services/ssmincidents/pom.xml index 1e03d03125d9..aa6356458729 100644 --- a/services/ssmincidents/pom.xml +++ b/services/ssmincidents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 ssmincidents AWS Java SDK :: Services :: SSM Incidents diff --git a/services/ssmquicksetup/pom.xml b/services/ssmquicksetup/pom.xml index dfa05a90655c..8f625656f855 100644 --- a/services/ssmquicksetup/pom.xml +++ b/services/ssmquicksetup/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 ssmquicksetup AWS Java SDK :: Services :: SSM Quick Setup diff --git a/services/ssmsap/pom.xml b/services/ssmsap/pom.xml index 29a06e47917b..0be3b67901af 100644 --- a/services/ssmsap/pom.xml +++ b/services/ssmsap/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 ssmsap AWS Java SDK :: Services :: Ssm Sap diff --git a/services/sso/pom.xml b/services/sso/pom.xml index 36f6a1ee6227..0e6a6d2bc498 100644 --- a/services/sso/pom.xml +++ b/services/sso/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 sso AWS Java SDK :: Services :: SSO diff --git a/services/ssoadmin/pom.xml b/services/ssoadmin/pom.xml index 09d1a7a7f925..3dfeacc38d07 100644 --- a/services/ssoadmin/pom.xml +++ b/services/ssoadmin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 ssoadmin AWS Java SDK :: Services :: SSO Admin diff --git a/services/ssooidc/pom.xml b/services/ssooidc/pom.xml index b689c896de67..8077d8aed37b 100644 --- a/services/ssooidc/pom.xml +++ b/services/ssooidc/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 ssooidc AWS Java SDK :: Services :: SSO OIDC diff --git a/services/storagegateway/pom.xml b/services/storagegateway/pom.xml index d1467dd35cdd..5c4bf49777ea 100644 --- a/services/storagegateway/pom.xml +++ b/services/storagegateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 storagegateway AWS Java SDK :: Services :: AWS Storage Gateway diff --git a/services/sts/pom.xml b/services/sts/pom.xml index d260b825bce1..873dcb5a12d3 100644 --- a/services/sts/pom.xml +++ b/services/sts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 sts AWS Java SDK :: Services :: AWS STS diff --git a/services/supplychain/pom.xml b/services/supplychain/pom.xml index bfe031abe4b4..d5d6adb43d61 100644 --- a/services/supplychain/pom.xml +++ b/services/supplychain/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 supplychain AWS Java SDK :: Services :: Supply Chain diff --git a/services/support/pom.xml b/services/support/pom.xml index eaf1ca2047fa..395236ac2e30 100644 --- a/services/support/pom.xml +++ b/services/support/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 support AWS Java SDK :: Services :: AWS Support diff --git a/services/supportapp/pom.xml b/services/supportapp/pom.xml index 4cf33d244e32..e6714a54b270 100644 --- a/services/supportapp/pom.xml +++ b/services/supportapp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 supportapp AWS Java SDK :: Services :: Support App diff --git a/services/swf/pom.xml b/services/swf/pom.xml index 38420f75c21e..81b85adee525 100644 --- a/services/swf/pom.xml +++ b/services/swf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 swf AWS Java SDK :: Services :: Amazon SWF diff --git a/services/synthetics/pom.xml b/services/synthetics/pom.xml index 2306624982d4..63b1bed2469e 100644 --- a/services/synthetics/pom.xml +++ b/services/synthetics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 synthetics AWS Java SDK :: Services :: Synthetics diff --git a/services/taxsettings/pom.xml b/services/taxsettings/pom.xml index 77dc4bc6c855..2bf55a96f287 100644 --- a/services/taxsettings/pom.xml +++ b/services/taxsettings/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 taxsettings AWS Java SDK :: Services :: Tax Settings diff --git a/services/textract/pom.xml b/services/textract/pom.xml index acef7d7e499c..244b9307410b 100644 --- a/services/textract/pom.xml +++ b/services/textract/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 textract AWS Java SDK :: Services :: Textract diff --git a/services/timestreaminfluxdb/pom.xml b/services/timestreaminfluxdb/pom.xml index f52f2fc7946d..489aadeabeb6 100644 --- a/services/timestreaminfluxdb/pom.xml +++ b/services/timestreaminfluxdb/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 timestreaminfluxdb AWS Java SDK :: Services :: Timestream Influx DB diff --git a/services/timestreamquery/pom.xml b/services/timestreamquery/pom.xml index c8f12cc2a36d..ee3319720d96 100644 --- a/services/timestreamquery/pom.xml +++ b/services/timestreamquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 timestreamquery AWS Java SDK :: Services :: Timestream Query diff --git a/services/timestreamwrite/pom.xml b/services/timestreamwrite/pom.xml index c569d196ad67..347417b1d6d8 100644 --- a/services/timestreamwrite/pom.xml +++ b/services/timestreamwrite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 timestreamwrite AWS Java SDK :: Services :: Timestream Write diff --git a/services/tnb/pom.xml b/services/tnb/pom.xml index fcafb8027b51..8d4382bb35a8 100644 --- a/services/tnb/pom.xml +++ b/services/tnb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 tnb AWS Java SDK :: Services :: Tnb diff --git a/services/transcribe/pom.xml b/services/transcribe/pom.xml index 799485d1c3a2..cb940b2c2d8f 100644 --- a/services/transcribe/pom.xml +++ b/services/transcribe/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 transcribe AWS Java SDK :: Services :: Transcribe diff --git a/services/transcribestreaming/pom.xml b/services/transcribestreaming/pom.xml index 08395e39f55b..f44ce8ac41ac 100644 --- a/services/transcribestreaming/pom.xml +++ b/services/transcribestreaming/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 transcribestreaming AWS Java SDK :: Services :: AWS Transcribe Streaming diff --git a/services/transfer/pom.xml b/services/transfer/pom.xml index bc339d18c662..d9aab4745ab9 100644 --- a/services/transfer/pom.xml +++ b/services/transfer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 transfer AWS Java SDK :: Services :: Transfer diff --git a/services/translate/pom.xml b/services/translate/pom.xml index a87973768615..1b8323bb90a5 100644 --- a/services/translate/pom.xml +++ b/services/translate/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18-SNAPSHOT + 2.27.18 4.0.0 translate diff --git a/services/trustedadvisor/pom.xml b/services/trustedadvisor/pom.xml index a7c0e0584065..613d018e9122 100644 --- a/services/trustedadvisor/pom.xml +++ b/services/trustedadvisor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 trustedadvisor AWS Java SDK :: Services :: Trusted Advisor diff --git a/services/verifiedpermissions/pom.xml b/services/verifiedpermissions/pom.xml index aa548d23c342..fd8807ec1c96 100644 --- a/services/verifiedpermissions/pom.xml +++ b/services/verifiedpermissions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 verifiedpermissions AWS Java SDK :: Services :: Verified Permissions diff --git a/services/voiceid/pom.xml b/services/voiceid/pom.xml index 3801ba08f159..aaaa2f58696a 100644 --- a/services/voiceid/pom.xml +++ b/services/voiceid/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 voiceid AWS Java SDK :: Services :: Voice ID diff --git a/services/vpclattice/pom.xml b/services/vpclattice/pom.xml index d634fc15467a..d61e2383dda7 100644 --- a/services/vpclattice/pom.xml +++ b/services/vpclattice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 vpclattice AWS Java SDK :: Services :: VPC Lattice diff --git a/services/waf/pom.xml b/services/waf/pom.xml index c114e94b7e56..f7ec6a6d494d 100644 --- a/services/waf/pom.xml +++ b/services/waf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 waf AWS Java SDK :: Services :: AWS WAF diff --git a/services/wafv2/pom.xml b/services/wafv2/pom.xml index 62b385943665..6974c056fce4 100644 --- a/services/wafv2/pom.xml +++ b/services/wafv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 wafv2 AWS Java SDK :: Services :: WAFV2 diff --git a/services/wellarchitected/pom.xml b/services/wellarchitected/pom.xml index 42626e771a60..b9cfb55685c9 100644 --- a/services/wellarchitected/pom.xml +++ b/services/wellarchitected/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 wellarchitected AWS Java SDK :: Services :: Well Architected diff --git a/services/wisdom/pom.xml b/services/wisdom/pom.xml index cc264a4f4589..5bd82e321cfb 100644 --- a/services/wisdom/pom.xml +++ b/services/wisdom/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 wisdom AWS Java SDK :: Services :: Wisdom diff --git a/services/workdocs/pom.xml b/services/workdocs/pom.xml index 3685d7909d9b..6b66bc35e834 100644 --- a/services/workdocs/pom.xml +++ b/services/workdocs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 workdocs AWS Java SDK :: Services :: Amazon WorkDocs diff --git a/services/worklink/pom.xml b/services/worklink/pom.xml index 87bd88c89dbe..12236a615a56 100644 --- a/services/worklink/pom.xml +++ b/services/worklink/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 worklink AWS Java SDK :: Services :: WorkLink diff --git a/services/workmail/pom.xml b/services/workmail/pom.xml index 5d9d0b939ca1..2ce448f5a619 100644 --- a/services/workmail/pom.xml +++ b/services/workmail/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18-SNAPSHOT + 2.27.18 4.0.0 workmail diff --git a/services/workmailmessageflow/pom.xml b/services/workmailmessageflow/pom.xml index 152b5258f9bd..8822cdbfe217 100644 --- a/services/workmailmessageflow/pom.xml +++ b/services/workmailmessageflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 workmailmessageflow AWS Java SDK :: Services :: WorkMailMessageFlow diff --git a/services/workspaces/pom.xml b/services/workspaces/pom.xml index 9ad1d35396f1..7d645f594885 100644 --- a/services/workspaces/pom.xml +++ b/services/workspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 workspaces AWS Java SDK :: Services :: Amazon WorkSpaces diff --git a/services/workspacesthinclient/pom.xml b/services/workspacesthinclient/pom.xml index e6a3a1dd150b..4e70393a24be 100644 --- a/services/workspacesthinclient/pom.xml +++ b/services/workspacesthinclient/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 workspacesthinclient AWS Java SDK :: Services :: Work Spaces Thin Client diff --git a/services/workspacesweb/pom.xml b/services/workspacesweb/pom.xml index c5336587fcf9..49c26738bdeb 100644 --- a/services/workspacesweb/pom.xml +++ b/services/workspacesweb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 workspacesweb AWS Java SDK :: Services :: Work Spaces Web diff --git a/services/xray/pom.xml b/services/xray/pom.xml index 0b4f5f912202..4e8ae0ff800a 100644 --- a/services/xray/pom.xml +++ b/services/xray/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18-SNAPSHOT + 2.27.18 xray AWS Java SDK :: Services :: AWS X-Ray diff --git a/test/auth-tests/pom.xml b/test/auth-tests/pom.xml index d4e4ffe95812..eab2bbd153c7 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.27.18-SNAPSHOT + 2.27.18 ../../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 e95535163ce5..358ea7308c52 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.27.18-SNAPSHOT + 2.27.18 ../../pom.xml 4.0.0 diff --git a/test/bundle-shading-tests/pom.xml b/test/bundle-shading-tests/pom.xml index 01e8e2f5b4bf..75865cce2905 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.27.18-SNAPSHOT + 2.27.18 ../../pom.xml 4.0.0 diff --git a/test/codegen-generated-classes-test/pom.xml b/test/codegen-generated-classes-test/pom.xml index 766e4ff1cf70..0cb5b83d7be8 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.27.18-SNAPSHOT + 2.27.18 ../../pom.xml diff --git a/test/crt-unavailable-tests/pom.xml b/test/crt-unavailable-tests/pom.xml index 1a1492f114b2..0e75fa1b6574 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.27.18-SNAPSHOT + 2.27.18 ../../pom.xml 4.0.0 diff --git a/test/http-client-tests/pom.xml b/test/http-client-tests/pom.xml index 69b912042e9b..06de01b7245e 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.27.18-SNAPSHOT + 2.27.18 ../../pom.xml http-client-tests diff --git a/test/module-path-tests/pom.xml b/test/module-path-tests/pom.xml index 0df72a59f5fe..19483287d705 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.27.18-SNAPSHOT + 2.27.18 ../../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 57a5e0d08e40..b17d5b55c267 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.27.18-SNAPSHOT + 2.27.18 ../../pom.xml diff --git a/test/protocol-tests-core/pom.xml b/test/protocol-tests-core/pom.xml index 3faee546b1d7..21dc7db117bb 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.27.18-SNAPSHOT + 2.27.18 ../../pom.xml 4.0.0 diff --git a/test/protocol-tests/pom.xml b/test/protocol-tests/pom.xml index 3e1189ac346e..4e0fbf718d89 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.27.18-SNAPSHOT + 2.27.18 ../../pom.xml 4.0.0 diff --git a/test/region-testing/pom.xml b/test/region-testing/pom.xml index 741fc98de544..9860e18ddf8d 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.27.18-SNAPSHOT + 2.27.18 ../../pom.xml 4.0.0 diff --git a/test/ruleset-testing-core/pom.xml b/test/ruleset-testing-core/pom.xml index 694560601bd6..584f1db8df8b 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.27.18-SNAPSHOT + 2.27.18 ../../pom.xml 4.0.0 diff --git a/test/s3-benchmarks/pom.xml b/test/s3-benchmarks/pom.xml index 1af10093d971..276652c0d931 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.27.18-SNAPSHOT + 2.27.18 ../../pom.xml 4.0.0 diff --git a/test/sdk-benchmarks/pom.xml b/test/sdk-benchmarks/pom.xml index 4b1aaf76097d..a58abef0b266 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.27.18-SNAPSHOT + 2.27.18 ../../pom.xml diff --git a/test/sdk-native-image-test/pom.xml b/test/sdk-native-image-test/pom.xml index 170d352b6eb6..ac1d415ac665 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.27.18-SNAPSHOT + 2.27.18 ../../pom.xml 4.0.0 diff --git a/test/service-test-utils/pom.xml b/test/service-test-utils/pom.xml index 7a816a81d31e..ac6f8a835bcf 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.27.18-SNAPSHOT + 2.27.18 ../../pom.xml service-test-utils diff --git a/test/stability-tests/pom.xml b/test/stability-tests/pom.xml index 2a6060b40ab2..0db4157f454f 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.27.18-SNAPSHOT + 2.27.18 ../../pom.xml 4.0.0 diff --git a/test/test-utils/pom.xml b/test/test-utils/pom.xml index 7e44399fb99e..deb88c5cc196 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.27.18-SNAPSHOT + 2.27.18 ../../pom.xml test-utils diff --git a/test/tests-coverage-reporting/pom.xml b/test/tests-coverage-reporting/pom.xml index 8a150a977c35..067bebd672d9 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.27.18-SNAPSHOT + 2.27.18 ../../pom.xml 4.0.0 diff --git a/test/v2-migration-tests/pom.xml b/test/v2-migration-tests/pom.xml index 74cc213242e0..d183a2583d39 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.27.18-SNAPSHOT + 2.27.18 ../.. diff --git a/third-party/pom.xml b/third-party/pom.xml index 0161e07a1f23..0ce98c4e95da 100644 --- a/third-party/pom.xml +++ b/third-party/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.18-SNAPSHOT + 2.27.18 third-party diff --git a/third-party/third-party-jackson-core/pom.xml b/third-party/third-party-jackson-core/pom.xml index 4d2231568e70..cf1896777538 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.27.18-SNAPSHOT + 2.27.18 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 f9422360b4bf..54b0cd6127a9 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.27.18-SNAPSHOT + 2.27.18 4.0.0 diff --git a/third-party/third-party-slf4j-api/pom.xml b/third-party/third-party-slf4j-api/pom.xml index 245dbd97c610..d123c53b52ee 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.27.18-SNAPSHOT + 2.27.18 4.0.0 diff --git a/utils/pom.xml b/utils/pom.xml index 3c4b36bd2861..dc6cc082e9b3 100644 --- a/utils/pom.xml +++ b/utils/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.18-SNAPSHOT + 2.27.18 4.0.0 diff --git a/v2-migration/pom.xml b/v2-migration/pom.xml index c75fdfe7dcdf..829654d96c6f 100644 --- a/v2-migration/pom.xml +++ b/v2-migration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.18-SNAPSHOT + 2.27.18 ../pom.xml From 017292e334e69488b5d9df261cbdc0d7000a9fa6 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Tue, 3 Sep 2024 18:49:04 +0000 Subject: [PATCH 010/108] Update to next snapshot version: 2.27.19-SNAPSHOT --- 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/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 +- metric-publishers/cloudwatch-metric-publisher/pom.xml | 2 +- metric-publishers/pom.xml | 2 +- pom.xml | 4 ++-- 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 +- services-custom/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/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 +- services/licensemanagerlinuxsubscriptions/pom.xml | 2 +- services/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/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 +- services/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/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/worklink/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 +- test/bundle-logging-bridge-binding-test/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 +- test/old-client-version-compatibility-test/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 +- third-party/third-party-jackson-dataformat-cbor/pom.xml | 2 +- third-party/third-party-slf4j-api/pom.xml | 2 +- utils/pom.xml | 2 +- v2-migration/pom.xml | 2 +- 469 files changed, 470 insertions(+), 470 deletions(-) diff --git a/archetypes/archetype-app-quickstart/pom.xml b/archetypes/archetype-app-quickstart/pom.xml index 4fbe5d872c25..cd13afd1ddce 100644 --- a/archetypes/archetype-app-quickstart/pom.xml +++ b/archetypes/archetype-app-quickstart/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.18 + 2.27.19-SNAPSHOT 4.0.0 diff --git a/archetypes/archetype-lambda/pom.xml b/archetypes/archetype-lambda/pom.xml index 8915198e5d18..ba421ff5b0be 100644 --- a/archetypes/archetype-lambda/pom.xml +++ b/archetypes/archetype-lambda/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.18 + 2.27.19-SNAPSHOT 4.0.0 archetype-lambda diff --git a/archetypes/archetype-tools/pom.xml b/archetypes/archetype-tools/pom.xml index b7625596a019..daf47ab5f0ff 100644 --- a/archetypes/archetype-tools/pom.xml +++ b/archetypes/archetype-tools/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.18 + 2.27.19-SNAPSHOT 4.0.0 diff --git a/archetypes/pom.xml b/archetypes/pom.xml index 737d2c95ce3e..743f431557f9 100644 --- a/archetypes/pom.xml +++ b/archetypes/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.18 + 2.27.19-SNAPSHOT 4.0.0 archetypes diff --git a/aws-sdk-java/pom.xml b/aws-sdk-java/pom.xml index cb1e85353cc5..d64d8ea68caf 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.27.18 + 2.27.19-SNAPSHOT ../pom.xml aws-sdk-java diff --git a/bom-internal/pom.xml b/bom-internal/pom.xml index c127ebb43b6e..41069f3db7f9 100644 --- a/bom-internal/pom.xml +++ b/bom-internal/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.18 + 2.27.19-SNAPSHOT 4.0.0 diff --git a/bom/pom.xml b/bom/pom.xml index 809c5373eea3..39f26bb99a05 100644 --- a/bom/pom.xml +++ b/bom/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.18 + 2.27.19-SNAPSHOT ../pom.xml bom diff --git a/bundle-logging-bridge/pom.xml b/bundle-logging-bridge/pom.xml index 3ea237fb8b72..f05e684c1228 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.27.18 + 2.27.19-SNAPSHOT bundle-logging-bridge jar diff --git a/bundle-sdk/pom.xml b/bundle-sdk/pom.xml index 4465b9919668..5320a36949f5 100644 --- a/bundle-sdk/pom.xml +++ b/bundle-sdk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.18 + 2.27.19-SNAPSHOT bundle-sdk jar diff --git a/bundle/pom.xml b/bundle/pom.xml index a9079aeb4dbf..e4fba061d0b3 100644 --- a/bundle/pom.xml +++ b/bundle/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.18 + 2.27.19-SNAPSHOT bundle jar diff --git a/codegen-lite-maven-plugin/pom.xml b/codegen-lite-maven-plugin/pom.xml index b17cbd73fbfa..04ba05258cb3 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.27.18 + 2.27.19-SNAPSHOT ../pom.xml codegen-lite-maven-plugin diff --git a/codegen-lite/pom.xml b/codegen-lite/pom.xml index 425c0454cd3a..8eb74c341664 100644 --- a/codegen-lite/pom.xml +++ b/codegen-lite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.18 + 2.27.19-SNAPSHOT codegen-lite AWS Java SDK :: Code Generator Lite diff --git a/codegen-maven-plugin/pom.xml b/codegen-maven-plugin/pom.xml index f43991093d88..1217424e1015 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.27.18 + 2.27.19-SNAPSHOT ../pom.xml codegen-maven-plugin diff --git a/codegen/pom.xml b/codegen/pom.xml index 40092ecb74d5..346159fa0667 100644 --- a/codegen/pom.xml +++ b/codegen/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.18 + 2.27.19-SNAPSHOT codegen AWS Java SDK :: Code Generator diff --git a/core/annotations/pom.xml b/core/annotations/pom.xml index 3456686326a5..3c8d1097e577 100644 --- a/core/annotations/pom.xml +++ b/core/annotations/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.18 + 2.27.19-SNAPSHOT 4.0.0 diff --git a/core/arns/pom.xml b/core/arns/pom.xml index ae9979555988..8d61b829206d 100644 --- a/core/arns/pom.xml +++ b/core/arns/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.18 + 2.27.19-SNAPSHOT 4.0.0 diff --git a/core/auth-crt/pom.xml b/core/auth-crt/pom.xml index 42c27e4e3f73..4ff940a64292 100644 --- a/core/auth-crt/pom.xml +++ b/core/auth-crt/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.18 + 2.27.19-SNAPSHOT auth-crt diff --git a/core/auth/pom.xml b/core/auth/pom.xml index 9986a96dc16e..7843c421855f 100644 --- a/core/auth/pom.xml +++ b/core/auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.18 + 2.27.19-SNAPSHOT auth diff --git a/core/aws-core/pom.xml b/core/aws-core/pom.xml index b3dafea44e60..7e78ec32c5af 100644 --- a/core/aws-core/pom.xml +++ b/core/aws-core/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.18 + 2.27.19-SNAPSHOT aws-core diff --git a/core/checksums-spi/pom.xml b/core/checksums-spi/pom.xml index 32577682152a..4d5edcd795cf 100644 --- a/core/checksums-spi/pom.xml +++ b/core/checksums-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.18 + 2.27.19-SNAPSHOT checksums-spi diff --git a/core/checksums/pom.xml b/core/checksums/pom.xml index 964855259f32..d80373f3c883 100644 --- a/core/checksums/pom.xml +++ b/core/checksums/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.18 + 2.27.19-SNAPSHOT checksums diff --git a/core/crt-core/pom.xml b/core/crt-core/pom.xml index f55aed494fcd..48e6f97b6739 100644 --- a/core/crt-core/pom.xml +++ b/core/crt-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.27.18 + 2.27.19-SNAPSHOT crt-core diff --git a/core/endpoints-spi/pom.xml b/core/endpoints-spi/pom.xml index 81387a9fcdbd..dc06423664a7 100644 --- a/core/endpoints-spi/pom.xml +++ b/core/endpoints-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.18 + 2.27.19-SNAPSHOT 4.0.0 diff --git a/core/http-auth-aws-crt/pom.xml b/core/http-auth-aws-crt/pom.xml index b6fedf9ccfd3..4e64ace863c5 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.27.18 + 2.27.19-SNAPSHOT http-auth-aws-crt diff --git a/core/http-auth-aws-eventstream/pom.xml b/core/http-auth-aws-eventstream/pom.xml index c54f6f4168db..96e3f025437e 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.27.18 + 2.27.19-SNAPSHOT http-auth-aws-eventstream diff --git a/core/http-auth-aws/pom.xml b/core/http-auth-aws/pom.xml index 06f2482d0a9c..b2de8fb01cae 100644 --- a/core/http-auth-aws/pom.xml +++ b/core/http-auth-aws/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.18 + 2.27.19-SNAPSHOT http-auth-aws diff --git a/core/http-auth-spi/pom.xml b/core/http-auth-spi/pom.xml index 065a24c1bec1..9915f16a91d6 100644 --- a/core/http-auth-spi/pom.xml +++ b/core/http-auth-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.18 + 2.27.19-SNAPSHOT http-auth-spi diff --git a/core/http-auth/pom.xml b/core/http-auth/pom.xml index 7cdf4558c20c..b7db1c0015d3 100644 --- a/core/http-auth/pom.xml +++ b/core/http-auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.18 + 2.27.19-SNAPSHOT http-auth diff --git a/core/identity-spi/pom.xml b/core/identity-spi/pom.xml index eb7d2dfe7834..6b6c8e66990c 100644 --- a/core/identity-spi/pom.xml +++ b/core/identity-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.18 + 2.27.19-SNAPSHOT identity-spi diff --git a/core/imds/pom.xml b/core/imds/pom.xml index 750c30ccbf0d..c3adee092116 100644 --- a/core/imds/pom.xml +++ b/core/imds/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.18 + 2.27.19-SNAPSHOT 4.0.0 imds diff --git a/core/json-utils/pom.xml b/core/json-utils/pom.xml index 0580d1567b3a..7f48955074cb 100644 --- a/core/json-utils/pom.xml +++ b/core/json-utils/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.18 + 2.27.19-SNAPSHOT 4.0.0 diff --git a/core/metrics-spi/pom.xml b/core/metrics-spi/pom.xml index 29cfd4a2a19c..9a044911b64c 100644 --- a/core/metrics-spi/pom.xml +++ b/core/metrics-spi/pom.xml @@ -5,7 +5,7 @@ core software.amazon.awssdk - 2.27.18 + 2.27.19-SNAPSHOT 4.0.0 diff --git a/core/pom.xml b/core/pom.xml index e5150830b10b..97261fb80285 100644 --- a/core/pom.xml +++ b/core/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.18 + 2.27.19-SNAPSHOT core diff --git a/core/profiles/pom.xml b/core/profiles/pom.xml index 8b1cf868d5bf..954de319ba43 100644 --- a/core/profiles/pom.xml +++ b/core/profiles/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.18 + 2.27.19-SNAPSHOT profiles diff --git a/core/protocols/aws-cbor-protocol/pom.xml b/core/protocols/aws-cbor-protocol/pom.xml index 597af6ed94a4..a661534f18d4 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.27.18 + 2.27.19-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-json-protocol/pom.xml b/core/protocols/aws-json-protocol/pom.xml index c63591a2cd18..370abe77556e 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.27.18 + 2.27.19-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-query-protocol/pom.xml b/core/protocols/aws-query-protocol/pom.xml index a1b567215ad5..2a51bc7a0077 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.27.18 + 2.27.19-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-xml-protocol/pom.xml b/core/protocols/aws-xml-protocol/pom.xml index 61487af40a08..abba968ae9f9 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.27.18 + 2.27.19-SNAPSHOT 4.0.0 diff --git a/core/protocols/pom.xml b/core/protocols/pom.xml index e8c1fef6022c..ee98f4327db0 100644 --- a/core/protocols/pom.xml +++ b/core/protocols/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.18 + 2.27.19-SNAPSHOT 4.0.0 diff --git a/core/protocols/protocol-core/pom.xml b/core/protocols/protocol-core/pom.xml index ce423d913f4f..e749cb13c436 100644 --- a/core/protocols/protocol-core/pom.xml +++ b/core/protocols/protocol-core/pom.xml @@ -20,7 +20,7 @@ protocols software.amazon.awssdk - 2.27.18 + 2.27.19-SNAPSHOT 4.0.0 diff --git a/core/regions/pom.xml b/core/regions/pom.xml index 75a7b0028b41..1cfb34d22b1b 100644 --- a/core/regions/pom.xml +++ b/core/regions/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.18 + 2.27.19-SNAPSHOT regions diff --git a/core/retries-spi/pom.xml b/core/retries-spi/pom.xml index 68ce214deee6..e85382d417a2 100644 --- a/core/retries-spi/pom.xml +++ b/core/retries-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.18 + 2.27.19-SNAPSHOT 4.0.0 diff --git a/core/retries/pom.xml b/core/retries/pom.xml index 25bcabe60ed4..ef5e542f9861 100644 --- a/core/retries/pom.xml +++ b/core/retries/pom.xml @@ -21,7 +21,7 @@ core software.amazon.awssdk - 2.27.18 + 2.27.19-SNAPSHOT 4.0.0 diff --git a/core/sdk-core/pom.xml b/core/sdk-core/pom.xml index a2fa104ea7e5..c9c37e0d6b44 100644 --- a/core/sdk-core/pom.xml +++ b/core/sdk-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.27.18 + 2.27.19-SNAPSHOT sdk-core AWS Java SDK :: SDK Core diff --git a/http-client-spi/pom.xml b/http-client-spi/pom.xml index be17d65691b1..3df57c05da90 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.27.18 + 2.27.19-SNAPSHOT http-client-spi AWS Java SDK :: HTTP Client Interface diff --git a/http-clients/apache-client/pom.xml b/http-clients/apache-client/pom.xml index 96b09573d343..cdd4ecf7e6b9 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.27.18 + 2.27.19-SNAPSHOT apache-client diff --git a/http-clients/aws-crt-client/pom.xml b/http-clients/aws-crt-client/pom.xml index e7bd15704412..71b14d2a2563 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.27.18 + 2.27.19-SNAPSHOT 4.0.0 diff --git a/http-clients/netty-nio-client/pom.xml b/http-clients/netty-nio-client/pom.xml index 57f824ba5700..94e6474ae1bb 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.27.18 + 2.27.19-SNAPSHOT 4.0.0 diff --git a/http-clients/pom.xml b/http-clients/pom.xml index b59d668e34e9..64d8b6eddd1b 100644 --- a/http-clients/pom.xml +++ b/http-clients/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.18 + 2.27.19-SNAPSHOT 4.0.0 diff --git a/http-clients/url-connection-client/pom.xml b/http-clients/url-connection-client/pom.xml index 44483162b46b..1678b991bdf8 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.27.18 + 2.27.19-SNAPSHOT 4.0.0 diff --git a/metric-publishers/cloudwatch-metric-publisher/pom.xml b/metric-publishers/cloudwatch-metric-publisher/pom.xml index 1004677c18bf..0363342ce4ec 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.27.18 + 2.27.19-SNAPSHOT cloudwatch-metric-publisher diff --git a/metric-publishers/pom.xml b/metric-publishers/pom.xml index e4f24e076fb9..9af7f0515b67 100644 --- a/metric-publishers/pom.xml +++ b/metric-publishers/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.18 + 2.27.19-SNAPSHOT metric-publishers diff --git a/pom.xml b/pom.xml index 11e53b49bce5..61941cc1dc0b 100644 --- a/pom.xml +++ b/pom.xml @@ -20,7 +20,7 @@ 4.0.0 software.amazon.awssdk aws-sdk-java-pom - 2.27.18 + 2.27.19-SNAPSHOT pom AWS Java SDK :: Parent The Amazon Web Services SDK for Java provides Java APIs @@ -99,7 +99,7 @@ ${project.version} - 2.27.17 + 2.27.18 2.15.2 2.15.2 2.13.2 diff --git a/release-scripts/pom.xml b/release-scripts/pom.xml index 5965dee20baa..ff909ef28a96 100644 --- a/release-scripts/pom.xml +++ b/release-scripts/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.18 + 2.27.19-SNAPSHOT ../pom.xml release-scripts diff --git a/services-custom/dynamodb-enhanced/pom.xml b/services-custom/dynamodb-enhanced/pom.xml index 0c2d19ba89f0..9ee6ed31c246 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.27.18 + 2.27.19-SNAPSHOT dynamodb-enhanced AWS Java SDK :: DynamoDB :: Enhanced Client diff --git a/services-custom/iam-policy-builder/pom.xml b/services-custom/iam-policy-builder/pom.xml index 9fba5d1d5f65..a9d95a27e4ee 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.27.18 + 2.27.19-SNAPSHOT ../../pom.xml iam-policy-builder diff --git a/services-custom/pom.xml b/services-custom/pom.xml index 001c0c91052d..cf9b0e3b6d9a 100644 --- a/services-custom/pom.xml +++ b/services-custom/pom.xml @@ -19,7 +19,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.18 + 2.27.19-SNAPSHOT services-custom AWS Java SDK :: Custom Services diff --git a/services-custom/s3-event-notifications/pom.xml b/services-custom/s3-event-notifications/pom.xml index 4c1f3f5f14ae..5f2368965268 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.27.18 + 2.27.19-SNAPSHOT ../../pom.xml s3-event-notifications diff --git a/services-custom/s3-transfer-manager/pom.xml b/services-custom/s3-transfer-manager/pom.xml index e5896fcf64dd..8a521696455e 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.27.18 + 2.27.19-SNAPSHOT ../../pom.xml s3-transfer-manager diff --git a/services/accessanalyzer/pom.xml b/services/accessanalyzer/pom.xml index 7934d6d5ed2b..067fba65ed89 100644 --- a/services/accessanalyzer/pom.xml +++ b/services/accessanalyzer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT accessanalyzer AWS Java SDK :: Services :: AccessAnalyzer diff --git a/services/account/pom.xml b/services/account/pom.xml index f47ab5352766..55924ccfec7d 100644 --- a/services/account/pom.xml +++ b/services/account/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT account AWS Java SDK :: Services :: Account diff --git a/services/acm/pom.xml b/services/acm/pom.xml index 4ad0197c4245..6eeb335b098f 100644 --- a/services/acm/pom.xml +++ b/services/acm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT acm AWS Java SDK :: Services :: AWS Certificate Manager diff --git a/services/acmpca/pom.xml b/services/acmpca/pom.xml index f3b1039efc56..190d18389adf 100644 --- a/services/acmpca/pom.xml +++ b/services/acmpca/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT acmpca AWS Java SDK :: Services :: ACM PCA diff --git a/services/amp/pom.xml b/services/amp/pom.xml index e44ce7f43b38..2f5024a8f6cd 100644 --- a/services/amp/pom.xml +++ b/services/amp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT amp AWS Java SDK :: Services :: Amp diff --git a/services/amplify/pom.xml b/services/amplify/pom.xml index a6f822995d8c..5101b8e8880e 100644 --- a/services/amplify/pom.xml +++ b/services/amplify/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT amplify AWS Java SDK :: Services :: Amplify diff --git a/services/amplifybackend/pom.xml b/services/amplifybackend/pom.xml index 509023a2d251..1146a092dd88 100644 --- a/services/amplifybackend/pom.xml +++ b/services/amplifybackend/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT amplifybackend AWS Java SDK :: Services :: Amplify Backend diff --git a/services/amplifyuibuilder/pom.xml b/services/amplifyuibuilder/pom.xml index 43bed02dfd65..5a1b404a2d18 100644 --- a/services/amplifyuibuilder/pom.xml +++ b/services/amplifyuibuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT amplifyuibuilder AWS Java SDK :: Services :: Amplify UI Builder diff --git a/services/apigateway/pom.xml b/services/apigateway/pom.xml index 37d17a19e3cb..8a4687df5dda 100644 --- a/services/apigateway/pom.xml +++ b/services/apigateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT apigateway AWS Java SDK :: Services :: Amazon API Gateway diff --git a/services/apigatewaymanagementapi/pom.xml b/services/apigatewaymanagementapi/pom.xml index 535b50d000ef..ae9698c51d76 100644 --- a/services/apigatewaymanagementapi/pom.xml +++ b/services/apigatewaymanagementapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT apigatewaymanagementapi AWS Java SDK :: Services :: ApiGatewayManagementApi diff --git a/services/apigatewayv2/pom.xml b/services/apigatewayv2/pom.xml index c455b434610e..8f783881d70b 100644 --- a/services/apigatewayv2/pom.xml +++ b/services/apigatewayv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT apigatewayv2 AWS Java SDK :: Services :: ApiGatewayV2 diff --git a/services/appconfig/pom.xml b/services/appconfig/pom.xml index 5fbc97134102..a0950d41dd1b 100644 --- a/services/appconfig/pom.xml +++ b/services/appconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT appconfig AWS Java SDK :: Services :: AppConfig diff --git a/services/appconfigdata/pom.xml b/services/appconfigdata/pom.xml index 453cf0e85da5..ed026cc0ee27 100644 --- a/services/appconfigdata/pom.xml +++ b/services/appconfigdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT appconfigdata AWS Java SDK :: Services :: App Config Data diff --git a/services/appfabric/pom.xml b/services/appfabric/pom.xml index 8b90adde0324..aa16aeb259e4 100644 --- a/services/appfabric/pom.xml +++ b/services/appfabric/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT appfabric AWS Java SDK :: Services :: App Fabric diff --git a/services/appflow/pom.xml b/services/appflow/pom.xml index 59dcf165cda6..f674ded75ead 100644 --- a/services/appflow/pom.xml +++ b/services/appflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT appflow AWS Java SDK :: Services :: Appflow diff --git a/services/appintegrations/pom.xml b/services/appintegrations/pom.xml index e185a78bb59f..378b9733854b 100644 --- a/services/appintegrations/pom.xml +++ b/services/appintegrations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT appintegrations AWS Java SDK :: Services :: App Integrations diff --git a/services/applicationautoscaling/pom.xml b/services/applicationautoscaling/pom.xml index ec8f80f763a3..f19769f20a1e 100644 --- a/services/applicationautoscaling/pom.xml +++ b/services/applicationautoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT applicationautoscaling AWS Java SDK :: Services :: AWS Application Auto Scaling diff --git a/services/applicationcostprofiler/pom.xml b/services/applicationcostprofiler/pom.xml index ba41225bd647..8e65513cd6c9 100644 --- a/services/applicationcostprofiler/pom.xml +++ b/services/applicationcostprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT applicationcostprofiler AWS Java SDK :: Services :: Application Cost Profiler diff --git a/services/applicationdiscovery/pom.xml b/services/applicationdiscovery/pom.xml index 238cbd163182..0f67cfc7ae3a 100644 --- a/services/applicationdiscovery/pom.xml +++ b/services/applicationdiscovery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT applicationdiscovery AWS Java SDK :: Services :: AWS Application Discovery Service diff --git a/services/applicationinsights/pom.xml b/services/applicationinsights/pom.xml index ee302b48236e..c3bb3de7b7a6 100644 --- a/services/applicationinsights/pom.xml +++ b/services/applicationinsights/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT applicationinsights AWS Java SDK :: Services :: Application Insights diff --git a/services/applicationsignals/pom.xml b/services/applicationsignals/pom.xml index a215afc796a3..06176f8725d4 100644 --- a/services/applicationsignals/pom.xml +++ b/services/applicationsignals/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT applicationsignals AWS Java SDK :: Services :: Application Signals diff --git a/services/appmesh/pom.xml b/services/appmesh/pom.xml index 7550fff095d5..7cd790b1e3ad 100644 --- a/services/appmesh/pom.xml +++ b/services/appmesh/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT appmesh AWS Java SDK :: Services :: App Mesh diff --git a/services/apprunner/pom.xml b/services/apprunner/pom.xml index fcef54e23bbf..4ac72dae133d 100644 --- a/services/apprunner/pom.xml +++ b/services/apprunner/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT apprunner AWS Java SDK :: Services :: App Runner diff --git a/services/appstream/pom.xml b/services/appstream/pom.xml index 48b9cf17153e..b6bec9f8bf3a 100644 --- a/services/appstream/pom.xml +++ b/services/appstream/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT appstream AWS Java SDK :: Services :: Amazon AppStream diff --git a/services/appsync/pom.xml b/services/appsync/pom.xml index 8b709a27e721..ba2cce0be779 100644 --- a/services/appsync/pom.xml +++ b/services/appsync/pom.xml @@ -21,7 +21,7 @@ services software.amazon.awssdk - 2.27.18 + 2.27.19-SNAPSHOT appsync diff --git a/services/apptest/pom.xml b/services/apptest/pom.xml index 9a16bb693928..c1a59d14a3d3 100644 --- a/services/apptest/pom.xml +++ b/services/apptest/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT apptest AWS Java SDK :: Services :: App Test diff --git a/services/arczonalshift/pom.xml b/services/arczonalshift/pom.xml index 357e69c26ab6..a43de80a066f 100644 --- a/services/arczonalshift/pom.xml +++ b/services/arczonalshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT arczonalshift AWS Java SDK :: Services :: ARC Zonal Shift diff --git a/services/artifact/pom.xml b/services/artifact/pom.xml index a884653a3d17..636e644b61d7 100644 --- a/services/artifact/pom.xml +++ b/services/artifact/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT artifact AWS Java SDK :: Services :: Artifact diff --git a/services/athena/pom.xml b/services/athena/pom.xml index 982854f90b4c..652df5919d67 100644 --- a/services/athena/pom.xml +++ b/services/athena/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT athena AWS Java SDK :: Services :: Amazon Athena diff --git a/services/auditmanager/pom.xml b/services/auditmanager/pom.xml index ec291a0c2225..f697c92b6724 100644 --- a/services/auditmanager/pom.xml +++ b/services/auditmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT auditmanager AWS Java SDK :: Services :: Audit Manager diff --git a/services/autoscaling/pom.xml b/services/autoscaling/pom.xml index 36a6a77281e7..14d37d7d95f5 100644 --- a/services/autoscaling/pom.xml +++ b/services/autoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT autoscaling AWS Java SDK :: Services :: Auto Scaling diff --git a/services/autoscalingplans/pom.xml b/services/autoscalingplans/pom.xml index 63c6862462fc..1a3898d89201 100644 --- a/services/autoscalingplans/pom.xml +++ b/services/autoscalingplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT autoscalingplans AWS Java SDK :: Services :: Auto Scaling Plans diff --git a/services/b2bi/pom.xml b/services/b2bi/pom.xml index 8c006e4a7e29..92672b539e07 100644 --- a/services/b2bi/pom.xml +++ b/services/b2bi/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT b2bi AWS Java SDK :: Services :: B2 Bi diff --git a/services/backup/pom.xml b/services/backup/pom.xml index f9e3e434bee9..77a717671abd 100644 --- a/services/backup/pom.xml +++ b/services/backup/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT backup AWS Java SDK :: Services :: Backup diff --git a/services/backupgateway/pom.xml b/services/backupgateway/pom.xml index b6826535fd8a..034b9099277b 100644 --- a/services/backupgateway/pom.xml +++ b/services/backupgateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT backupgateway AWS Java SDK :: Services :: Backup Gateway diff --git a/services/batch/pom.xml b/services/batch/pom.xml index 4308fa6e3fbc..b1f3bcfb495e 100644 --- a/services/batch/pom.xml +++ b/services/batch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT batch AWS Java SDK :: Services :: AWS Batch diff --git a/services/bcmdataexports/pom.xml b/services/bcmdataexports/pom.xml index 67a58781906b..cdc485571299 100644 --- a/services/bcmdataexports/pom.xml +++ b/services/bcmdataexports/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT bcmdataexports AWS Java SDK :: Services :: BCM Data Exports diff --git a/services/bedrock/pom.xml b/services/bedrock/pom.xml index 294c481844bf..6ab508ee9a20 100644 --- a/services/bedrock/pom.xml +++ b/services/bedrock/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT bedrock AWS Java SDK :: Services :: Bedrock diff --git a/services/bedrockagent/pom.xml b/services/bedrockagent/pom.xml index 4d0806676fdd..fd6b1bea28ea 100644 --- a/services/bedrockagent/pom.xml +++ b/services/bedrockagent/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT bedrockagent AWS Java SDK :: Services :: Bedrock Agent diff --git a/services/bedrockagentruntime/pom.xml b/services/bedrockagentruntime/pom.xml index cf7bce432be2..7dc5cf670acb 100644 --- a/services/bedrockagentruntime/pom.xml +++ b/services/bedrockagentruntime/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT bedrockagentruntime AWS Java SDK :: Services :: Bedrock Agent Runtime diff --git a/services/bedrockruntime/pom.xml b/services/bedrockruntime/pom.xml index eb0cb46087b3..dddf8568fa90 100644 --- a/services/bedrockruntime/pom.xml +++ b/services/bedrockruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT bedrockruntime AWS Java SDK :: Services :: Bedrock Runtime diff --git a/services/billingconductor/pom.xml b/services/billingconductor/pom.xml index 1260d610f4ff..190f0e731b4c 100644 --- a/services/billingconductor/pom.xml +++ b/services/billingconductor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT billingconductor AWS Java SDK :: Services :: Billingconductor diff --git a/services/braket/pom.xml b/services/braket/pom.xml index adb230284199..df9ca2046b3f 100644 --- a/services/braket/pom.xml +++ b/services/braket/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT braket AWS Java SDK :: Services :: Braket diff --git a/services/budgets/pom.xml b/services/budgets/pom.xml index 9441efb657ad..53bcde8b21f1 100644 --- a/services/budgets/pom.xml +++ b/services/budgets/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT budgets AWS Java SDK :: Services :: AWS Budgets diff --git a/services/chatbot/pom.xml b/services/chatbot/pom.xml index cd4e0099b4ad..d506c8186cf5 100644 --- a/services/chatbot/pom.xml +++ b/services/chatbot/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT chatbot AWS Java SDK :: Services :: Chatbot diff --git a/services/chime/pom.xml b/services/chime/pom.xml index 258d99bfc8e8..4bba7c64595c 100644 --- a/services/chime/pom.xml +++ b/services/chime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT chime AWS Java SDK :: Services :: Chime diff --git a/services/chimesdkidentity/pom.xml b/services/chimesdkidentity/pom.xml index db134da5a081..ecd30f07bb3c 100644 --- a/services/chimesdkidentity/pom.xml +++ b/services/chimesdkidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT chimesdkidentity AWS Java SDK :: Services :: Chime SDK Identity diff --git a/services/chimesdkmediapipelines/pom.xml b/services/chimesdkmediapipelines/pom.xml index a9e153e22fac..d4f02772d876 100644 --- a/services/chimesdkmediapipelines/pom.xml +++ b/services/chimesdkmediapipelines/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT chimesdkmediapipelines AWS Java SDK :: Services :: Chime SDK Media Pipelines diff --git a/services/chimesdkmeetings/pom.xml b/services/chimesdkmeetings/pom.xml index 085fda1bc402..a006342c7e78 100644 --- a/services/chimesdkmeetings/pom.xml +++ b/services/chimesdkmeetings/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT chimesdkmeetings AWS Java SDK :: Services :: Chime SDK Meetings diff --git a/services/chimesdkmessaging/pom.xml b/services/chimesdkmessaging/pom.xml index 40fc79c22fe5..4a664a01513f 100644 --- a/services/chimesdkmessaging/pom.xml +++ b/services/chimesdkmessaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT chimesdkmessaging AWS Java SDK :: Services :: Chime SDK Messaging diff --git a/services/chimesdkvoice/pom.xml b/services/chimesdkvoice/pom.xml index d28c4a0310db..c2c43519eb09 100644 --- a/services/chimesdkvoice/pom.xml +++ b/services/chimesdkvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT chimesdkvoice AWS Java SDK :: Services :: Chime SDK Voice diff --git a/services/cleanrooms/pom.xml b/services/cleanrooms/pom.xml index 7d1cb2fa74c3..f21dba42d5a1 100644 --- a/services/cleanrooms/pom.xml +++ b/services/cleanrooms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT cleanrooms AWS Java SDK :: Services :: Clean Rooms diff --git a/services/cleanroomsml/pom.xml b/services/cleanroomsml/pom.xml index 09cf2f328c90..8b1caf04d0c2 100644 --- a/services/cleanroomsml/pom.xml +++ b/services/cleanroomsml/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT cleanroomsml AWS Java SDK :: Services :: Clean Rooms ML diff --git a/services/cloud9/pom.xml b/services/cloud9/pom.xml index 4ab1b2722ca2..6206f7e0e13f 100644 --- a/services/cloud9/pom.xml +++ b/services/cloud9/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18 + 2.27.19-SNAPSHOT 4.0.0 cloud9 diff --git a/services/cloudcontrol/pom.xml b/services/cloudcontrol/pom.xml index 50dd324d2908..814ec0f0291d 100644 --- a/services/cloudcontrol/pom.xml +++ b/services/cloudcontrol/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT cloudcontrol AWS Java SDK :: Services :: Cloud Control diff --git a/services/clouddirectory/pom.xml b/services/clouddirectory/pom.xml index 4a8afd0b8299..fc55d89e712d 100644 --- a/services/clouddirectory/pom.xml +++ b/services/clouddirectory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT clouddirectory AWS Java SDK :: Services :: Amazon CloudDirectory diff --git a/services/cloudformation/pom.xml b/services/cloudformation/pom.xml index 7e1d25034de8..80e301f31da9 100644 --- a/services/cloudformation/pom.xml +++ b/services/cloudformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT cloudformation AWS Java SDK :: Services :: AWS CloudFormation diff --git a/services/cloudfront/pom.xml b/services/cloudfront/pom.xml index d6eb310f3f59..74157b1720e1 100644 --- a/services/cloudfront/pom.xml +++ b/services/cloudfront/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT cloudfront AWS Java SDK :: Services :: Amazon CloudFront diff --git a/services/cloudfrontkeyvaluestore/pom.xml b/services/cloudfrontkeyvaluestore/pom.xml index bd410b8ce461..2fe0ca2a6f2c 100644 --- a/services/cloudfrontkeyvaluestore/pom.xml +++ b/services/cloudfrontkeyvaluestore/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT cloudfrontkeyvaluestore AWS Java SDK :: Services :: Cloud Front Key Value Store diff --git a/services/cloudhsm/pom.xml b/services/cloudhsm/pom.xml index 71dead261d30..568262eec4cb 100644 --- a/services/cloudhsm/pom.xml +++ b/services/cloudhsm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT cloudhsm AWS Java SDK :: Services :: AWS CloudHSM diff --git a/services/cloudhsmv2/pom.xml b/services/cloudhsmv2/pom.xml index 5f5a6dbeced9..e942984996c8 100644 --- a/services/cloudhsmv2/pom.xml +++ b/services/cloudhsmv2/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18 + 2.27.19-SNAPSHOT 4.0.0 cloudhsmv2 diff --git a/services/cloudsearch/pom.xml b/services/cloudsearch/pom.xml index aebca73adeef..9b3f114e4788 100644 --- a/services/cloudsearch/pom.xml +++ b/services/cloudsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT cloudsearch AWS Java SDK :: Services :: Amazon CloudSearch diff --git a/services/cloudsearchdomain/pom.xml b/services/cloudsearchdomain/pom.xml index 9fb62ed0d97a..3f679d702845 100644 --- a/services/cloudsearchdomain/pom.xml +++ b/services/cloudsearchdomain/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT cloudsearchdomain AWS Java SDK :: Services :: Amazon CloudSearch Domain diff --git a/services/cloudtrail/pom.xml b/services/cloudtrail/pom.xml index a94e6be89388..a415d6fb755a 100644 --- a/services/cloudtrail/pom.xml +++ b/services/cloudtrail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT cloudtrail AWS Java SDK :: Services :: AWS CloudTrail diff --git a/services/cloudtraildata/pom.xml b/services/cloudtraildata/pom.xml index 7d844dc85415..c00b99c9ab33 100644 --- a/services/cloudtraildata/pom.xml +++ b/services/cloudtraildata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT cloudtraildata AWS Java SDK :: Services :: Cloud Trail Data diff --git a/services/cloudwatch/pom.xml b/services/cloudwatch/pom.xml index 96832351fb38..02a859056c89 100644 --- a/services/cloudwatch/pom.xml +++ b/services/cloudwatch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT cloudwatch AWS Java SDK :: Services :: Amazon CloudWatch diff --git a/services/cloudwatchevents/pom.xml b/services/cloudwatchevents/pom.xml index b7573cc91fc0..4de647c03e29 100644 --- a/services/cloudwatchevents/pom.xml +++ b/services/cloudwatchevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT cloudwatchevents AWS Java SDK :: Services :: Amazon CloudWatch Events diff --git a/services/cloudwatchlogs/pom.xml b/services/cloudwatchlogs/pom.xml index 153e7dc6fe07..900189ec8fb7 100644 --- a/services/cloudwatchlogs/pom.xml +++ b/services/cloudwatchlogs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT cloudwatchlogs AWS Java SDK :: Services :: Amazon CloudWatch Logs diff --git a/services/codeartifact/pom.xml b/services/codeartifact/pom.xml index 4c904151de48..2cb17f563a78 100644 --- a/services/codeartifact/pom.xml +++ b/services/codeartifact/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT codeartifact AWS Java SDK :: Services :: Codeartifact diff --git a/services/codebuild/pom.xml b/services/codebuild/pom.xml index 264252b94c1a..55797f5f52c9 100644 --- a/services/codebuild/pom.xml +++ b/services/codebuild/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT codebuild AWS Java SDK :: Services :: AWS Code Build diff --git a/services/codecatalyst/pom.xml b/services/codecatalyst/pom.xml index a0b1be7f08d5..22e014cc581b 100644 --- a/services/codecatalyst/pom.xml +++ b/services/codecatalyst/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT codecatalyst AWS Java SDK :: Services :: Code Catalyst diff --git a/services/codecommit/pom.xml b/services/codecommit/pom.xml index 533c5c30dd5f..0a82799de3b5 100644 --- a/services/codecommit/pom.xml +++ b/services/codecommit/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT codecommit AWS Java SDK :: Services :: AWS CodeCommit diff --git a/services/codeconnections/pom.xml b/services/codeconnections/pom.xml index 43a58439b9c1..acd461e0cb2e 100644 --- a/services/codeconnections/pom.xml +++ b/services/codeconnections/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT codeconnections AWS Java SDK :: Services :: Code Connections diff --git a/services/codedeploy/pom.xml b/services/codedeploy/pom.xml index 990ee9acfc2d..0b465908c9ae 100644 --- a/services/codedeploy/pom.xml +++ b/services/codedeploy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT codedeploy AWS Java SDK :: Services :: AWS CodeDeploy diff --git a/services/codeguruprofiler/pom.xml b/services/codeguruprofiler/pom.xml index 917c29e2a0ba..a28f6a6a5847 100644 --- a/services/codeguruprofiler/pom.xml +++ b/services/codeguruprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT codeguruprofiler AWS Java SDK :: Services :: CodeGuruProfiler diff --git a/services/codegurureviewer/pom.xml b/services/codegurureviewer/pom.xml index 08946802f42b..857ca9f44743 100644 --- a/services/codegurureviewer/pom.xml +++ b/services/codegurureviewer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT codegurureviewer AWS Java SDK :: Services :: CodeGuru Reviewer diff --git a/services/codegurusecurity/pom.xml b/services/codegurusecurity/pom.xml index 408c5595b41c..a1ada63ec61b 100644 --- a/services/codegurusecurity/pom.xml +++ b/services/codegurusecurity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT codegurusecurity AWS Java SDK :: Services :: Code Guru Security diff --git a/services/codepipeline/pom.xml b/services/codepipeline/pom.xml index 9ff08d50b69a..8fe8e49888d2 100644 --- a/services/codepipeline/pom.xml +++ b/services/codepipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT codepipeline AWS Java SDK :: Services :: AWS CodePipeline diff --git a/services/codestarconnections/pom.xml b/services/codestarconnections/pom.xml index 088cc5720a59..da49228eefae 100644 --- a/services/codestarconnections/pom.xml +++ b/services/codestarconnections/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT codestarconnections AWS Java SDK :: Services :: CodeStar connections diff --git a/services/codestarnotifications/pom.xml b/services/codestarnotifications/pom.xml index c005a695eba9..3d4012a3554f 100644 --- a/services/codestarnotifications/pom.xml +++ b/services/codestarnotifications/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT codestarnotifications AWS Java SDK :: Services :: Codestar Notifications diff --git a/services/cognitoidentity/pom.xml b/services/cognitoidentity/pom.xml index d9e2b687d330..11117dc45c7a 100644 --- a/services/cognitoidentity/pom.xml +++ b/services/cognitoidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT cognitoidentity AWS Java SDK :: Services :: Amazon Cognito Identity diff --git a/services/cognitoidentityprovider/pom.xml b/services/cognitoidentityprovider/pom.xml index d09ebae4b8ce..78f9133b79a7 100644 --- a/services/cognitoidentityprovider/pom.xml +++ b/services/cognitoidentityprovider/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT cognitoidentityprovider AWS Java SDK :: Services :: Amazon Cognito Identity Provider Service diff --git a/services/cognitosync/pom.xml b/services/cognitosync/pom.xml index b19cb939fac3..a26019353dd4 100644 --- a/services/cognitosync/pom.xml +++ b/services/cognitosync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT cognitosync AWS Java SDK :: Services :: Amazon Cognito Sync diff --git a/services/comprehend/pom.xml b/services/comprehend/pom.xml index ee78fda9f2c0..4d7b7c2823d5 100644 --- a/services/comprehend/pom.xml +++ b/services/comprehend/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18 + 2.27.19-SNAPSHOT 4.0.0 comprehend diff --git a/services/comprehendmedical/pom.xml b/services/comprehendmedical/pom.xml index fca5a9dab2cf..f6073cced875 100644 --- a/services/comprehendmedical/pom.xml +++ b/services/comprehendmedical/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT comprehendmedical AWS Java SDK :: Services :: ComprehendMedical diff --git a/services/computeoptimizer/pom.xml b/services/computeoptimizer/pom.xml index bd938f2de678..0b3cd12dcf10 100644 --- a/services/computeoptimizer/pom.xml +++ b/services/computeoptimizer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT computeoptimizer AWS Java SDK :: Services :: Compute Optimizer diff --git a/services/config/pom.xml b/services/config/pom.xml index 2a23f15debb8..a9f49f3acf51 100644 --- a/services/config/pom.xml +++ b/services/config/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT config AWS Java SDK :: Services :: AWS Config diff --git a/services/connect/pom.xml b/services/connect/pom.xml index d9dd63c067dd..9407c3dd23dd 100644 --- a/services/connect/pom.xml +++ b/services/connect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT connect AWS Java SDK :: Services :: Connect diff --git a/services/connectcampaigns/pom.xml b/services/connectcampaigns/pom.xml index 1793528c0686..7a94b3d22c7f 100644 --- a/services/connectcampaigns/pom.xml +++ b/services/connectcampaigns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT connectcampaigns AWS Java SDK :: Services :: Connect Campaigns diff --git a/services/connectcases/pom.xml b/services/connectcases/pom.xml index 6c9a72cf827e..8f8d43169369 100644 --- a/services/connectcases/pom.xml +++ b/services/connectcases/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT connectcases AWS Java SDK :: Services :: Connect Cases diff --git a/services/connectcontactlens/pom.xml b/services/connectcontactlens/pom.xml index 37e841a55a90..443d36e2457d 100644 --- a/services/connectcontactlens/pom.xml +++ b/services/connectcontactlens/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT connectcontactlens AWS Java SDK :: Services :: Connect Contact Lens diff --git a/services/connectparticipant/pom.xml b/services/connectparticipant/pom.xml index dae44e1b4848..7c0e5b830879 100644 --- a/services/connectparticipant/pom.xml +++ b/services/connectparticipant/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT connectparticipant AWS Java SDK :: Services :: ConnectParticipant diff --git a/services/controlcatalog/pom.xml b/services/controlcatalog/pom.xml index 1ded954f3881..6cc4eef8ef38 100644 --- a/services/controlcatalog/pom.xml +++ b/services/controlcatalog/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT controlcatalog AWS Java SDK :: Services :: Control Catalog diff --git a/services/controltower/pom.xml b/services/controltower/pom.xml index 3bc5e2d452d1..37dcd004ae86 100644 --- a/services/controltower/pom.xml +++ b/services/controltower/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT controltower AWS Java SDK :: Services :: Control Tower diff --git a/services/costandusagereport/pom.xml b/services/costandusagereport/pom.xml index e2b2e3734b97..403c798df13f 100644 --- a/services/costandusagereport/pom.xml +++ b/services/costandusagereport/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT costandusagereport AWS Java SDK :: Services :: AWS Cost and Usage Report diff --git a/services/costexplorer/pom.xml b/services/costexplorer/pom.xml index 38e34c00e8a6..6e47f66b8a13 100644 --- a/services/costexplorer/pom.xml +++ b/services/costexplorer/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18 + 2.27.19-SNAPSHOT 4.0.0 costexplorer diff --git a/services/costoptimizationhub/pom.xml b/services/costoptimizationhub/pom.xml index db3f17c2ee47..0146106d6c1b 100644 --- a/services/costoptimizationhub/pom.xml +++ b/services/costoptimizationhub/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT costoptimizationhub AWS Java SDK :: Services :: Cost Optimization Hub diff --git a/services/customerprofiles/pom.xml b/services/customerprofiles/pom.xml index 07da96d5c95e..d1e8426b58d9 100644 --- a/services/customerprofiles/pom.xml +++ b/services/customerprofiles/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT customerprofiles AWS Java SDK :: Services :: Customer Profiles diff --git a/services/databasemigration/pom.xml b/services/databasemigration/pom.xml index f0ea67618c1b..c0a68a8cf47d 100644 --- a/services/databasemigration/pom.xml +++ b/services/databasemigration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT databasemigration AWS Java SDK :: Services :: AWS Database Migration Service diff --git a/services/databrew/pom.xml b/services/databrew/pom.xml index 16aa2ff2774e..75c797cbb059 100644 --- a/services/databrew/pom.xml +++ b/services/databrew/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT databrew AWS Java SDK :: Services :: Data Brew diff --git a/services/dataexchange/pom.xml b/services/dataexchange/pom.xml index 20b071a86587..55690615680b 100644 --- a/services/dataexchange/pom.xml +++ b/services/dataexchange/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT dataexchange AWS Java SDK :: Services :: DataExchange diff --git a/services/datapipeline/pom.xml b/services/datapipeline/pom.xml index bab91aaec800..ac5fc71478d9 100644 --- a/services/datapipeline/pom.xml +++ b/services/datapipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT datapipeline AWS Java SDK :: Services :: AWS Data Pipeline diff --git a/services/datasync/pom.xml b/services/datasync/pom.xml index d8fec5580576..73dfe2fbff73 100644 --- a/services/datasync/pom.xml +++ b/services/datasync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT datasync AWS Java SDK :: Services :: DataSync diff --git a/services/datazone/pom.xml b/services/datazone/pom.xml index b53314cbe49f..db84be97a698 100644 --- a/services/datazone/pom.xml +++ b/services/datazone/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT datazone AWS Java SDK :: Services :: Data Zone diff --git a/services/dax/pom.xml b/services/dax/pom.xml index ebc4145e63f0..9a54eed16a11 100644 --- a/services/dax/pom.xml +++ b/services/dax/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT dax AWS Java SDK :: Services :: Amazon DynamoDB Accelerator (DAX) diff --git a/services/deadline/pom.xml b/services/deadline/pom.xml index 526683c0e74c..7b7c93ff1994 100644 --- a/services/deadline/pom.xml +++ b/services/deadline/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT deadline AWS Java SDK :: Services :: Deadline diff --git a/services/detective/pom.xml b/services/detective/pom.xml index bf034f1f66a0..e0adb0bee62a 100644 --- a/services/detective/pom.xml +++ b/services/detective/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT detective AWS Java SDK :: Services :: Detective diff --git a/services/devicefarm/pom.xml b/services/devicefarm/pom.xml index 3f7e8180b344..2328f5c756ce 100644 --- a/services/devicefarm/pom.xml +++ b/services/devicefarm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT devicefarm AWS Java SDK :: Services :: AWS Device Farm diff --git a/services/devopsguru/pom.xml b/services/devopsguru/pom.xml index 12b12f2bc701..11d954141675 100644 --- a/services/devopsguru/pom.xml +++ b/services/devopsguru/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT devopsguru AWS Java SDK :: Services :: Dev Ops Guru diff --git a/services/directconnect/pom.xml b/services/directconnect/pom.xml index a142eb55f17c..b33108f98e00 100644 --- a/services/directconnect/pom.xml +++ b/services/directconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT directconnect AWS Java SDK :: Services :: AWS Direct Connect diff --git a/services/directory/pom.xml b/services/directory/pom.xml index 2f5bcdb11da4..3b1ada49715a 100644 --- a/services/directory/pom.xml +++ b/services/directory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT directory AWS Java SDK :: Services :: AWS Directory Service diff --git a/services/dlm/pom.xml b/services/dlm/pom.xml index 03da078acc15..bb946b2cda2e 100644 --- a/services/dlm/pom.xml +++ b/services/dlm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT dlm AWS Java SDK :: Services :: DLM diff --git a/services/docdb/pom.xml b/services/docdb/pom.xml index 512d515bf57e..211a078c85f3 100644 --- a/services/docdb/pom.xml +++ b/services/docdb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT docdb AWS Java SDK :: Services :: DocDB diff --git a/services/docdbelastic/pom.xml b/services/docdbelastic/pom.xml index b0b2522c0751..e8f2fdd49310 100644 --- a/services/docdbelastic/pom.xml +++ b/services/docdbelastic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT docdbelastic AWS Java SDK :: Services :: Doc DB Elastic diff --git a/services/drs/pom.xml b/services/drs/pom.xml index 075776d5b3dd..8fd1ef00a3df 100644 --- a/services/drs/pom.xml +++ b/services/drs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT drs AWS Java SDK :: Services :: Drs diff --git a/services/dynamodb/pom.xml b/services/dynamodb/pom.xml index 40840c09023f..ae94156f0cd5 100644 --- a/services/dynamodb/pom.xml +++ b/services/dynamodb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT dynamodb AWS Java SDK :: Services :: Amazon DynamoDB diff --git a/services/ebs/pom.xml b/services/ebs/pom.xml index 777a3caa3e3f..f3a16bbdd468 100644 --- a/services/ebs/pom.xml +++ b/services/ebs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT ebs AWS Java SDK :: Services :: EBS diff --git a/services/ec2/pom.xml b/services/ec2/pom.xml index 6d60a168ef58..4b3c4b72cd5f 100644 --- a/services/ec2/pom.xml +++ b/services/ec2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT ec2 AWS Java SDK :: Services :: Amazon EC2 diff --git a/services/ec2instanceconnect/pom.xml b/services/ec2instanceconnect/pom.xml index b409219895e4..90042ccde228 100644 --- a/services/ec2instanceconnect/pom.xml +++ b/services/ec2instanceconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT ec2instanceconnect AWS Java SDK :: Services :: EC2 Instance Connect diff --git a/services/ecr/pom.xml b/services/ecr/pom.xml index a1fb2cb416e5..3ab34bf99c00 100644 --- a/services/ecr/pom.xml +++ b/services/ecr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT ecr AWS Java SDK :: Services :: Amazon EC2 Container Registry diff --git a/services/ecrpublic/pom.xml b/services/ecrpublic/pom.xml index 10a2333d8673..ac0f490587dd 100644 --- a/services/ecrpublic/pom.xml +++ b/services/ecrpublic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT ecrpublic AWS Java SDK :: Services :: ECR PUBLIC diff --git a/services/ecs/pom.xml b/services/ecs/pom.xml index e27646e8ec4f..3523fb78b11b 100644 --- a/services/ecs/pom.xml +++ b/services/ecs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT ecs AWS Java SDK :: Services :: Amazon EC2 Container Service diff --git a/services/efs/pom.xml b/services/efs/pom.xml index 45c3a868750d..080383c20119 100644 --- a/services/efs/pom.xml +++ b/services/efs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT efs AWS Java SDK :: Services :: Amazon Elastic File System diff --git a/services/eks/pom.xml b/services/eks/pom.xml index 8a4f25e3f38e..537bc4ef5bb0 100644 --- a/services/eks/pom.xml +++ b/services/eks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT eks AWS Java SDK :: Services :: EKS diff --git a/services/eksauth/pom.xml b/services/eksauth/pom.xml index 131c316df575..71f746d8a8bb 100644 --- a/services/eksauth/pom.xml +++ b/services/eksauth/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT eksauth AWS Java SDK :: Services :: EKS Auth diff --git a/services/elasticache/pom.xml b/services/elasticache/pom.xml index da6dd6856eb1..ec62c2564853 100644 --- a/services/elasticache/pom.xml +++ b/services/elasticache/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT elasticache AWS Java SDK :: Services :: Amazon ElastiCache diff --git a/services/elasticbeanstalk/pom.xml b/services/elasticbeanstalk/pom.xml index ae443fa8312d..02de6d134901 100644 --- a/services/elasticbeanstalk/pom.xml +++ b/services/elasticbeanstalk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT elasticbeanstalk AWS Java SDK :: Services :: AWS Elastic Beanstalk diff --git a/services/elasticinference/pom.xml b/services/elasticinference/pom.xml index 7c5eb734b778..9ac442c1acba 100644 --- a/services/elasticinference/pom.xml +++ b/services/elasticinference/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT elasticinference AWS Java SDK :: Services :: Elastic Inference diff --git a/services/elasticloadbalancing/pom.xml b/services/elasticloadbalancing/pom.xml index 8aa52a23423e..7e5e039f0763 100644 --- a/services/elasticloadbalancing/pom.xml +++ b/services/elasticloadbalancing/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT elasticloadbalancing AWS Java SDK :: Services :: Elastic Load Balancing diff --git a/services/elasticloadbalancingv2/pom.xml b/services/elasticloadbalancingv2/pom.xml index 02aaa3c63364..2a5c8d3ee42e 100644 --- a/services/elasticloadbalancingv2/pom.xml +++ b/services/elasticloadbalancingv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT elasticloadbalancingv2 AWS Java SDK :: Services :: Elastic Load Balancing V2 diff --git a/services/elasticsearch/pom.xml b/services/elasticsearch/pom.xml index e11ca69bede8..03e6c2bc04a4 100644 --- a/services/elasticsearch/pom.xml +++ b/services/elasticsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT elasticsearch AWS Java SDK :: Services :: Amazon Elasticsearch Service diff --git a/services/elastictranscoder/pom.xml b/services/elastictranscoder/pom.xml index 291d087c1be7..d47ab3fc60fe 100644 --- a/services/elastictranscoder/pom.xml +++ b/services/elastictranscoder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT elastictranscoder AWS Java SDK :: Services :: Amazon Elastic Transcoder diff --git a/services/emr/pom.xml b/services/emr/pom.xml index f8b6b9b2216e..dea25bad8ac4 100644 --- a/services/emr/pom.xml +++ b/services/emr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT emr AWS Java SDK :: Services :: Amazon EMR diff --git a/services/emrcontainers/pom.xml b/services/emrcontainers/pom.xml index 58fc5af2fe21..acd8d47b4598 100644 --- a/services/emrcontainers/pom.xml +++ b/services/emrcontainers/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT emrcontainers AWS Java SDK :: Services :: EMR Containers diff --git a/services/emrserverless/pom.xml b/services/emrserverless/pom.xml index 5e1aed32d28f..8645a4267d37 100644 --- a/services/emrserverless/pom.xml +++ b/services/emrserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT emrserverless AWS Java SDK :: Services :: EMR Serverless diff --git a/services/entityresolution/pom.xml b/services/entityresolution/pom.xml index 4e3ab5bf5146..bc1231b1371c 100644 --- a/services/entityresolution/pom.xml +++ b/services/entityresolution/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT entityresolution AWS Java SDK :: Services :: Entity Resolution diff --git a/services/eventbridge/pom.xml b/services/eventbridge/pom.xml index fda447c05034..96f787c935b2 100644 --- a/services/eventbridge/pom.xml +++ b/services/eventbridge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT eventbridge AWS Java SDK :: Services :: EventBridge diff --git a/services/evidently/pom.xml b/services/evidently/pom.xml index 15d1f86be008..3fb25557fb3f 100644 --- a/services/evidently/pom.xml +++ b/services/evidently/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT evidently AWS Java SDK :: Services :: Evidently diff --git a/services/finspace/pom.xml b/services/finspace/pom.xml index 0fdc9c97f741..f74598f0580f 100644 --- a/services/finspace/pom.xml +++ b/services/finspace/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT finspace AWS Java SDK :: Services :: Finspace diff --git a/services/finspacedata/pom.xml b/services/finspacedata/pom.xml index b4bb3aab309e..8f2890cf992d 100644 --- a/services/finspacedata/pom.xml +++ b/services/finspacedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT finspacedata AWS Java SDK :: Services :: Finspace Data diff --git a/services/firehose/pom.xml b/services/firehose/pom.xml index 5893dd26c6bc..e236aca51608 100644 --- a/services/firehose/pom.xml +++ b/services/firehose/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT firehose AWS Java SDK :: Services :: Amazon Kinesis Firehose diff --git a/services/fis/pom.xml b/services/fis/pom.xml index 9b341595cd1a..26b39bdc59a6 100644 --- a/services/fis/pom.xml +++ b/services/fis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT fis AWS Java SDK :: Services :: Fis diff --git a/services/fms/pom.xml b/services/fms/pom.xml index 04c19b519c1a..15841a26b216 100644 --- a/services/fms/pom.xml +++ b/services/fms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT fms AWS Java SDK :: Services :: FMS diff --git a/services/forecast/pom.xml b/services/forecast/pom.xml index 0db86974c024..477757799f05 100644 --- a/services/forecast/pom.xml +++ b/services/forecast/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT forecast AWS Java SDK :: Services :: Forecast diff --git a/services/forecastquery/pom.xml b/services/forecastquery/pom.xml index 62fe7bda064b..7f2023ec377d 100644 --- a/services/forecastquery/pom.xml +++ b/services/forecastquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT forecastquery AWS Java SDK :: Services :: Forecastquery diff --git a/services/frauddetector/pom.xml b/services/frauddetector/pom.xml index d47089a67464..5b45120f1ec7 100644 --- a/services/frauddetector/pom.xml +++ b/services/frauddetector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT frauddetector AWS Java SDK :: Services :: FraudDetector diff --git a/services/freetier/pom.xml b/services/freetier/pom.xml index ee3134024c60..5a54e137eaeb 100644 --- a/services/freetier/pom.xml +++ b/services/freetier/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT freetier AWS Java SDK :: Services :: Free Tier diff --git a/services/fsx/pom.xml b/services/fsx/pom.xml index 56a6daa37107..56b86934ce2a 100644 --- a/services/fsx/pom.xml +++ b/services/fsx/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT fsx AWS Java SDK :: Services :: FSx diff --git a/services/gamelift/pom.xml b/services/gamelift/pom.xml index 0e45e944d7ee..66c594ed691f 100644 --- a/services/gamelift/pom.xml +++ b/services/gamelift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT gamelift AWS Java SDK :: Services :: AWS GameLift diff --git a/services/glacier/pom.xml b/services/glacier/pom.xml index a4698b8c60b1..5c27aa5c36aa 100644 --- a/services/glacier/pom.xml +++ b/services/glacier/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT glacier AWS Java SDK :: Services :: Amazon Glacier diff --git a/services/globalaccelerator/pom.xml b/services/globalaccelerator/pom.xml index dbaf5ba429c4..84706049c9e7 100644 --- a/services/globalaccelerator/pom.xml +++ b/services/globalaccelerator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT globalaccelerator AWS Java SDK :: Services :: Global Accelerator diff --git a/services/glue/pom.xml b/services/glue/pom.xml index c934d4be728c..9edaea4f02b9 100644 --- a/services/glue/pom.xml +++ b/services/glue/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18 + 2.27.19-SNAPSHOT 4.0.0 glue diff --git a/services/grafana/pom.xml b/services/grafana/pom.xml index c800b27b8b0c..6bcb40ae5136 100644 --- a/services/grafana/pom.xml +++ b/services/grafana/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT grafana AWS Java SDK :: Services :: Grafana diff --git a/services/greengrass/pom.xml b/services/greengrass/pom.xml index 403b1c353ec6..62bca4b4765b 100644 --- a/services/greengrass/pom.xml +++ b/services/greengrass/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT greengrass AWS Java SDK :: Services :: AWS Greengrass diff --git a/services/greengrassv2/pom.xml b/services/greengrassv2/pom.xml index 5eeb7d584500..9e18d1e7e0be 100644 --- a/services/greengrassv2/pom.xml +++ b/services/greengrassv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT greengrassv2 AWS Java SDK :: Services :: Greengrass V2 diff --git a/services/groundstation/pom.xml b/services/groundstation/pom.xml index c8bf1d764f6c..e988e58a4f8b 100644 --- a/services/groundstation/pom.xml +++ b/services/groundstation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT groundstation AWS Java SDK :: Services :: GroundStation diff --git a/services/guardduty/pom.xml b/services/guardduty/pom.xml index 33407f0758a3..6d03dd2b9bd6 100644 --- a/services/guardduty/pom.xml +++ b/services/guardduty/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18 + 2.27.19-SNAPSHOT 4.0.0 guardduty diff --git a/services/health/pom.xml b/services/health/pom.xml index 78a465121d2f..2f4a8c40ffc7 100644 --- a/services/health/pom.xml +++ b/services/health/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT health AWS Java SDK :: Services :: AWS Health APIs and Notifications diff --git a/services/healthlake/pom.xml b/services/healthlake/pom.xml index 59a74c60a11a..b76281e92c75 100644 --- a/services/healthlake/pom.xml +++ b/services/healthlake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT healthlake AWS Java SDK :: Services :: Health Lake diff --git a/services/iam/pom.xml b/services/iam/pom.xml index ddca2e94de35..6018fd19fe8e 100644 --- a/services/iam/pom.xml +++ b/services/iam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT iam AWS Java SDK :: Services :: AWS IAM diff --git a/services/identitystore/pom.xml b/services/identitystore/pom.xml index fa044c33df44..2e3bdf9db854 100644 --- a/services/identitystore/pom.xml +++ b/services/identitystore/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT identitystore AWS Java SDK :: Services :: Identitystore diff --git a/services/imagebuilder/pom.xml b/services/imagebuilder/pom.xml index fb72d457aca6..3aa8a07da17c 100644 --- a/services/imagebuilder/pom.xml +++ b/services/imagebuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT imagebuilder AWS Java SDK :: Services :: Imagebuilder diff --git a/services/inspector/pom.xml b/services/inspector/pom.xml index c47ba16301f4..fb1d7ffdc58e 100644 --- a/services/inspector/pom.xml +++ b/services/inspector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT inspector AWS Java SDK :: Services :: Amazon Inspector Service diff --git a/services/inspector2/pom.xml b/services/inspector2/pom.xml index d67b285f7307..1dce629f57de 100644 --- a/services/inspector2/pom.xml +++ b/services/inspector2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT inspector2 AWS Java SDK :: Services :: Inspector2 diff --git a/services/inspectorscan/pom.xml b/services/inspectorscan/pom.xml index 0de16d19b3d0..96258ba88ada 100644 --- a/services/inspectorscan/pom.xml +++ b/services/inspectorscan/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT inspectorscan AWS Java SDK :: Services :: Inspector Scan diff --git a/services/internetmonitor/pom.xml b/services/internetmonitor/pom.xml index e17af5cf174a..ab21de5dae50 100644 --- a/services/internetmonitor/pom.xml +++ b/services/internetmonitor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT internetmonitor AWS Java SDK :: Services :: Internet Monitor diff --git a/services/iot/pom.xml b/services/iot/pom.xml index 35492e3bef1e..9d48b25fa2a2 100644 --- a/services/iot/pom.xml +++ b/services/iot/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT iot AWS Java SDK :: Services :: AWS IoT diff --git a/services/iot1clickdevices/pom.xml b/services/iot1clickdevices/pom.xml index b77f7b63f8db..443a97680ecb 100644 --- a/services/iot1clickdevices/pom.xml +++ b/services/iot1clickdevices/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT iot1clickdevices AWS Java SDK :: Services :: IoT 1Click Devices Service diff --git a/services/iot1clickprojects/pom.xml b/services/iot1clickprojects/pom.xml index cbf43c51f00b..6b93276855af 100644 --- a/services/iot1clickprojects/pom.xml +++ b/services/iot1clickprojects/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT iot1clickprojects AWS Java SDK :: Services :: IoT 1Click Projects diff --git a/services/iotanalytics/pom.xml b/services/iotanalytics/pom.xml index bb7de0a045a4..6bc70d649eaa 100644 --- a/services/iotanalytics/pom.xml +++ b/services/iotanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT iotanalytics AWS Java SDK :: Services :: IoTAnalytics diff --git a/services/iotdataplane/pom.xml b/services/iotdataplane/pom.xml index c01f3ec802b5..aac0ea2dcea2 100644 --- a/services/iotdataplane/pom.xml +++ b/services/iotdataplane/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT iotdataplane AWS Java SDK :: Services :: AWS IoT Data Plane diff --git a/services/iotdeviceadvisor/pom.xml b/services/iotdeviceadvisor/pom.xml index 734979f41f28..285a8e0b4ea0 100644 --- a/services/iotdeviceadvisor/pom.xml +++ b/services/iotdeviceadvisor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT iotdeviceadvisor AWS Java SDK :: Services :: Iot Device Advisor diff --git a/services/iotevents/pom.xml b/services/iotevents/pom.xml index 74c5db2de145..e4215bd1bac7 100644 --- a/services/iotevents/pom.xml +++ b/services/iotevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT iotevents AWS Java SDK :: Services :: IoT Events diff --git a/services/ioteventsdata/pom.xml b/services/ioteventsdata/pom.xml index 4387b6061431..04b815664205 100644 --- a/services/ioteventsdata/pom.xml +++ b/services/ioteventsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT ioteventsdata AWS Java SDK :: Services :: IoT Events Data diff --git a/services/iotfleethub/pom.xml b/services/iotfleethub/pom.xml index 71ff81e7bf6b..63b97636a964 100644 --- a/services/iotfleethub/pom.xml +++ b/services/iotfleethub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT iotfleethub AWS Java SDK :: Services :: Io T Fleet Hub diff --git a/services/iotfleetwise/pom.xml b/services/iotfleetwise/pom.xml index 7ba5d00a12fb..bd387f53f99f 100644 --- a/services/iotfleetwise/pom.xml +++ b/services/iotfleetwise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT iotfleetwise AWS Java SDK :: Services :: Io T Fleet Wise diff --git a/services/iotjobsdataplane/pom.xml b/services/iotjobsdataplane/pom.xml index 7b5783fc0a09..6d53b3f0bf74 100644 --- a/services/iotjobsdataplane/pom.xml +++ b/services/iotjobsdataplane/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT iotjobsdataplane AWS Java SDK :: Services :: IoT Jobs Data Plane diff --git a/services/iotsecuretunneling/pom.xml b/services/iotsecuretunneling/pom.xml index 22537ae55866..3ed15cdc9ff2 100644 --- a/services/iotsecuretunneling/pom.xml +++ b/services/iotsecuretunneling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT iotsecuretunneling AWS Java SDK :: Services :: IoTSecureTunneling diff --git a/services/iotsitewise/pom.xml b/services/iotsitewise/pom.xml index 543077d583fd..185d3a2967db 100644 --- a/services/iotsitewise/pom.xml +++ b/services/iotsitewise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT iotsitewise AWS Java SDK :: Services :: Io T Site Wise diff --git a/services/iotthingsgraph/pom.xml b/services/iotthingsgraph/pom.xml index 70b1dcf67667..3e99c9ff73f1 100644 --- a/services/iotthingsgraph/pom.xml +++ b/services/iotthingsgraph/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT iotthingsgraph AWS Java SDK :: Services :: IoTThingsGraph diff --git a/services/iottwinmaker/pom.xml b/services/iottwinmaker/pom.xml index 04156683cb21..067404d3abc1 100644 --- a/services/iottwinmaker/pom.xml +++ b/services/iottwinmaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT iottwinmaker AWS Java SDK :: Services :: Io T Twin Maker diff --git a/services/iotwireless/pom.xml b/services/iotwireless/pom.xml index a00c89d152db..f5664ef508dd 100644 --- a/services/iotwireless/pom.xml +++ b/services/iotwireless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT iotwireless AWS Java SDK :: Services :: IoT Wireless diff --git a/services/ivs/pom.xml b/services/ivs/pom.xml index 83165099bc94..520fdd55e15b 100644 --- a/services/ivs/pom.xml +++ b/services/ivs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT ivs AWS Java SDK :: Services :: Ivs diff --git a/services/ivschat/pom.xml b/services/ivschat/pom.xml index 8a781e37a26d..d44a0dfe42c6 100644 --- a/services/ivschat/pom.xml +++ b/services/ivschat/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT ivschat AWS Java SDK :: Services :: Ivschat diff --git a/services/ivsrealtime/pom.xml b/services/ivsrealtime/pom.xml index 57468930d120..0e21271e7469 100644 --- a/services/ivsrealtime/pom.xml +++ b/services/ivsrealtime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT ivsrealtime AWS Java SDK :: Services :: IVS Real Time diff --git a/services/kafka/pom.xml b/services/kafka/pom.xml index fc0644f8a4ef..38cde8742857 100644 --- a/services/kafka/pom.xml +++ b/services/kafka/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT kafka AWS Java SDK :: Services :: Kafka diff --git a/services/kafkaconnect/pom.xml b/services/kafkaconnect/pom.xml index 389f69b8b00a..85957d151f4a 100644 --- a/services/kafkaconnect/pom.xml +++ b/services/kafkaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT kafkaconnect AWS Java SDK :: Services :: Kafka Connect diff --git a/services/kendra/pom.xml b/services/kendra/pom.xml index c02ca935016e..ae898a5a8d16 100644 --- a/services/kendra/pom.xml +++ b/services/kendra/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT kendra AWS Java SDK :: Services :: Kendra diff --git a/services/kendraranking/pom.xml b/services/kendraranking/pom.xml index b51e7004c190..be8831c471b3 100644 --- a/services/kendraranking/pom.xml +++ b/services/kendraranking/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT kendraranking AWS Java SDK :: Services :: Kendra Ranking diff --git a/services/keyspaces/pom.xml b/services/keyspaces/pom.xml index 31641793d876..a7e7b772b8ea 100644 --- a/services/keyspaces/pom.xml +++ b/services/keyspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT keyspaces AWS Java SDK :: Services :: Keyspaces diff --git a/services/kinesis/pom.xml b/services/kinesis/pom.xml index 55b0d17b39c9..c36afe552bb7 100644 --- a/services/kinesis/pom.xml +++ b/services/kinesis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT kinesis AWS Java SDK :: Services :: Amazon Kinesis diff --git a/services/kinesisanalytics/pom.xml b/services/kinesisanalytics/pom.xml index d7a16075951c..1919130c6abc 100644 --- a/services/kinesisanalytics/pom.xml +++ b/services/kinesisanalytics/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT kinesisanalytics AWS Java SDK :: Services :: Amazon Kinesis Analytics diff --git a/services/kinesisanalyticsv2/pom.xml b/services/kinesisanalyticsv2/pom.xml index b84fb4b84a57..bf74305bf4b2 100644 --- a/services/kinesisanalyticsv2/pom.xml +++ b/services/kinesisanalyticsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT kinesisanalyticsv2 AWS Java SDK :: Services :: Kinesis Analytics V2 diff --git a/services/kinesisvideo/pom.xml b/services/kinesisvideo/pom.xml index 55cbc7ab045c..77d5a44418e8 100644 --- a/services/kinesisvideo/pom.xml +++ b/services/kinesisvideo/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18 + 2.27.19-SNAPSHOT 4.0.0 kinesisvideo diff --git a/services/kinesisvideoarchivedmedia/pom.xml b/services/kinesisvideoarchivedmedia/pom.xml index b1d73150c9d9..8aceac80612f 100644 --- a/services/kinesisvideoarchivedmedia/pom.xml +++ b/services/kinesisvideoarchivedmedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT kinesisvideoarchivedmedia AWS Java SDK :: Services :: Kinesis Video Archived Media diff --git a/services/kinesisvideomedia/pom.xml b/services/kinesisvideomedia/pom.xml index f824d13e5320..b340c0d9ed73 100644 --- a/services/kinesisvideomedia/pom.xml +++ b/services/kinesisvideomedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT kinesisvideomedia AWS Java SDK :: Services :: Kinesis Video Media diff --git a/services/kinesisvideosignaling/pom.xml b/services/kinesisvideosignaling/pom.xml index 2eb5a4f032e7..5ef5b095758b 100644 --- a/services/kinesisvideosignaling/pom.xml +++ b/services/kinesisvideosignaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT kinesisvideosignaling AWS Java SDK :: Services :: Kinesis Video Signaling diff --git a/services/kinesisvideowebrtcstorage/pom.xml b/services/kinesisvideowebrtcstorage/pom.xml index 44cc65867c05..b4927a3a29af 100644 --- a/services/kinesisvideowebrtcstorage/pom.xml +++ b/services/kinesisvideowebrtcstorage/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT kinesisvideowebrtcstorage AWS Java SDK :: Services :: Kinesis Video Web RTC Storage diff --git a/services/kms/pom.xml b/services/kms/pom.xml index 9d8b84f04cb4..a8511b1d382d 100644 --- a/services/kms/pom.xml +++ b/services/kms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT kms AWS Java SDK :: Services :: AWS KMS diff --git a/services/lakeformation/pom.xml b/services/lakeformation/pom.xml index a3cd557ba3f6..b6046ffc24d5 100644 --- a/services/lakeformation/pom.xml +++ b/services/lakeformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT lakeformation AWS Java SDK :: Services :: LakeFormation diff --git a/services/lambda/pom.xml b/services/lambda/pom.xml index 6107e59a74c8..2fd47e1d9335 100644 --- a/services/lambda/pom.xml +++ b/services/lambda/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT lambda AWS Java SDK :: Services :: AWS Lambda diff --git a/services/launchwizard/pom.xml b/services/launchwizard/pom.xml index b46ebbe92070..5d8ddeeea6e6 100644 --- a/services/launchwizard/pom.xml +++ b/services/launchwizard/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT launchwizard AWS Java SDK :: Services :: Launch Wizard diff --git a/services/lexmodelbuilding/pom.xml b/services/lexmodelbuilding/pom.xml index b0c94b52a9fb..dc56c9cf878a 100644 --- a/services/lexmodelbuilding/pom.xml +++ b/services/lexmodelbuilding/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT lexmodelbuilding AWS Java SDK :: Services :: Amazon Lex Model Building diff --git a/services/lexmodelsv2/pom.xml b/services/lexmodelsv2/pom.xml index f3f2c74fc445..d1e214383553 100644 --- a/services/lexmodelsv2/pom.xml +++ b/services/lexmodelsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT lexmodelsv2 AWS Java SDK :: Services :: Lex Models V2 diff --git a/services/lexruntime/pom.xml b/services/lexruntime/pom.xml index d472bae90540..4765f086079f 100644 --- a/services/lexruntime/pom.xml +++ b/services/lexruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT lexruntime AWS Java SDK :: Services :: Amazon Lex Runtime diff --git a/services/lexruntimev2/pom.xml b/services/lexruntimev2/pom.xml index 085ff238c47d..d616bbbf516d 100644 --- a/services/lexruntimev2/pom.xml +++ b/services/lexruntimev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT lexruntimev2 AWS Java SDK :: Services :: Lex Runtime V2 diff --git a/services/licensemanager/pom.xml b/services/licensemanager/pom.xml index 0d74b578b066..f852bcb9d36f 100644 --- a/services/licensemanager/pom.xml +++ b/services/licensemanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT licensemanager AWS Java SDK :: Services :: License Manager diff --git a/services/licensemanagerlinuxsubscriptions/pom.xml b/services/licensemanagerlinuxsubscriptions/pom.xml index f5d1b6bdd8c4..c6e7e112444c 100644 --- a/services/licensemanagerlinuxsubscriptions/pom.xml +++ b/services/licensemanagerlinuxsubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT licensemanagerlinuxsubscriptions AWS Java SDK :: Services :: License Manager Linux Subscriptions diff --git a/services/licensemanagerusersubscriptions/pom.xml b/services/licensemanagerusersubscriptions/pom.xml index f6b142189634..28560a621c52 100644 --- a/services/licensemanagerusersubscriptions/pom.xml +++ b/services/licensemanagerusersubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT licensemanagerusersubscriptions AWS Java SDK :: Services :: License Manager User Subscriptions diff --git a/services/lightsail/pom.xml b/services/lightsail/pom.xml index 2fe3aa4b0dd9..d4bec2a97a84 100644 --- a/services/lightsail/pom.xml +++ b/services/lightsail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT lightsail AWS Java SDK :: Services :: Amazon Lightsail diff --git a/services/location/pom.xml b/services/location/pom.xml index c628cff43a58..3c30de7d4025 100644 --- a/services/location/pom.xml +++ b/services/location/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT location AWS Java SDK :: Services :: Location diff --git a/services/lookoutequipment/pom.xml b/services/lookoutequipment/pom.xml index 8a4aa1cb49c5..f9d18320e770 100644 --- a/services/lookoutequipment/pom.xml +++ b/services/lookoutequipment/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT lookoutequipment AWS Java SDK :: Services :: Lookout Equipment diff --git a/services/lookoutmetrics/pom.xml b/services/lookoutmetrics/pom.xml index 77ab0df2eb70..22efc9fb0402 100644 --- a/services/lookoutmetrics/pom.xml +++ b/services/lookoutmetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT lookoutmetrics AWS Java SDK :: Services :: Lookout Metrics diff --git a/services/lookoutvision/pom.xml b/services/lookoutvision/pom.xml index a940c8d48cc3..f665b303828a 100644 --- a/services/lookoutvision/pom.xml +++ b/services/lookoutvision/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT lookoutvision AWS Java SDK :: Services :: Lookout Vision diff --git a/services/m2/pom.xml b/services/m2/pom.xml index 0b66adc000c1..5e7da29f226c 100644 --- a/services/m2/pom.xml +++ b/services/m2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT m2 AWS Java SDK :: Services :: M2 diff --git a/services/machinelearning/pom.xml b/services/machinelearning/pom.xml index 2074a1a30272..52e50562c27d 100644 --- a/services/machinelearning/pom.xml +++ b/services/machinelearning/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT machinelearning AWS Java SDK :: Services :: Amazon Machine Learning diff --git a/services/macie2/pom.xml b/services/macie2/pom.xml index 8046b96435c2..b467bd8a21eb 100644 --- a/services/macie2/pom.xml +++ b/services/macie2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT macie2 AWS Java SDK :: Services :: Macie2 diff --git a/services/mailmanager/pom.xml b/services/mailmanager/pom.xml index 87a2e2b21754..8b350a0d9654 100644 --- a/services/mailmanager/pom.xml +++ b/services/mailmanager/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT mailmanager AWS Java SDK :: Services :: Mail Manager diff --git a/services/managedblockchain/pom.xml b/services/managedblockchain/pom.xml index 2da6bb7b70a7..b5d3a97c2c09 100644 --- a/services/managedblockchain/pom.xml +++ b/services/managedblockchain/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT managedblockchain AWS Java SDK :: Services :: ManagedBlockchain diff --git a/services/managedblockchainquery/pom.xml b/services/managedblockchainquery/pom.xml index cf62a88b59b4..e4b3a61eecb0 100644 --- a/services/managedblockchainquery/pom.xml +++ b/services/managedblockchainquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT managedblockchainquery AWS Java SDK :: Services :: Managed Blockchain Query diff --git a/services/marketplaceagreement/pom.xml b/services/marketplaceagreement/pom.xml index 948fc5c910a7..c2373d8bde05 100644 --- a/services/marketplaceagreement/pom.xml +++ b/services/marketplaceagreement/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT marketplaceagreement AWS Java SDK :: Services :: Marketplace Agreement diff --git a/services/marketplacecatalog/pom.xml b/services/marketplacecatalog/pom.xml index 52dd7a4282ef..66b782a09906 100644 --- a/services/marketplacecatalog/pom.xml +++ b/services/marketplacecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT marketplacecatalog AWS Java SDK :: Services :: Marketplace Catalog diff --git a/services/marketplacecommerceanalytics/pom.xml b/services/marketplacecommerceanalytics/pom.xml index 0f48e3c53eab..8391eaedb5a1 100644 --- a/services/marketplacecommerceanalytics/pom.xml +++ b/services/marketplacecommerceanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT marketplacecommerceanalytics AWS Java SDK :: Services :: AWS Marketplace Commerce Analytics diff --git a/services/marketplacedeployment/pom.xml b/services/marketplacedeployment/pom.xml index 88efb2e23a10..bf8f40e64c12 100644 --- a/services/marketplacedeployment/pom.xml +++ b/services/marketplacedeployment/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT marketplacedeployment AWS Java SDK :: Services :: Marketplace Deployment diff --git a/services/marketplaceentitlement/pom.xml b/services/marketplaceentitlement/pom.xml index 58712c457cad..c38fe13c1d8c 100644 --- a/services/marketplaceentitlement/pom.xml +++ b/services/marketplaceentitlement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT marketplaceentitlement AWS Java SDK :: Services :: AWS Marketplace Entitlement diff --git a/services/marketplacemetering/pom.xml b/services/marketplacemetering/pom.xml index 1aa1482fe92e..ac5cf849c6f4 100644 --- a/services/marketplacemetering/pom.xml +++ b/services/marketplacemetering/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT marketplacemetering AWS Java SDK :: Services :: AWS Marketplace Metering Service diff --git a/services/mediaconnect/pom.xml b/services/mediaconnect/pom.xml index c2c549819513..b01990ba08c7 100644 --- a/services/mediaconnect/pom.xml +++ b/services/mediaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT mediaconnect AWS Java SDK :: Services :: MediaConnect diff --git a/services/mediaconvert/pom.xml b/services/mediaconvert/pom.xml index b0e0aec312df..1c0a6b67fc05 100644 --- a/services/mediaconvert/pom.xml +++ b/services/mediaconvert/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18 + 2.27.19-SNAPSHOT 4.0.0 mediaconvert diff --git a/services/medialive/pom.xml b/services/medialive/pom.xml index a7115e27bbaa..56893746d384 100644 --- a/services/medialive/pom.xml +++ b/services/medialive/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18 + 2.27.19-SNAPSHOT 4.0.0 medialive diff --git a/services/mediapackage/pom.xml b/services/mediapackage/pom.xml index b83d1416bb52..8dbd7e916abf 100644 --- a/services/mediapackage/pom.xml +++ b/services/mediapackage/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18 + 2.27.19-SNAPSHOT 4.0.0 mediapackage diff --git a/services/mediapackagev2/pom.xml b/services/mediapackagev2/pom.xml index 87a2120ff5a7..7523089e5b69 100644 --- a/services/mediapackagev2/pom.xml +++ b/services/mediapackagev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT mediapackagev2 AWS Java SDK :: Services :: Media Package V2 diff --git a/services/mediapackagevod/pom.xml b/services/mediapackagevod/pom.xml index 6c9b13f6a239..732ee80367bc 100644 --- a/services/mediapackagevod/pom.xml +++ b/services/mediapackagevod/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT mediapackagevod AWS Java SDK :: Services :: MediaPackage Vod diff --git a/services/mediastore/pom.xml b/services/mediastore/pom.xml index f2cbfee0b892..9eb2b2f1c42e 100644 --- a/services/mediastore/pom.xml +++ b/services/mediastore/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18 + 2.27.19-SNAPSHOT 4.0.0 mediastore diff --git a/services/mediastoredata/pom.xml b/services/mediastoredata/pom.xml index 46340528d3ad..8b63d86d52ba 100644 --- a/services/mediastoredata/pom.xml +++ b/services/mediastoredata/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18 + 2.27.19-SNAPSHOT 4.0.0 mediastoredata diff --git a/services/mediatailor/pom.xml b/services/mediatailor/pom.xml index d732ecdf9f5f..a4abc4dc9867 100644 --- a/services/mediatailor/pom.xml +++ b/services/mediatailor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT mediatailor AWS Java SDK :: Services :: MediaTailor diff --git a/services/medicalimaging/pom.xml b/services/medicalimaging/pom.xml index 1bb80e165f11..6ae60b26d613 100644 --- a/services/medicalimaging/pom.xml +++ b/services/medicalimaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT medicalimaging AWS Java SDK :: Services :: Medical Imaging diff --git a/services/memorydb/pom.xml b/services/memorydb/pom.xml index 0b538803d677..efa6e86c2749 100644 --- a/services/memorydb/pom.xml +++ b/services/memorydb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT memorydb AWS Java SDK :: Services :: Memory DB diff --git a/services/mgn/pom.xml b/services/mgn/pom.xml index f5c1139a5781..cf19114d1657 100644 --- a/services/mgn/pom.xml +++ b/services/mgn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT mgn AWS Java SDK :: Services :: Mgn diff --git a/services/migrationhub/pom.xml b/services/migrationhub/pom.xml index 695cb501f970..a3f5bcdbb3c6 100644 --- a/services/migrationhub/pom.xml +++ b/services/migrationhub/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18 + 2.27.19-SNAPSHOT 4.0.0 migrationhub diff --git a/services/migrationhubconfig/pom.xml b/services/migrationhubconfig/pom.xml index 11042a84caad..bb779ff2cda6 100644 --- a/services/migrationhubconfig/pom.xml +++ b/services/migrationhubconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT migrationhubconfig AWS Java SDK :: Services :: MigrationHub Config diff --git a/services/migrationhuborchestrator/pom.xml b/services/migrationhuborchestrator/pom.xml index fcfb0132207b..98f37bafcbf1 100644 --- a/services/migrationhuborchestrator/pom.xml +++ b/services/migrationhuborchestrator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT migrationhuborchestrator AWS Java SDK :: Services :: Migration Hub Orchestrator diff --git a/services/migrationhubrefactorspaces/pom.xml b/services/migrationhubrefactorspaces/pom.xml index 4b9942715e33..1e82e0cebc30 100644 --- a/services/migrationhubrefactorspaces/pom.xml +++ b/services/migrationhubrefactorspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT migrationhubrefactorspaces AWS Java SDK :: Services :: Migration Hub Refactor Spaces diff --git a/services/migrationhubstrategy/pom.xml b/services/migrationhubstrategy/pom.xml index 50c3578f24bf..c664caaf9af6 100644 --- a/services/migrationhubstrategy/pom.xml +++ b/services/migrationhubstrategy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT migrationhubstrategy AWS Java SDK :: Services :: Migration Hub Strategy diff --git a/services/mq/pom.xml b/services/mq/pom.xml index cb6d438e8559..f33b4b2af195 100644 --- a/services/mq/pom.xml +++ b/services/mq/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18 + 2.27.19-SNAPSHOT 4.0.0 mq diff --git a/services/mturk/pom.xml b/services/mturk/pom.xml index 5d95f608d462..a342977c86b5 100644 --- a/services/mturk/pom.xml +++ b/services/mturk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT mturk AWS Java SDK :: Services :: Amazon Mechanical Turk Requester diff --git a/services/mwaa/pom.xml b/services/mwaa/pom.xml index bdd5aaac18ca..61f05b092262 100644 --- a/services/mwaa/pom.xml +++ b/services/mwaa/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT mwaa AWS Java SDK :: Services :: MWAA diff --git a/services/neptune/pom.xml b/services/neptune/pom.xml index 59a0a79ab10c..618d1d21940e 100644 --- a/services/neptune/pom.xml +++ b/services/neptune/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT neptune AWS Java SDK :: Services :: Neptune diff --git a/services/neptunedata/pom.xml b/services/neptunedata/pom.xml index 3a6bfe7378d3..0d591158ce0f 100644 --- a/services/neptunedata/pom.xml +++ b/services/neptunedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT neptunedata AWS Java SDK :: Services :: Neptunedata diff --git a/services/neptunegraph/pom.xml b/services/neptunegraph/pom.xml index b43efe5f7e6d..97165894a701 100644 --- a/services/neptunegraph/pom.xml +++ b/services/neptunegraph/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT neptunegraph AWS Java SDK :: Services :: Neptune Graph diff --git a/services/networkfirewall/pom.xml b/services/networkfirewall/pom.xml index 773652d7a284..3da19d3baf9c 100644 --- a/services/networkfirewall/pom.xml +++ b/services/networkfirewall/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT networkfirewall AWS Java SDK :: Services :: Network Firewall diff --git a/services/networkmanager/pom.xml b/services/networkmanager/pom.xml index 7a083401540c..de433fb3ef95 100644 --- a/services/networkmanager/pom.xml +++ b/services/networkmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT networkmanager AWS Java SDK :: Services :: NetworkManager diff --git a/services/networkmonitor/pom.xml b/services/networkmonitor/pom.xml index 2f80a7ec5b1f..bf45ed6b0b05 100644 --- a/services/networkmonitor/pom.xml +++ b/services/networkmonitor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT networkmonitor AWS Java SDK :: Services :: Network Monitor diff --git a/services/nimble/pom.xml b/services/nimble/pom.xml index 0956ba27f3b8..5c133f908b79 100644 --- a/services/nimble/pom.xml +++ b/services/nimble/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT nimble AWS Java SDK :: Services :: Nimble diff --git a/services/oam/pom.xml b/services/oam/pom.xml index 0c997a650bc5..99151da06d49 100644 --- a/services/oam/pom.xml +++ b/services/oam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT oam AWS Java SDK :: Services :: OAM diff --git a/services/omics/pom.xml b/services/omics/pom.xml index 13b82b746521..4b38a248e727 100644 --- a/services/omics/pom.xml +++ b/services/omics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT omics AWS Java SDK :: Services :: Omics diff --git a/services/opensearch/pom.xml b/services/opensearch/pom.xml index 7096c5bb59c0..633c7eb53dc8 100644 --- a/services/opensearch/pom.xml +++ b/services/opensearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT opensearch AWS Java SDK :: Services :: Open Search diff --git a/services/opensearchserverless/pom.xml b/services/opensearchserverless/pom.xml index b3926c7e6447..c3adcb052dfa 100644 --- a/services/opensearchserverless/pom.xml +++ b/services/opensearchserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT opensearchserverless AWS Java SDK :: Services :: Open Search Serverless diff --git a/services/opsworks/pom.xml b/services/opsworks/pom.xml index efaa9d4c77b2..bff42517e61c 100644 --- a/services/opsworks/pom.xml +++ b/services/opsworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT opsworks AWS Java SDK :: Services :: AWS OpsWorks diff --git a/services/opsworkscm/pom.xml b/services/opsworkscm/pom.xml index 6d340a4edf24..423343c9e31b 100644 --- a/services/opsworkscm/pom.xml +++ b/services/opsworkscm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT opsworkscm AWS Java SDK :: Services :: AWS OpsWorks for Chef Automate diff --git a/services/organizations/pom.xml b/services/organizations/pom.xml index b4d15a710cea..e6efcfc16d5e 100644 --- a/services/organizations/pom.xml +++ b/services/organizations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT organizations AWS Java SDK :: Services :: AWS Organizations diff --git a/services/osis/pom.xml b/services/osis/pom.xml index a7a44669bcce..206b850ba987 100644 --- a/services/osis/pom.xml +++ b/services/osis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT osis AWS Java SDK :: Services :: OSIS diff --git a/services/outposts/pom.xml b/services/outposts/pom.xml index 5b7966c9f343..96b7a7a7585a 100644 --- a/services/outposts/pom.xml +++ b/services/outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT outposts AWS Java SDK :: Services :: Outposts diff --git a/services/panorama/pom.xml b/services/panorama/pom.xml index 034313b8c24d..85321550533e 100644 --- a/services/panorama/pom.xml +++ b/services/panorama/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT panorama AWS Java SDK :: Services :: Panorama diff --git a/services/paymentcryptography/pom.xml b/services/paymentcryptography/pom.xml index 859548088ded..781b59a41767 100644 --- a/services/paymentcryptography/pom.xml +++ b/services/paymentcryptography/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT paymentcryptography AWS Java SDK :: Services :: Payment Cryptography diff --git a/services/paymentcryptographydata/pom.xml b/services/paymentcryptographydata/pom.xml index edb93f64c4b9..4eba33649afa 100644 --- a/services/paymentcryptographydata/pom.xml +++ b/services/paymentcryptographydata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT paymentcryptographydata AWS Java SDK :: Services :: Payment Cryptography Data diff --git a/services/pcaconnectorad/pom.xml b/services/pcaconnectorad/pom.xml index 6078e0d42032..f66afd18bc9a 100644 --- a/services/pcaconnectorad/pom.xml +++ b/services/pcaconnectorad/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT pcaconnectorad AWS Java SDK :: Services :: Pca Connector Ad diff --git a/services/pcaconnectorscep/pom.xml b/services/pcaconnectorscep/pom.xml index d844473f6671..9ffb144b6c82 100644 --- a/services/pcaconnectorscep/pom.xml +++ b/services/pcaconnectorscep/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT pcaconnectorscep AWS Java SDK :: Services :: Pca Connector Scep diff --git a/services/pcs/pom.xml b/services/pcs/pom.xml index cd154ec997f1..ac575f153400 100644 --- a/services/pcs/pom.xml +++ b/services/pcs/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT pcs AWS Java SDK :: Services :: PCS diff --git a/services/personalize/pom.xml b/services/personalize/pom.xml index a56efaed18a5..7634f4ecbc27 100644 --- a/services/personalize/pom.xml +++ b/services/personalize/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT personalize AWS Java SDK :: Services :: Personalize diff --git a/services/personalizeevents/pom.xml b/services/personalizeevents/pom.xml index 544a7da7b93f..f5c3b3a84352 100644 --- a/services/personalizeevents/pom.xml +++ b/services/personalizeevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT personalizeevents AWS Java SDK :: Services :: Personalize Events diff --git a/services/personalizeruntime/pom.xml b/services/personalizeruntime/pom.xml index 5d0790bc0129..75d5b073f1c9 100644 --- a/services/personalizeruntime/pom.xml +++ b/services/personalizeruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT personalizeruntime AWS Java SDK :: Services :: Personalize Runtime diff --git a/services/pi/pom.xml b/services/pi/pom.xml index 81018a76f6ca..3ec17c2b8d80 100644 --- a/services/pi/pom.xml +++ b/services/pi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT pi AWS Java SDK :: Services :: PI diff --git a/services/pinpoint/pom.xml b/services/pinpoint/pom.xml index bb810cfb8df5..451d63091c33 100644 --- a/services/pinpoint/pom.xml +++ b/services/pinpoint/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT pinpoint AWS Java SDK :: Services :: Amazon Pinpoint diff --git a/services/pinpointemail/pom.xml b/services/pinpointemail/pom.xml index cb9da532ed66..8f5efc98d474 100644 --- a/services/pinpointemail/pom.xml +++ b/services/pinpointemail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT pinpointemail AWS Java SDK :: Services :: Pinpoint Email diff --git a/services/pinpointsmsvoice/pom.xml b/services/pinpointsmsvoice/pom.xml index 1823328e5cdd..6151e265827f 100644 --- a/services/pinpointsmsvoice/pom.xml +++ b/services/pinpointsmsvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT pinpointsmsvoice AWS Java SDK :: Services :: Pinpoint SMS Voice diff --git a/services/pinpointsmsvoicev2/pom.xml b/services/pinpointsmsvoicev2/pom.xml index 156d610aa276..6e4ca9b1fcc6 100644 --- a/services/pinpointsmsvoicev2/pom.xml +++ b/services/pinpointsmsvoicev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT pinpointsmsvoicev2 AWS Java SDK :: Services :: Pinpoint SMS Voice V2 diff --git a/services/pipes/pom.xml b/services/pipes/pom.xml index 81491dc888a7..6bec33dff3c4 100644 --- a/services/pipes/pom.xml +++ b/services/pipes/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT pipes AWS Java SDK :: Services :: Pipes diff --git a/services/polly/pom.xml b/services/polly/pom.xml index 25f9fc60cf0c..5faa5d95a285 100644 --- a/services/polly/pom.xml +++ b/services/polly/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT polly AWS Java SDK :: Services :: Amazon Polly diff --git a/services/pom.xml b/services/pom.xml index dbdefec51323..cfb8782335d4 100644 --- a/services/pom.xml +++ b/services/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.18 + 2.27.19-SNAPSHOT services AWS Java SDK :: Services diff --git a/services/pricing/pom.xml b/services/pricing/pom.xml index 604a279bb67e..8f4040b5efd4 100644 --- a/services/pricing/pom.xml +++ b/services/pricing/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18 + 2.27.19-SNAPSHOT 4.0.0 pricing diff --git a/services/privatenetworks/pom.xml b/services/privatenetworks/pom.xml index ce5534c391d0..adea265104b6 100644 --- a/services/privatenetworks/pom.xml +++ b/services/privatenetworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT privatenetworks AWS Java SDK :: Services :: Private Networks diff --git a/services/proton/pom.xml b/services/proton/pom.xml index 7bcf6c401015..fcd1a1d39055 100644 --- a/services/proton/pom.xml +++ b/services/proton/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT proton AWS Java SDK :: Services :: Proton diff --git a/services/qapps/pom.xml b/services/qapps/pom.xml index cdf3832c3814..99aa64bfe627 100644 --- a/services/qapps/pom.xml +++ b/services/qapps/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT qapps AWS Java SDK :: Services :: Q Apps diff --git a/services/qbusiness/pom.xml b/services/qbusiness/pom.xml index 8dc421601081..06b3439ebd52 100644 --- a/services/qbusiness/pom.xml +++ b/services/qbusiness/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT qbusiness AWS Java SDK :: Services :: Q Business diff --git a/services/qconnect/pom.xml b/services/qconnect/pom.xml index 4984b8792134..e36cb2a54205 100644 --- a/services/qconnect/pom.xml +++ b/services/qconnect/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT qconnect AWS Java SDK :: Services :: Q Connect diff --git a/services/qldb/pom.xml b/services/qldb/pom.xml index a5f999ba00ba..4a2a40402fc4 100644 --- a/services/qldb/pom.xml +++ b/services/qldb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT qldb AWS Java SDK :: Services :: QLDB diff --git a/services/qldbsession/pom.xml b/services/qldbsession/pom.xml index 2eb78631cbac..1b4d02f9bdce 100644 --- a/services/qldbsession/pom.xml +++ b/services/qldbsession/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT qldbsession AWS Java SDK :: Services :: QLDB Session diff --git a/services/quicksight/pom.xml b/services/quicksight/pom.xml index 87a16629e4a6..497a32dfb9ce 100644 --- a/services/quicksight/pom.xml +++ b/services/quicksight/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT quicksight AWS Java SDK :: Services :: QuickSight diff --git a/services/ram/pom.xml b/services/ram/pom.xml index 5a918df840ce..5955efcb9b69 100644 --- a/services/ram/pom.xml +++ b/services/ram/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT ram AWS Java SDK :: Services :: RAM diff --git a/services/rbin/pom.xml b/services/rbin/pom.xml index 55a3c68cbecf..2ceceba60b50 100644 --- a/services/rbin/pom.xml +++ b/services/rbin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT rbin AWS Java SDK :: Services :: Rbin diff --git a/services/rds/pom.xml b/services/rds/pom.xml index b76e2dd8f6a2..36c4d3a23428 100644 --- a/services/rds/pom.xml +++ b/services/rds/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT rds AWS Java SDK :: Services :: Amazon RDS diff --git a/services/rdsdata/pom.xml b/services/rdsdata/pom.xml index a23752e90d0f..bb1a15bc8b03 100644 --- a/services/rdsdata/pom.xml +++ b/services/rdsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT rdsdata AWS Java SDK :: Services :: RDS Data diff --git a/services/redshift/pom.xml b/services/redshift/pom.xml index 33584a897438..07bd115bb7c9 100644 --- a/services/redshift/pom.xml +++ b/services/redshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT redshift AWS Java SDK :: Services :: Amazon Redshift diff --git a/services/redshiftdata/pom.xml b/services/redshiftdata/pom.xml index 7a6881e60d48..377be66d410c 100644 --- a/services/redshiftdata/pom.xml +++ b/services/redshiftdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT redshiftdata AWS Java SDK :: Services :: Redshift Data diff --git a/services/redshiftserverless/pom.xml b/services/redshiftserverless/pom.xml index d777318c8b47..be9aae0d282b 100644 --- a/services/redshiftserverless/pom.xml +++ b/services/redshiftserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT redshiftserverless AWS Java SDK :: Services :: Redshift Serverless diff --git a/services/rekognition/pom.xml b/services/rekognition/pom.xml index 6df36d719aa4..c2cfcca48976 100644 --- a/services/rekognition/pom.xml +++ b/services/rekognition/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT rekognition AWS Java SDK :: Services :: Amazon Rekognition diff --git a/services/repostspace/pom.xml b/services/repostspace/pom.xml index 2b643ab83ba6..676da728f392 100644 --- a/services/repostspace/pom.xml +++ b/services/repostspace/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT repostspace AWS Java SDK :: Services :: Repostspace diff --git a/services/resiliencehub/pom.xml b/services/resiliencehub/pom.xml index 56bc4dfc50ec..c7fa38a7582b 100644 --- a/services/resiliencehub/pom.xml +++ b/services/resiliencehub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT resiliencehub AWS Java SDK :: Services :: Resiliencehub diff --git a/services/resourceexplorer2/pom.xml b/services/resourceexplorer2/pom.xml index c15b6d3f0120..37ff14922c37 100644 --- a/services/resourceexplorer2/pom.xml +++ b/services/resourceexplorer2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT resourceexplorer2 AWS Java SDK :: Services :: Resource Explorer 2 diff --git a/services/resourcegroups/pom.xml b/services/resourcegroups/pom.xml index 10a5d99c47e3..8230fab6ae64 100644 --- a/services/resourcegroups/pom.xml +++ b/services/resourcegroups/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18 + 2.27.19-SNAPSHOT 4.0.0 resourcegroups diff --git a/services/resourcegroupstaggingapi/pom.xml b/services/resourcegroupstaggingapi/pom.xml index 2b6d9858cd3f..2550b1bf2733 100644 --- a/services/resourcegroupstaggingapi/pom.xml +++ b/services/resourcegroupstaggingapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT resourcegroupstaggingapi AWS Java SDK :: Services :: AWS Resource Groups Tagging API diff --git a/services/robomaker/pom.xml b/services/robomaker/pom.xml index 2b3de1340b2f..c4d9b8645304 100644 --- a/services/robomaker/pom.xml +++ b/services/robomaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT robomaker AWS Java SDK :: Services :: RoboMaker diff --git a/services/rolesanywhere/pom.xml b/services/rolesanywhere/pom.xml index 87c5dd6c2488..6ec96566de74 100644 --- a/services/rolesanywhere/pom.xml +++ b/services/rolesanywhere/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT rolesanywhere AWS Java SDK :: Services :: Roles Anywhere diff --git a/services/route53/pom.xml b/services/route53/pom.xml index adcbab6a29c1..37ff2add99f7 100644 --- a/services/route53/pom.xml +++ b/services/route53/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT route53 AWS Java SDK :: Services :: Amazon Route53 diff --git a/services/route53domains/pom.xml b/services/route53domains/pom.xml index 9353386108b0..136d68b81284 100644 --- a/services/route53domains/pom.xml +++ b/services/route53domains/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT route53domains AWS Java SDK :: Services :: Amazon Route53 Domains diff --git a/services/route53profiles/pom.xml b/services/route53profiles/pom.xml index fe5f7fc51078..af08b4471faf 100644 --- a/services/route53profiles/pom.xml +++ b/services/route53profiles/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT route53profiles AWS Java SDK :: Services :: Route53 Profiles diff --git a/services/route53recoverycluster/pom.xml b/services/route53recoverycluster/pom.xml index 293c75c3cf07..fe3461e5bb7c 100644 --- a/services/route53recoverycluster/pom.xml +++ b/services/route53recoverycluster/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT route53recoverycluster AWS Java SDK :: Services :: Route53 Recovery Cluster diff --git a/services/route53recoverycontrolconfig/pom.xml b/services/route53recoverycontrolconfig/pom.xml index eb28ae1bb326..191d2cada775 100644 --- a/services/route53recoverycontrolconfig/pom.xml +++ b/services/route53recoverycontrolconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT route53recoverycontrolconfig AWS Java SDK :: Services :: Route53 Recovery Control Config diff --git a/services/route53recoveryreadiness/pom.xml b/services/route53recoveryreadiness/pom.xml index 20dc28106708..a1e6f77d117e 100644 --- a/services/route53recoveryreadiness/pom.xml +++ b/services/route53recoveryreadiness/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT route53recoveryreadiness AWS Java SDK :: Services :: Route53 Recovery Readiness diff --git a/services/route53resolver/pom.xml b/services/route53resolver/pom.xml index 2b03807473b0..666bbc4c1d82 100644 --- a/services/route53resolver/pom.xml +++ b/services/route53resolver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT route53resolver AWS Java SDK :: Services :: Route53Resolver diff --git a/services/rum/pom.xml b/services/rum/pom.xml index f8e1ee76fadb..4b2a01772391 100644 --- a/services/rum/pom.xml +++ b/services/rum/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT rum AWS Java SDK :: Services :: RUM diff --git a/services/s3/pom.xml b/services/s3/pom.xml index bd2cc06266b4..7220e5b626be 100644 --- a/services/s3/pom.xml +++ b/services/s3/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT s3 AWS Java SDK :: Services :: Amazon S3 diff --git a/services/s3control/pom.xml b/services/s3control/pom.xml index 691ed26d99a6..714bbfb0bf31 100644 --- a/services/s3control/pom.xml +++ b/services/s3control/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT s3control AWS Java SDK :: Services :: Amazon S3 Control diff --git a/services/s3outposts/pom.xml b/services/s3outposts/pom.xml index 73cf8e70b048..635d6be212b1 100644 --- a/services/s3outposts/pom.xml +++ b/services/s3outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT s3outposts AWS Java SDK :: Services :: S3 Outposts diff --git a/services/sagemaker/pom.xml b/services/sagemaker/pom.xml index 2cdcc9a1ba2e..f8df3b1e816c 100644 --- a/services/sagemaker/pom.xml +++ b/services/sagemaker/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18 + 2.27.19-SNAPSHOT 4.0.0 sagemaker diff --git a/services/sagemakera2iruntime/pom.xml b/services/sagemakera2iruntime/pom.xml index 5d33c883b54e..d55e4f3f462b 100644 --- a/services/sagemakera2iruntime/pom.xml +++ b/services/sagemakera2iruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT sagemakera2iruntime AWS Java SDK :: Services :: SageMaker A2I Runtime diff --git a/services/sagemakeredge/pom.xml b/services/sagemakeredge/pom.xml index 514d8ee983d3..9e01cef49cc4 100644 --- a/services/sagemakeredge/pom.xml +++ b/services/sagemakeredge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT sagemakeredge AWS Java SDK :: Services :: Sagemaker Edge diff --git a/services/sagemakerfeaturestoreruntime/pom.xml b/services/sagemakerfeaturestoreruntime/pom.xml index a9a499aa9861..f6dc8df34a5a 100644 --- a/services/sagemakerfeaturestoreruntime/pom.xml +++ b/services/sagemakerfeaturestoreruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT sagemakerfeaturestoreruntime AWS Java SDK :: Services :: Sage Maker Feature Store Runtime diff --git a/services/sagemakergeospatial/pom.xml b/services/sagemakergeospatial/pom.xml index badab4362f93..2ca3bf24dd63 100644 --- a/services/sagemakergeospatial/pom.xml +++ b/services/sagemakergeospatial/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT sagemakergeospatial AWS Java SDK :: Services :: Sage Maker Geospatial diff --git a/services/sagemakermetrics/pom.xml b/services/sagemakermetrics/pom.xml index 9b2729fa5e9d..872154078950 100644 --- a/services/sagemakermetrics/pom.xml +++ b/services/sagemakermetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT sagemakermetrics AWS Java SDK :: Services :: Sage Maker Metrics diff --git a/services/sagemakerruntime/pom.xml b/services/sagemakerruntime/pom.xml index 3c3edf8542f9..941362f4b038 100644 --- a/services/sagemakerruntime/pom.xml +++ b/services/sagemakerruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT sagemakerruntime AWS Java SDK :: Services :: SageMaker Runtime diff --git a/services/savingsplans/pom.xml b/services/savingsplans/pom.xml index 03bcdb046d07..9a56be84cc9b 100644 --- a/services/savingsplans/pom.xml +++ b/services/savingsplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT savingsplans AWS Java SDK :: Services :: Savingsplans diff --git a/services/scheduler/pom.xml b/services/scheduler/pom.xml index 137a58a8bc14..9ba90c9f80f4 100644 --- a/services/scheduler/pom.xml +++ b/services/scheduler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT scheduler AWS Java SDK :: Services :: Scheduler diff --git a/services/schemas/pom.xml b/services/schemas/pom.xml index 887fa8e6db1e..2d8b9f7735d1 100644 --- a/services/schemas/pom.xml +++ b/services/schemas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT schemas AWS Java SDK :: Services :: Schemas diff --git a/services/secretsmanager/pom.xml b/services/secretsmanager/pom.xml index 62854e72bece..7943c1c3f8c0 100644 --- a/services/secretsmanager/pom.xml +++ b/services/secretsmanager/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT secretsmanager AWS Java SDK :: Services :: AWS Secrets Manager diff --git a/services/securityhub/pom.xml b/services/securityhub/pom.xml index 5293c29f403d..6635a745f829 100644 --- a/services/securityhub/pom.xml +++ b/services/securityhub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT securityhub AWS Java SDK :: Services :: SecurityHub diff --git a/services/securitylake/pom.xml b/services/securitylake/pom.xml index 5e537730455f..3b436b12e11d 100644 --- a/services/securitylake/pom.xml +++ b/services/securitylake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT securitylake AWS Java SDK :: Services :: Security Lake diff --git a/services/serverlessapplicationrepository/pom.xml b/services/serverlessapplicationrepository/pom.xml index 33ff709e6835..8054dc5e6ec2 100644 --- a/services/serverlessapplicationrepository/pom.xml +++ b/services/serverlessapplicationrepository/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18 + 2.27.19-SNAPSHOT 4.0.0 serverlessapplicationrepository diff --git a/services/servicecatalog/pom.xml b/services/servicecatalog/pom.xml index c827c493d1af..f2b45bdb86db 100644 --- a/services/servicecatalog/pom.xml +++ b/services/servicecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT servicecatalog AWS Java SDK :: Services :: AWS Service Catalog diff --git a/services/servicecatalogappregistry/pom.xml b/services/servicecatalogappregistry/pom.xml index d33557b722bb..9fb42d918eae 100644 --- a/services/servicecatalogappregistry/pom.xml +++ b/services/servicecatalogappregistry/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT servicecatalogappregistry AWS Java SDK :: Services :: Service Catalog App Registry diff --git a/services/servicediscovery/pom.xml b/services/servicediscovery/pom.xml index 1a46b00bf3ba..b410519d9624 100644 --- a/services/servicediscovery/pom.xml +++ b/services/servicediscovery/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18 + 2.27.19-SNAPSHOT 4.0.0 servicediscovery diff --git a/services/servicequotas/pom.xml b/services/servicequotas/pom.xml index 8f50ca1e964c..c7ca83c71f36 100644 --- a/services/servicequotas/pom.xml +++ b/services/servicequotas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT servicequotas AWS Java SDK :: Services :: Service Quotas diff --git a/services/ses/pom.xml b/services/ses/pom.xml index 0927962996ad..24cf037e035a 100644 --- a/services/ses/pom.xml +++ b/services/ses/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT ses AWS Java SDK :: Services :: Amazon SES diff --git a/services/sesv2/pom.xml b/services/sesv2/pom.xml index 33f01cf85422..4ce345e1c4b8 100644 --- a/services/sesv2/pom.xml +++ b/services/sesv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT sesv2 AWS Java SDK :: Services :: SESv2 diff --git a/services/sfn/pom.xml b/services/sfn/pom.xml index f8f5eed4eead..e29bb0c65a3f 100644 --- a/services/sfn/pom.xml +++ b/services/sfn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT sfn AWS Java SDK :: Services :: AWS Step Functions diff --git a/services/shield/pom.xml b/services/shield/pom.xml index e290f49bcfc7..9a8f28af9b7f 100644 --- a/services/shield/pom.xml +++ b/services/shield/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT shield AWS Java SDK :: Services :: AWS Shield diff --git a/services/signer/pom.xml b/services/signer/pom.xml index c6a4a65d82f9..cfd2a7dc3151 100644 --- a/services/signer/pom.xml +++ b/services/signer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT signer AWS Java SDK :: Services :: Signer diff --git a/services/simspaceweaver/pom.xml b/services/simspaceweaver/pom.xml index 381a5bf17b8b..c347cb0fb0df 100644 --- a/services/simspaceweaver/pom.xml +++ b/services/simspaceweaver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT simspaceweaver AWS Java SDK :: Services :: Sim Space Weaver diff --git a/services/sms/pom.xml b/services/sms/pom.xml index b2dd0bf57d36..d32339ca06ca 100644 --- a/services/sms/pom.xml +++ b/services/sms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT sms AWS Java SDK :: Services :: AWS Server Migration diff --git a/services/snowball/pom.xml b/services/snowball/pom.xml index cd52113a5e6b..048a636b4a2e 100644 --- a/services/snowball/pom.xml +++ b/services/snowball/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT snowball AWS Java SDK :: Services :: Amazon Snowball diff --git a/services/snowdevicemanagement/pom.xml b/services/snowdevicemanagement/pom.xml index 2a16a03e9d18..790503be687c 100644 --- a/services/snowdevicemanagement/pom.xml +++ b/services/snowdevicemanagement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT snowdevicemanagement AWS Java SDK :: Services :: Snow Device Management diff --git a/services/sns/pom.xml b/services/sns/pom.xml index 310cc36b4391..8be2fe1cd25c 100644 --- a/services/sns/pom.xml +++ b/services/sns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT sns AWS Java SDK :: Services :: Amazon SNS diff --git a/services/sqs/pom.xml b/services/sqs/pom.xml index 32c40593d8a5..2b88ef43675a 100644 --- a/services/sqs/pom.xml +++ b/services/sqs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT sqs AWS Java SDK :: Services :: Amazon SQS diff --git a/services/ssm/pom.xml b/services/ssm/pom.xml index 8c20df34e112..90199b410024 100644 --- a/services/ssm/pom.xml +++ b/services/ssm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT ssm AWS Java SDK :: Services :: AWS Simple Systems Management (SSM) diff --git a/services/ssmcontacts/pom.xml b/services/ssmcontacts/pom.xml index c666d5302b39..2c15297b313b 100644 --- a/services/ssmcontacts/pom.xml +++ b/services/ssmcontacts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT ssmcontacts AWS Java SDK :: Services :: SSM Contacts diff --git a/services/ssmincidents/pom.xml b/services/ssmincidents/pom.xml index aa6356458729..3fc66d1ebded 100644 --- a/services/ssmincidents/pom.xml +++ b/services/ssmincidents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT ssmincidents AWS Java SDK :: Services :: SSM Incidents diff --git a/services/ssmquicksetup/pom.xml b/services/ssmquicksetup/pom.xml index 8f625656f855..2be4befaa1d8 100644 --- a/services/ssmquicksetup/pom.xml +++ b/services/ssmquicksetup/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT ssmquicksetup AWS Java SDK :: Services :: SSM Quick Setup diff --git a/services/ssmsap/pom.xml b/services/ssmsap/pom.xml index 0be3b67901af..ec9d65aecf60 100644 --- a/services/ssmsap/pom.xml +++ b/services/ssmsap/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT ssmsap AWS Java SDK :: Services :: Ssm Sap diff --git a/services/sso/pom.xml b/services/sso/pom.xml index 0e6a6d2bc498..110254b5d568 100644 --- a/services/sso/pom.xml +++ b/services/sso/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT sso AWS Java SDK :: Services :: SSO diff --git a/services/ssoadmin/pom.xml b/services/ssoadmin/pom.xml index 3dfeacc38d07..21a1268fd090 100644 --- a/services/ssoadmin/pom.xml +++ b/services/ssoadmin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT ssoadmin AWS Java SDK :: Services :: SSO Admin diff --git a/services/ssooidc/pom.xml b/services/ssooidc/pom.xml index 8077d8aed37b..bc1058a94ffe 100644 --- a/services/ssooidc/pom.xml +++ b/services/ssooidc/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT ssooidc AWS Java SDK :: Services :: SSO OIDC diff --git a/services/storagegateway/pom.xml b/services/storagegateway/pom.xml index 5c4bf49777ea..c6dd2ac89b80 100644 --- a/services/storagegateway/pom.xml +++ b/services/storagegateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT storagegateway AWS Java SDK :: Services :: AWS Storage Gateway diff --git a/services/sts/pom.xml b/services/sts/pom.xml index 873dcb5a12d3..343baebd3fec 100644 --- a/services/sts/pom.xml +++ b/services/sts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT sts AWS Java SDK :: Services :: AWS STS diff --git a/services/supplychain/pom.xml b/services/supplychain/pom.xml index d5d6adb43d61..bdf2ec0fd6ed 100644 --- a/services/supplychain/pom.xml +++ b/services/supplychain/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT supplychain AWS Java SDK :: Services :: Supply Chain diff --git a/services/support/pom.xml b/services/support/pom.xml index 395236ac2e30..25b7f141d56d 100644 --- a/services/support/pom.xml +++ b/services/support/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT support AWS Java SDK :: Services :: AWS Support diff --git a/services/supportapp/pom.xml b/services/supportapp/pom.xml index e6714a54b270..97385c06b677 100644 --- a/services/supportapp/pom.xml +++ b/services/supportapp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT supportapp AWS Java SDK :: Services :: Support App diff --git a/services/swf/pom.xml b/services/swf/pom.xml index 81b85adee525..aaa762664b05 100644 --- a/services/swf/pom.xml +++ b/services/swf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT swf AWS Java SDK :: Services :: Amazon SWF diff --git a/services/synthetics/pom.xml b/services/synthetics/pom.xml index 63b1bed2469e..0d1449b0fabf 100644 --- a/services/synthetics/pom.xml +++ b/services/synthetics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT synthetics AWS Java SDK :: Services :: Synthetics diff --git a/services/taxsettings/pom.xml b/services/taxsettings/pom.xml index 2bf55a96f287..1abce9bf0f84 100644 --- a/services/taxsettings/pom.xml +++ b/services/taxsettings/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT taxsettings AWS Java SDK :: Services :: Tax Settings diff --git a/services/textract/pom.xml b/services/textract/pom.xml index 244b9307410b..c0a68783b693 100644 --- a/services/textract/pom.xml +++ b/services/textract/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT textract AWS Java SDK :: Services :: Textract diff --git a/services/timestreaminfluxdb/pom.xml b/services/timestreaminfluxdb/pom.xml index 489aadeabeb6..83fe14a313de 100644 --- a/services/timestreaminfluxdb/pom.xml +++ b/services/timestreaminfluxdb/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT timestreaminfluxdb AWS Java SDK :: Services :: Timestream Influx DB diff --git a/services/timestreamquery/pom.xml b/services/timestreamquery/pom.xml index ee3319720d96..2ce8ee83ca18 100644 --- a/services/timestreamquery/pom.xml +++ b/services/timestreamquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT timestreamquery AWS Java SDK :: Services :: Timestream Query diff --git a/services/timestreamwrite/pom.xml b/services/timestreamwrite/pom.xml index 347417b1d6d8..8177d72518c9 100644 --- a/services/timestreamwrite/pom.xml +++ b/services/timestreamwrite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT timestreamwrite AWS Java SDK :: Services :: Timestream Write diff --git a/services/tnb/pom.xml b/services/tnb/pom.xml index 8d4382bb35a8..ebc70f4b6bd1 100644 --- a/services/tnb/pom.xml +++ b/services/tnb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT tnb AWS Java SDK :: Services :: Tnb diff --git a/services/transcribe/pom.xml b/services/transcribe/pom.xml index cb940b2c2d8f..482b0689726d 100644 --- a/services/transcribe/pom.xml +++ b/services/transcribe/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT transcribe AWS Java SDK :: Services :: Transcribe diff --git a/services/transcribestreaming/pom.xml b/services/transcribestreaming/pom.xml index f44ce8ac41ac..6e276357e522 100644 --- a/services/transcribestreaming/pom.xml +++ b/services/transcribestreaming/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT transcribestreaming AWS Java SDK :: Services :: AWS Transcribe Streaming diff --git a/services/transfer/pom.xml b/services/transfer/pom.xml index d9aab4745ab9..5bd67d0974e2 100644 --- a/services/transfer/pom.xml +++ b/services/transfer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT transfer AWS Java SDK :: Services :: Transfer diff --git a/services/translate/pom.xml b/services/translate/pom.xml index 1b8323bb90a5..52da4fe24de4 100644 --- a/services/translate/pom.xml +++ b/services/translate/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18 + 2.27.19-SNAPSHOT 4.0.0 translate diff --git a/services/trustedadvisor/pom.xml b/services/trustedadvisor/pom.xml index 613d018e9122..f13855acfbdb 100644 --- a/services/trustedadvisor/pom.xml +++ b/services/trustedadvisor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT trustedadvisor AWS Java SDK :: Services :: Trusted Advisor diff --git a/services/verifiedpermissions/pom.xml b/services/verifiedpermissions/pom.xml index fd8807ec1c96..031a2f12660a 100644 --- a/services/verifiedpermissions/pom.xml +++ b/services/verifiedpermissions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT verifiedpermissions AWS Java SDK :: Services :: Verified Permissions diff --git a/services/voiceid/pom.xml b/services/voiceid/pom.xml index aaaa2f58696a..40e094c379e1 100644 --- a/services/voiceid/pom.xml +++ b/services/voiceid/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT voiceid AWS Java SDK :: Services :: Voice ID diff --git a/services/vpclattice/pom.xml b/services/vpclattice/pom.xml index d61e2383dda7..9005c8ff9d07 100644 --- a/services/vpclattice/pom.xml +++ b/services/vpclattice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT vpclattice AWS Java SDK :: Services :: VPC Lattice diff --git a/services/waf/pom.xml b/services/waf/pom.xml index f7ec6a6d494d..39d43fe040dd 100644 --- a/services/waf/pom.xml +++ b/services/waf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT waf AWS Java SDK :: Services :: AWS WAF diff --git a/services/wafv2/pom.xml b/services/wafv2/pom.xml index 6974c056fce4..5a575fc420ed 100644 --- a/services/wafv2/pom.xml +++ b/services/wafv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT wafv2 AWS Java SDK :: Services :: WAFV2 diff --git a/services/wellarchitected/pom.xml b/services/wellarchitected/pom.xml index b9cfb55685c9..91d4354ad63c 100644 --- a/services/wellarchitected/pom.xml +++ b/services/wellarchitected/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT wellarchitected AWS Java SDK :: Services :: Well Architected diff --git a/services/wisdom/pom.xml b/services/wisdom/pom.xml index 5bd82e321cfb..a595b69d45af 100644 --- a/services/wisdom/pom.xml +++ b/services/wisdom/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT wisdom AWS Java SDK :: Services :: Wisdom diff --git a/services/workdocs/pom.xml b/services/workdocs/pom.xml index 6b66bc35e834..4169490009c5 100644 --- a/services/workdocs/pom.xml +++ b/services/workdocs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT workdocs AWS Java SDK :: Services :: Amazon WorkDocs diff --git a/services/worklink/pom.xml b/services/worklink/pom.xml index 12236a615a56..e136a2add462 100644 --- a/services/worklink/pom.xml +++ b/services/worklink/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT worklink AWS Java SDK :: Services :: WorkLink diff --git a/services/workmail/pom.xml b/services/workmail/pom.xml index 2ce448f5a619..99719015a452 100644 --- a/services/workmail/pom.xml +++ b/services/workmail/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.18 + 2.27.19-SNAPSHOT 4.0.0 workmail diff --git a/services/workmailmessageflow/pom.xml b/services/workmailmessageflow/pom.xml index 8822cdbfe217..bbe77be08af4 100644 --- a/services/workmailmessageflow/pom.xml +++ b/services/workmailmessageflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT workmailmessageflow AWS Java SDK :: Services :: WorkMailMessageFlow diff --git a/services/workspaces/pom.xml b/services/workspaces/pom.xml index 7d645f594885..326d48caeac7 100644 --- a/services/workspaces/pom.xml +++ b/services/workspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT workspaces AWS Java SDK :: Services :: Amazon WorkSpaces diff --git a/services/workspacesthinclient/pom.xml b/services/workspacesthinclient/pom.xml index 4e70393a24be..5135c94a232b 100644 --- a/services/workspacesthinclient/pom.xml +++ b/services/workspacesthinclient/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT workspacesthinclient AWS Java SDK :: Services :: Work Spaces Thin Client diff --git a/services/workspacesweb/pom.xml b/services/workspacesweb/pom.xml index 49c26738bdeb..06c9899ead41 100644 --- a/services/workspacesweb/pom.xml +++ b/services/workspacesweb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT workspacesweb AWS Java SDK :: Services :: Work Spaces Web diff --git a/services/xray/pom.xml b/services/xray/pom.xml index 4e8ae0ff800a..30553cba9dc2 100644 --- a/services/xray/pom.xml +++ b/services/xray/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.18 + 2.27.19-SNAPSHOT xray AWS Java SDK :: Services :: AWS X-Ray diff --git a/test/auth-tests/pom.xml b/test/auth-tests/pom.xml index eab2bbd153c7..ceeb9af01649 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.27.18 + 2.27.19-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/bundle-logging-bridge-binding-test/pom.xml b/test/bundle-logging-bridge-binding-test/pom.xml index 358ea7308c52..ff3ccb9f1156 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.27.18 + 2.27.19-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/bundle-shading-tests/pom.xml b/test/bundle-shading-tests/pom.xml index 75865cce2905..b3f0ac869829 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.27.18 + 2.27.19-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/codegen-generated-classes-test/pom.xml b/test/codegen-generated-classes-test/pom.xml index 0cb5b83d7be8..a4ed3cfaa36b 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.27.18 + 2.27.19-SNAPSHOT ../../pom.xml diff --git a/test/crt-unavailable-tests/pom.xml b/test/crt-unavailable-tests/pom.xml index 0e75fa1b6574..a91ba8c37a08 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.27.18 + 2.27.19-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/http-client-tests/pom.xml b/test/http-client-tests/pom.xml index 06de01b7245e..156c3ed0b58d 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.27.18 + 2.27.19-SNAPSHOT ../../pom.xml http-client-tests diff --git a/test/module-path-tests/pom.xml b/test/module-path-tests/pom.xml index 19483287d705..f265c99c6525 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.27.18 + 2.27.19-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/old-client-version-compatibility-test/pom.xml b/test/old-client-version-compatibility-test/pom.xml index b17d5b55c267..510a070a7ab2 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.27.18 + 2.27.19-SNAPSHOT ../../pom.xml diff --git a/test/protocol-tests-core/pom.xml b/test/protocol-tests-core/pom.xml index 21dc7db117bb..26881ef60894 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.27.18 + 2.27.19-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/protocol-tests/pom.xml b/test/protocol-tests/pom.xml index 4e0fbf718d89..e52c3e3d7d1e 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.27.18 + 2.27.19-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/region-testing/pom.xml b/test/region-testing/pom.xml index 9860e18ddf8d..39191bdbd8c9 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.27.18 + 2.27.19-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/ruleset-testing-core/pom.xml b/test/ruleset-testing-core/pom.xml index 584f1db8df8b..a8bd6ee7d1d1 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.27.18 + 2.27.19-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/s3-benchmarks/pom.xml b/test/s3-benchmarks/pom.xml index 276652c0d931..1a4ef0b23790 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.27.18 + 2.27.19-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/sdk-benchmarks/pom.xml b/test/sdk-benchmarks/pom.xml index a58abef0b266..2d404f626cf3 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.27.18 + 2.27.19-SNAPSHOT ../../pom.xml diff --git a/test/sdk-native-image-test/pom.xml b/test/sdk-native-image-test/pom.xml index ac1d415ac665..b652ce1441a7 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.27.18 + 2.27.19-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/service-test-utils/pom.xml b/test/service-test-utils/pom.xml index ac6f8a835bcf..afdaa422fdac 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.27.18 + 2.27.19-SNAPSHOT ../../pom.xml service-test-utils diff --git a/test/stability-tests/pom.xml b/test/stability-tests/pom.xml index 0db4157f454f..a4ef7ccf6a0d 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.27.18 + 2.27.19-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/test-utils/pom.xml b/test/test-utils/pom.xml index deb88c5cc196..db23e3f49715 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.27.18 + 2.27.19-SNAPSHOT ../../pom.xml test-utils diff --git a/test/tests-coverage-reporting/pom.xml b/test/tests-coverage-reporting/pom.xml index 067bebd672d9..518a808c2106 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.27.18 + 2.27.19-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/v2-migration-tests/pom.xml b/test/v2-migration-tests/pom.xml index d183a2583d39..6079198ee25e 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.27.18 + 2.27.19-SNAPSHOT ../.. diff --git a/third-party/pom.xml b/third-party/pom.xml index 0ce98c4e95da..2bfe5be53915 100644 --- a/third-party/pom.xml +++ b/third-party/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.18 + 2.27.19-SNAPSHOT third-party diff --git a/third-party/third-party-jackson-core/pom.xml b/third-party/third-party-jackson-core/pom.xml index cf1896777538..0c412bec6c0f 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.27.18 + 2.27.19-SNAPSHOT 4.0.0 diff --git a/third-party/third-party-jackson-dataformat-cbor/pom.xml b/third-party/third-party-jackson-dataformat-cbor/pom.xml index 54b0cd6127a9..7f12d7e58713 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.27.18 + 2.27.19-SNAPSHOT 4.0.0 diff --git a/third-party/third-party-slf4j-api/pom.xml b/third-party/third-party-slf4j-api/pom.xml index d123c53b52ee..b14be680e100 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.27.18 + 2.27.19-SNAPSHOT 4.0.0 diff --git a/utils/pom.xml b/utils/pom.xml index dc6cc082e9b3..e013577c7769 100644 --- a/utils/pom.xml +++ b/utils/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.18 + 2.27.19-SNAPSHOT 4.0.0 diff --git a/v2-migration/pom.xml b/v2-migration/pom.xml index 829654d96c6f..def5b4d3a04a 100644 --- a/v2-migration/pom.xml +++ b/v2-migration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.18 + 2.27.19-SNAPSHOT ../pom.xml From 79394aa920b6d8b94c116eb090d62e9c27e577d8 Mon Sep 17 00:00:00 2001 From: Anirudh Date: Wed, 4 Sep 2024 06:49:31 -0700 Subject: [PATCH 011/108] Fixed EnhancedClient UpdateItem operation to make it work on nested attributes as well (#5380) * Fixed EnhancedClient UpdateItem operation to make it work on nested attributes as well * Add Tests for multi-level nesting updates to work correctly * Fixed PR feedback * Updated Javadocs * Addressed Pr feedback * Removed indendation changes * Added tests for FlattenedMapper * fixed indendation * Fix indendation and remove unintentional changes * Configured MappingConfiguration object * Added methods to AttributeMapping interface * Fixed unintentional indendation changes * Fixed unintentional indendation changes * Add changelogs * Introduce a new method to transform input to be able to perform update operations on nested DynamoDB object attributes. * Remove unwanted changes * Indent * Remove unwanted changes * Added testing * Added test to validate updating string to null * Remove unintentional indentation changes * Fix checkstyle * Update test case to add empty nested attribute * Added a test to verify that updates to non-scalar nested attributes with ignoreNulls set to true, throws DDBException * Uncomment test assertions * Ensure correct workings of updating to an emoty map * Fixed checkstyle * Addressed pr feedback --- .../bugfix-AWSSDKforJavav2-2a80679.json | 6 + .../internal/EnhancedClientUtils.java | 20 +- .../operations/UpdateItemOperation.java | 67 ++++- .../update/UpdateExpressionUtils.java | 15 +- .../functionaltests/UpdateBehaviorTest.java | 259 ++++++++++++++++++ .../models/CompositeRecord.java | 49 ++++ .../functionaltests/models/FlattenRecord.java | 51 ++++ .../NestedRecordWithUpdateBehavior.java | 18 ++ .../models/RecordWithUpdateBehaviors.java | 10 + 9 files changed, 486 insertions(+), 9 deletions(-) create mode 100644 .changes/next-release/bugfix-AWSSDKforJavav2-2a80679.json create mode 100644 services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/models/CompositeRecord.java create mode 100644 services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/models/FlattenRecord.java diff --git a/.changes/next-release/bugfix-AWSSDKforJavav2-2a80679.json b/.changes/next-release/bugfix-AWSSDKforJavav2-2a80679.json new file mode 100644 index 000000000000..f8c315dfb1ff --- /dev/null +++ b/.changes/next-release/bugfix-AWSSDKforJavav2-2a80679.json @@ -0,0 +1,6 @@ +{ + "type": "bugfix", + "category": "AWS SDK for Java v2", + "contributor": "anirudh9391", + "description": "Introduce a new method to transform input to be able to perform update operations on nested DynamoDB object attributes." +} diff --git a/services-custom/dynamodb-enhanced/src/main/java/software/amazon/awssdk/enhanced/dynamodb/internal/EnhancedClientUtils.java b/services-custom/dynamodb-enhanced/src/main/java/software/amazon/awssdk/enhanced/dynamodb/internal/EnhancedClientUtils.java index afd719d5a82a..61d750e98a7e 100644 --- a/services-custom/dynamodb-enhanced/src/main/java/software/amazon/awssdk/enhanced/dynamodb/internal/EnhancedClientUtils.java +++ b/services-custom/dynamodb-enhanced/src/main/java/software/amazon/awssdk/enhanced/dynamodb/internal/EnhancedClientUtils.java @@ -15,6 +15,8 @@ package software.amazon.awssdk.enhanced.dynamodb.internal; +import static software.amazon.awssdk.enhanced.dynamodb.internal.operations.UpdateItemOperation.NESTED_OBJECT_UPDATE; + import java.util.Collections; import java.util.List; import java.util.Map; @@ -22,6 +24,7 @@ import java.util.Set; import java.util.function.Function; import java.util.function.Supplier; +import java.util.regex.Pattern; import java.util.stream.Collectors; import java.util.stream.Stream; import software.amazon.awssdk.annotations.SdkInternalApi; @@ -40,6 +43,7 @@ public final class EnhancedClientUtils { private static final Set SPECIAL_CHARACTERS = Stream.of( '*', '.', '-', '#', '+', ':', '/', '(', ')', ' ', '&', '<', '>', '?', '=', '!', '@', '%', '$', '|').collect(Collectors.toSet()); + private static final Pattern NESTED_OBJECT_PATTERN = Pattern.compile(NESTED_OBJECT_UPDATE); private EnhancedClientUtils() { @@ -67,18 +71,30 @@ public static String cleanAttributeName(String key) { return somethingChanged ? new String(chars) : key; } + private static boolean isNestedAttribute(String key) { + return key.contains(NESTED_OBJECT_UPDATE); + } + /** * Creates a key token to be used with an ExpressionNames map. */ public static String keyRef(String key) { - return "#AMZN_MAPPED_" + cleanAttributeName(key); + String cleanAttributeName = cleanAttributeName(key); + cleanAttributeName = isNestedAttribute(cleanAttributeName) ? + NESTED_OBJECT_PATTERN.matcher(cleanAttributeName).replaceAll(".#AMZN_MAPPED_") + : cleanAttributeName; + return "#AMZN_MAPPED_" + cleanAttributeName; } /** * Creates a value token to be used with an ExpressionValues map. */ public static String valueRef(String value) { - return ":AMZN_MAPPED_" + cleanAttributeName(value); + String cleanAttributeName = cleanAttributeName(value); + cleanAttributeName = isNestedAttribute(cleanAttributeName) ? + NESTED_OBJECT_PATTERN.matcher(cleanAttributeName).replaceAll("_") + : cleanAttributeName; + return ":AMZN_MAPPED_" + cleanAttributeName; } public static T readAndTransformSingleItem(Map itemMap, diff --git a/services-custom/dynamodb-enhanced/src/main/java/software/amazon/awssdk/enhanced/dynamodb/internal/operations/UpdateItemOperation.java b/services-custom/dynamodb-enhanced/src/main/java/software/amazon/awssdk/enhanced/dynamodb/internal/operations/UpdateItemOperation.java index 87a1dcdee9e1..0f0d9cb170b3 100644 --- a/services-custom/dynamodb-enhanced/src/main/java/software/amazon/awssdk/enhanced/dynamodb/internal/operations/UpdateItemOperation.java +++ b/services-custom/dynamodb-enhanced/src/main/java/software/amazon/awssdk/enhanced/dynamodb/internal/operations/UpdateItemOperation.java @@ -15,11 +15,13 @@ package software.amazon.awssdk.enhanced.dynamodb.internal.operations; +import static software.amazon.awssdk.enhanced.dynamodb.internal.EnhancedClientUtils.isNullAttributeValue; import static software.amazon.awssdk.enhanced.dynamodb.internal.EnhancedClientUtils.readAndTransformSingleItem; import static software.amazon.awssdk.enhanced.dynamodb.internal.update.UpdateExpressionUtils.operationExpression; import static software.amazon.awssdk.utils.CollectionUtils.filterMap; import java.util.Collection; +import java.util.HashMap; import java.util.List; import java.util.Map; import java.util.Optional; @@ -53,7 +55,8 @@ public class UpdateItemOperation implements TableOperation>, TransactableWriteOperation { - + + public static final String NESTED_OBJECT_UPDATE = "_NESTED_ATTR_UPDATE_"; private final Either, TransactUpdateItemEnhancedRequest> request; private UpdateItemOperation(UpdateItemEnhancedRequest request) { @@ -89,8 +92,14 @@ public UpdateItemRequest generateRequest(TableSchema tableSchema, Boolean ignoreNulls = request.map(r -> Optional.ofNullable(r.ignoreNulls()), r -> Optional.ofNullable(r.ignoreNulls())) .orElse(null); - - Map itemMap = tableSchema.itemToMap(item, Boolean.TRUE.equals(ignoreNulls)); + + Map itemMapImmutable = tableSchema.itemToMap(item, Boolean.TRUE.equals(ignoreNulls)); + + // If ignoreNulls is set to true, check for nested params to be updated + // If needed, Transform itemMap for it to be able to handle them. + Map itemMap = Boolean.TRUE.equals(ignoreNulls) ? + transformItemToMapForUpdateExpression(itemMapImmutable) : itemMapImmutable; + TableMetadata tableMetadata = tableSchema.tableMetadata(); WriteModification transformation = @@ -141,6 +150,58 @@ public UpdateItemRequest generateRequest(TableSchema tableSchema, return requestBuilder.build(); } + + /** + * Method checks if a nested object parameter requires an update + * If so flattens out nested params separated by "_NESTED_ATTR_UPDATE_" + * this is consumed by @link EnhancedClientUtils to form the appropriate UpdateExpression + */ + public Map transformItemToMapForUpdateExpression(Map itemToMap) { + + Map nestedAttributes = new HashMap<>(); + + itemToMap.forEach((key, value) -> { + if (value.hasM() && isNotEmptyMap(value.m())) { + nestedAttributes.put(key, value); + } + }); + + if (!nestedAttributes.isEmpty()) { + Map itemToMapMutable = new HashMap<>(itemToMap); + nestedAttributes.forEach((key, value) -> { + itemToMapMutable.remove(key); + nestedItemToMap(itemToMapMutable, key, value); + }); + return itemToMapMutable; + } + + return itemToMap; + } + + private Map nestedItemToMap(Map itemToMap, + String key, + AttributeValue attributeValue) { + attributeValue.m().forEach((mapKey, mapValue) -> { + String nestedAttributeKey = key + NESTED_OBJECT_UPDATE + mapKey; + if (attributeValueNonNullOrShouldWriteNull(mapValue)) { + if (mapValue.hasM()) { + nestedItemToMap(itemToMap, nestedAttributeKey, mapValue); + } else { + itemToMap.put(nestedAttributeKey, mapValue); + } + } + }); + return itemToMap; + } + + private boolean isNotEmptyMap(Map map) { + return !map.isEmpty() && map.values().stream() + .anyMatch(this::attributeValueNonNullOrShouldWriteNull); + } + + private boolean attributeValueNonNullOrShouldWriteNull(AttributeValue attributeValue) { + return !isNullAttributeValue(attributeValue); + } @Override public UpdateItemEnhancedResponse transformResponse(UpdateItemResponse response, diff --git a/services-custom/dynamodb-enhanced/src/main/java/software/amazon/awssdk/enhanced/dynamodb/internal/update/UpdateExpressionUtils.java b/services-custom/dynamodb-enhanced/src/main/java/software/amazon/awssdk/enhanced/dynamodb/internal/update/UpdateExpressionUtils.java index 41991e0e2865..1d47400ab2e6 100644 --- a/services-custom/dynamodb-enhanced/src/main/java/software/amazon/awssdk/enhanced/dynamodb/internal/update/UpdateExpressionUtils.java +++ b/services-custom/dynamodb-enhanced/src/main/java/software/amazon/awssdk/enhanced/dynamodb/internal/update/UpdateExpressionUtils.java @@ -18,6 +18,7 @@ import static software.amazon.awssdk.enhanced.dynamodb.internal.EnhancedClientUtils.isNullAttributeValue; import static software.amazon.awssdk.enhanced.dynamodb.internal.EnhancedClientUtils.keyRef; import static software.amazon.awssdk.enhanced.dynamodb.internal.EnhancedClientUtils.valueRef; +import static software.amazon.awssdk.enhanced.dynamodb.internal.operations.UpdateItemOperation.NESTED_OBJECT_UPDATE; import static software.amazon.awssdk.utils.CollectionUtils.filterMap; import java.util.Arrays; @@ -25,6 +26,7 @@ import java.util.List; import java.util.Map; import java.util.function.Function; +import java.util.regex.Pattern; import java.util.stream.Collectors; import software.amazon.awssdk.annotations.SdkInternalApi; import software.amazon.awssdk.enhanced.dynamodb.TableMetadata; @@ -39,6 +41,8 @@ @SdkInternalApi public final class UpdateExpressionUtils { + private static final Pattern PATTERN = Pattern.compile(NESTED_OBJECT_UPDATE); + private UpdateExpressionUtils() { } @@ -136,9 +140,12 @@ private static Function behaviorBasedValue(UpdateBehavior update /** * Simple utility method that can create an ExpressionNames map based on a list of attribute names. */ - private static Map expressionNamesFor(String... attributeNames) { - return Arrays.stream(attributeNames) - .collect(Collectors.toMap(EnhancedClientUtils::keyRef, Function.identity())); - } + private static Map expressionNamesFor(String attributeNames) { + if (attributeNames.contains(NESTED_OBJECT_UPDATE)) { + return Arrays.stream(PATTERN.split(attributeNames)).distinct() + .collect(Collectors.toMap(EnhancedClientUtils::keyRef, Function.identity())); + } + return Collections.singletonMap(keyRef(attributeNames), attributeNames); + } } \ No newline at end of file diff --git a/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/UpdateBehaviorTest.java b/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/UpdateBehaviorTest.java index fdbe05fb87ee..a85ce465aab9 100644 --- a/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/UpdateBehaviorTest.java +++ b/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/UpdateBehaviorTest.java @@ -1,8 +1,10 @@ package software.amazon.awssdk.enhanced.dynamodb.functionaltests; import static org.assertj.core.api.Assertions.assertThat; +import static org.assertj.core.api.Assertions.assertThatThrownBy; import java.time.Instant; +import java.util.Collections; import java.util.stream.Collectors; import java.util.stream.Stream; import org.junit.After; @@ -12,17 +14,28 @@ import software.amazon.awssdk.enhanced.dynamodb.DynamoDbTable; import software.amazon.awssdk.enhanced.dynamodb.TableSchema; import software.amazon.awssdk.enhanced.dynamodb.extensions.AutoGeneratedTimestampRecordExtension; +import software.amazon.awssdk.enhanced.dynamodb.functionaltests.models.CompositeRecord; +import software.amazon.awssdk.enhanced.dynamodb.functionaltests.models.FlattenRecord; import software.amazon.awssdk.enhanced.dynamodb.functionaltests.models.NestedRecordWithUpdateBehavior; import software.amazon.awssdk.enhanced.dynamodb.functionaltests.models.RecordWithUpdateBehaviors; import software.amazon.awssdk.enhanced.dynamodb.internal.client.ExtensionResolver; +import software.amazon.awssdk.services.dynamodb.model.AttributeValue; +import software.amazon.awssdk.services.dynamodb.model.DynamoDbException; +import software.amazon.awssdk.services.dynamodb.model.GetItemRequest; +import software.amazon.awssdk.services.dynamodb.model.GetItemResponse; public class UpdateBehaviorTest extends LocalDynamoDbSyncTestBase { private static final Instant INSTANT_1 = Instant.parse("2020-05-03T10:00:00Z"); private static final Instant INSTANT_2 = Instant.parse("2020-05-03T10:05:00Z"); private static final Instant FAR_FUTURE_INSTANT = Instant.parse("9999-05-03T10:05:00Z"); + private static final String TEST_BEHAVIOUR_ATTRIBUTE = "testBehaviourAttribute"; + private static final String TEST_ATTRIBUTE = "testAttribute"; private static final TableSchema TABLE_SCHEMA = TableSchema.fromClass(RecordWithUpdateBehaviors.class); + + private static final TableSchema TABLE_SCHEMA_FLATTEN_RECORD = + TableSchema.fromClass(FlattenRecord.class); private final DynamoDbEnhancedClient enhancedClient = DynamoDbEnhancedClient.builder() .dynamoDbClient(getDynamoDbClient()).extensions( @@ -32,6 +45,9 @@ public class UpdateBehaviorTest extends LocalDynamoDbSyncTestBase { private final DynamoDbTable mappedTable = enhancedClient.table(getConcreteTableName("table-name"), TABLE_SCHEMA); + + private final DynamoDbTable flattenedMappedTable = + enhancedClient.table(getConcreteTableName("table-name"), TABLE_SCHEMA_FLATTEN_RECORD); @Before public void createTable() { @@ -145,6 +161,249 @@ public void updateBehaviors_transactWriteItems_secondUpdate() { assertThat(persistedRecord.getCreatedAutoUpdateOn()).isEqualTo(firstUpdatedRecord.getCreatedAutoUpdateOn()); } + @Test + public void when_updatingNestedObjectWithSingleLevel_existingInformationIsPreserved_ignoreNulls() { + + NestedRecordWithUpdateBehavior nestedRecord = createNestedWithDefaults("id456", 5L); + + RecordWithUpdateBehaviors record = new RecordWithUpdateBehaviors(); + record.setId("id123"); + record.setNestedRecord(nestedRecord); + + mappedTable.putItem(record); + + NestedRecordWithUpdateBehavior updatedNestedRecord = new NestedRecordWithUpdateBehavior(); + long updatedNestedCounter = 10L; + updatedNestedRecord.setNestedCounter(updatedNestedCounter); + updatedNestedRecord.setAttribute(TEST_ATTRIBUTE); + + RecordWithUpdateBehaviors update_record = new RecordWithUpdateBehaviors(); + update_record.setId("id123"); + update_record.setVersion(1L); + update_record.setNestedRecord(updatedNestedRecord); + + mappedTable.updateItem(r -> r.item(update_record).ignoreNulls(true)); + + RecordWithUpdateBehaviors persistedRecord = mappedTable.getItem(r -> r.key(k -> k.partitionValue("id123"))); + + verifySingleLevelNestingTargetedUpdateBehavior(persistedRecord, updatedNestedCounter, TEST_ATTRIBUTE); + } + + @Test + public void when_updatingNestedObjectToEmptyWithSingleLevel_existingInformationIsPreserved_ignoreNulls() { + + NestedRecordWithUpdateBehavior nestedRecord = createNestedWithDefaults("id456", 5L); + nestedRecord.setAttribute(TEST_ATTRIBUTE); + + RecordWithUpdateBehaviors record = new RecordWithUpdateBehaviors(); + record.setId("id123"); + record.setNestedRecord(nestedRecord); + + mappedTable.putItem(record); + + NestedRecordWithUpdateBehavior updatedNestedRecord = new NestedRecordWithUpdateBehavior(); + + RecordWithUpdateBehaviors update_record = new RecordWithUpdateBehaviors(); + update_record.setId("id123"); + update_record.setVersion(1L); + update_record.setNestedRecord(updatedNestedRecord); + + mappedTable.updateItem(r -> r.item(update_record).ignoreNulls(true)); + + RecordWithUpdateBehaviors persistedRecord = mappedTable.getItem(r -> r.key(k -> k.partitionValue("id123"))); + assertThat(persistedRecord.getNestedRecord()).isNull(); + } + + private NestedRecordWithUpdateBehavior createNestedWithDefaults(String id, Long counter) { + NestedRecordWithUpdateBehavior nestedRecordWithDefaults = new NestedRecordWithUpdateBehavior(); + nestedRecordWithDefaults.setId(id); + nestedRecordWithDefaults.setNestedCounter(counter); + nestedRecordWithDefaults.setNestedUpdateBehaviorAttribute(TEST_BEHAVIOUR_ATTRIBUTE); + nestedRecordWithDefaults.setNestedTimeAttribute(INSTANT_1); + + return nestedRecordWithDefaults; + } + + private void verifyMultipleLevelNestingTargetedUpdateBehavior(RecordWithUpdateBehaviors persistedRecord, + long updatedOuterNestedCounter, + long updatedInnerNestedCounter) { + assertThat(persistedRecord.getNestedRecord()).isNotNull(); + assertThat(persistedRecord.getNestedRecord().getNestedRecord()).isNotNull(); + + assertThat(persistedRecord.getNestedRecord().getNestedCounter()).isEqualTo(updatedOuterNestedCounter); + assertThat(persistedRecord.getNestedRecord().getNestedRecord()).isNotNull(); + assertThat(persistedRecord.getNestedRecord().getNestedRecord().getNestedCounter()).isEqualTo(updatedInnerNestedCounter); + assertThat(persistedRecord.getNestedRecord().getNestedRecord().getNestedUpdateBehaviorAttribute()).isEqualTo( + TEST_BEHAVIOUR_ATTRIBUTE); + assertThat(persistedRecord.getNestedRecord().getNestedRecord().getAttribute()).isEqualTo( + TEST_ATTRIBUTE); + assertThat(persistedRecord.getNestedRecord().getNestedRecord().getNestedTimeAttribute()).isEqualTo(INSTANT_1); + } + + private void verifySingleLevelNestingTargetedUpdateBehavior(RecordWithUpdateBehaviors persistedRecord, + long updatedNestedCounter, String testAttribute) { + assertThat(persistedRecord.getNestedRecord()).isNotNull(); + assertThat(persistedRecord.getNestedRecord().getNestedCounter()).isEqualTo(updatedNestedCounter); + assertThat(persistedRecord.getNestedRecord().getNestedUpdateBehaviorAttribute()).isEqualTo(TEST_BEHAVIOUR_ATTRIBUTE); + assertThat(persistedRecord.getNestedRecord().getNestedTimeAttribute()).isEqualTo(INSTANT_1); + assertThat(persistedRecord.getNestedRecord().getAttribute()).isEqualTo(testAttribute); + } + + @Test + public void when_updatingNestedObjectWithMultipleLevels_existingInformationIsPreserved() { + + NestedRecordWithUpdateBehavior nestedRecord1 = createNestedWithDefaults("id789", 50L); + + NestedRecordWithUpdateBehavior nestedRecord2 = createNestedWithDefaults("id456", 0L); + nestedRecord2.setNestedRecord(nestedRecord1); + + RecordWithUpdateBehaviors record = new RecordWithUpdateBehaviors(); + record.setId("id123"); + record.setNestedRecord(nestedRecord2); + + mappedTable.putItem(record); + + NestedRecordWithUpdateBehavior updatedNestedRecord2 = new NestedRecordWithUpdateBehavior(); + long innerNestedCounter = 100L; + updatedNestedRecord2.setNestedCounter(innerNestedCounter); + updatedNestedRecord2.setAttribute(TEST_ATTRIBUTE); + + NestedRecordWithUpdateBehavior updatedNestedRecord1 = new NestedRecordWithUpdateBehavior(); + updatedNestedRecord1.setNestedRecord(updatedNestedRecord2); + long outerNestedCounter = 200L; + updatedNestedRecord1.setNestedCounter(outerNestedCounter); + + RecordWithUpdateBehaviors update_record = new RecordWithUpdateBehaviors(); + update_record.setId("id123"); + update_record.setVersion(1L); + update_record.setNestedRecord(updatedNestedRecord1); + + mappedTable.updateItem(r -> r.item(update_record).ignoreNulls(true)); + + RecordWithUpdateBehaviors persistedRecord = mappedTable.getItem(r -> r.key(k -> k.partitionValue("id123"))); + + verifyMultipleLevelNestingTargetedUpdateBehavior(persistedRecord, outerNestedCounter, innerNestedCounter); + } + + @Test + public void when_updatingNestedNonScalarObject_DynamoDBExceptionIsThrown() { + + NestedRecordWithUpdateBehavior nestedRecord = createNestedWithDefaults("id456", 5L); + nestedRecord.setAttribute(TEST_ATTRIBUTE); + + RecordWithUpdateBehaviors record = new RecordWithUpdateBehaviors(); + record.setId("id123"); + + mappedTable.putItem(record); + + RecordWithUpdateBehaviors update_record = new RecordWithUpdateBehaviors(); + update_record.setId("id123"); + update_record.setVersion(1L); + update_record.setKey("abc"); + update_record.setNestedRecord(nestedRecord); + + assertThatThrownBy(() -> mappedTable.updateItem(r -> r.item(update_record).ignoreNulls(true))) + .isInstanceOf(DynamoDbException.class); + } + + @Test + public void when_emptyNestedRecordIsSet_emotyMapIsStoredInTable() { + String key = "id123"; + + RecordWithUpdateBehaviors record = new RecordWithUpdateBehaviors(); + record.setId(key); + record.setNestedRecord(new NestedRecordWithUpdateBehavior()); + + mappedTable.updateItem(r -> r.item(record).ignoreNulls(true)); + + GetItemResponse getItemResponse = getDynamoDbClient().getItem(GetItemRequest.builder() + .key(Collections.singletonMap("id", + AttributeValue.fromS(key))) + .tableName(getConcreteTableName("table-name")) + .build()); + + assertThat(getItemResponse.item().get("nestedRecord")).isNotNull(); + assertThat(getItemResponse.item().get("nestedRecord").toString()).isEqualTo("AttributeValue(M={nestedTimeAttribute" + + "=AttributeValue(NUL=true), " + + "nestedRecord=AttributeValue(NUL=true), " + + "attribute=AttributeValue(NUL=true), " + + "id=AttributeValue(NUL=true), " + + "nestedUpdateBehaviorAttribute=AttributeValue" + + "(NUL=true), nestedCounter=AttributeValue" + + "(NUL=true), nestedVersionedAttribute" + + "=AttributeValue(NUL=true)})"); + } + + + @Test + public void when_updatingNestedObjectWithSingleLevelFlattened_existingInformationIsPreserved() { + + NestedRecordWithUpdateBehavior nestedRecord = createNestedWithDefaults("id123", 10L); + + CompositeRecord compositeRecord = new CompositeRecord(); + compositeRecord.setNestedRecord(nestedRecord); + + FlattenRecord flattenRecord = new FlattenRecord(); + flattenRecord.setCompositeRecord(compositeRecord); + flattenRecord.setId("id456"); + + flattenedMappedTable.putItem(r -> r.item(flattenRecord)); + + NestedRecordWithUpdateBehavior updateNestedRecord = new NestedRecordWithUpdateBehavior(); + updateNestedRecord.setNestedCounter(100L); + + CompositeRecord updateCompositeRecord = new CompositeRecord(); + updateCompositeRecord.setNestedRecord(updateNestedRecord); + + FlattenRecord updatedFlattenRecord = new FlattenRecord(); + updatedFlattenRecord.setId("id456"); + updatedFlattenRecord.setCompositeRecord(updateCompositeRecord); + + FlattenRecord persistedFlattenedRecord = flattenedMappedTable.updateItem(r -> r.item(updatedFlattenRecord).ignoreNulls(true)); + + assertThat(persistedFlattenedRecord.getCompositeRecord()).isNotNull(); + assertThat(persistedFlattenedRecord.getCompositeRecord().getNestedRecord().getNestedCounter()).isEqualTo(100L); + } + + @Test + public void when_updatingNestedObjectWithMultipleLevelFlattened_existingInformationIsPreserved() { + + NestedRecordWithUpdateBehavior outerNestedRecord = createNestedWithDefaults("id123", 10L); + NestedRecordWithUpdateBehavior innerNestedRecord = createNestedWithDefaults("id456", 5L); + outerNestedRecord.setNestedRecord(innerNestedRecord); + + CompositeRecord compositeRecord = new CompositeRecord(); + compositeRecord.setNestedRecord(outerNestedRecord); + + FlattenRecord flattenRecord = new FlattenRecord(); + flattenRecord.setCompositeRecord(compositeRecord); + flattenRecord.setId("id789"); + + flattenedMappedTable.putItem(r -> r.item(flattenRecord)); + + NestedRecordWithUpdateBehavior updateOuterNestedRecord = new NestedRecordWithUpdateBehavior(); + updateOuterNestedRecord.setNestedCounter(100L); + + NestedRecordWithUpdateBehavior updateInnerNestedRecord = new NestedRecordWithUpdateBehavior(); + updateInnerNestedRecord.setNestedCounter(50L); + + updateOuterNestedRecord.setNestedRecord(updateInnerNestedRecord); + + CompositeRecord updateCompositeRecord = new CompositeRecord(); + updateCompositeRecord.setNestedRecord(updateOuterNestedRecord); + + FlattenRecord updateFlattenRecord = new FlattenRecord(); + updateFlattenRecord.setCompositeRecord(updateCompositeRecord); + updateFlattenRecord.setId("id789"); + + FlattenRecord persistedFlattenedRecord = flattenedMappedTable.updateItem(r -> r.item(updateFlattenRecord).ignoreNulls(true)); + + assertThat(persistedFlattenedRecord.getCompositeRecord()).isNotNull(); + assertThat(persistedFlattenedRecord.getCompositeRecord().getNestedRecord().getNestedCounter()).isEqualTo(100L); + assertThat(persistedFlattenedRecord.getCompositeRecord().getNestedRecord().getNestedRecord().getNestedCounter()).isEqualTo(50L); + } + + /** * Currently, nested records are not updated through extensions. */ diff --git a/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/models/CompositeRecord.java b/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/models/CompositeRecord.java new file mode 100644 index 000000000000..ad9ac6405a58 --- /dev/null +++ b/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/models/CompositeRecord.java @@ -0,0 +1,49 @@ +/* + * 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.enhanced.dynamodb.functionaltests.models; + +import java.util.Objects; +import software.amazon.awssdk.enhanced.dynamodb.mapper.annotations.DynamoDbBean; + +@DynamoDbBean +public class CompositeRecord { + private NestedRecordWithUpdateBehavior nestedRecord; + + public void setNestedRecord(NestedRecordWithUpdateBehavior nestedRecord) { + this.nestedRecord = nestedRecord; + } + + public NestedRecordWithUpdateBehavior getNestedRecord() { + return nestedRecord; + } + + @Override + public boolean equals(Object o) { + if (this == o) { + return true; + } + if (o == null || getClass() != o.getClass()) { + return false; + } + CompositeRecord that = (CompositeRecord) o; + return Objects.equals(that, this); + } + + @Override + public int hashCode() { + return Objects.hash(nestedRecord); + } +} diff --git a/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/models/FlattenRecord.java b/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/models/FlattenRecord.java new file mode 100644 index 000000000000..8506fdf5468f --- /dev/null +++ b/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/models/FlattenRecord.java @@ -0,0 +1,51 @@ +/* + * 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.enhanced.dynamodb.functionaltests.models; + +import software.amazon.awssdk.enhanced.dynamodb.mapper.annotations.DynamoDbBean; +import software.amazon.awssdk.enhanced.dynamodb.mapper.annotations.DynamoDbFlatten; +import software.amazon.awssdk.enhanced.dynamodb.mapper.annotations.DynamoDbPartitionKey; + +@DynamoDbBean +public class FlattenRecord { + private String id; + private String flattenBehaviourAttribute; + private CompositeRecord compositeRecord; + + @DynamoDbPartitionKey + public String getId() { + return this.id; + } + public void setId(String id) { + this.id = id; + } + + public String getFlattenBehaviourAttribute() { + return flattenBehaviourAttribute; + } + public void setFlattenBehaviourAttribute(String flattenBehaviourAttribute) { + this.flattenBehaviourAttribute = flattenBehaviourAttribute; + } + + @DynamoDbFlatten + public CompositeRecord getCompositeRecord() { + return compositeRecord; + } + public void setCompositeRecord(CompositeRecord compositeRecord) { + this.compositeRecord = compositeRecord; + } +} + diff --git a/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/models/NestedRecordWithUpdateBehavior.java b/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/models/NestedRecordWithUpdateBehavior.java index 9e31533d97bd..883a89813c1a 100644 --- a/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/models/NestedRecordWithUpdateBehavior.java +++ b/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/models/NestedRecordWithUpdateBehavior.java @@ -32,6 +32,8 @@ public class NestedRecordWithUpdateBehavior { private Long nestedVersionedAttribute; private Instant nestedTimeAttribute; private Long nestedCounter; + private NestedRecordWithUpdateBehavior nestedRecord; + private String attribute; @DynamoDbPartitionKey public String getId() { @@ -77,4 +79,20 @@ public Long getNestedCounter() { public void setNestedCounter(Long nestedCounter) { this.nestedCounter = nestedCounter; } + + public NestedRecordWithUpdateBehavior getNestedRecord() { + return nestedRecord; + } + + public void setNestedRecord(NestedRecordWithUpdateBehavior nestedRecord) { + this.nestedRecord = nestedRecord; + } + + public String getAttribute() { + return attribute; + } + + public void setAttribute(String attribute) { + this.attribute = attribute; + } } diff --git a/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/models/RecordWithUpdateBehaviors.java b/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/models/RecordWithUpdateBehaviors.java index 9b2921b74464..8bd874fee002 100644 --- a/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/models/RecordWithUpdateBehaviors.java +++ b/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/models/RecordWithUpdateBehaviors.java @@ -39,6 +39,7 @@ public class RecordWithUpdateBehaviors { private Instant lastAutoUpdatedOnMillis; private Instant formattedLastAutoUpdatedOn; private NestedRecordWithUpdateBehavior nestedRecord; + private String key; @DynamoDbPartitionKey public String getId() { @@ -49,6 +50,15 @@ public void setId(String id) { this.id = id; } + public String getKey() { + return key; + } + + public void setKey(String key) { + this.key = key; + } + + @DynamoDbUpdateBehavior(WRITE_IF_NOT_EXISTS) @DynamoDbAttribute("created-on") // Forces a test on attribute name cleaning public Instant getCreatedOn() { From dbf71e68c92fde08180f0ebb86c278850c7ce0eb Mon Sep 17 00:00:00 2001 From: AWS <> Date: Wed, 4 Sep 2024 18:08:46 +0000 Subject: [PATCH 012/108] Amazon CloudWatch Logs Update: Update to support new APIs for delivery of logs from AWS services. --- .../feature-AmazonCloudWatchLogs-c0dad02.json | 6 + .../codegen-resources/paginators-1.json | 6 + .../codegen-resources/service-2.json | 292 +++++++++++++++++- 3 files changed, 296 insertions(+), 8 deletions(-) create mode 100644 .changes/next-release/feature-AmazonCloudWatchLogs-c0dad02.json diff --git a/.changes/next-release/feature-AmazonCloudWatchLogs-c0dad02.json b/.changes/next-release/feature-AmazonCloudWatchLogs-c0dad02.json new file mode 100644 index 000000000000..3805e9252615 --- /dev/null +++ b/.changes/next-release/feature-AmazonCloudWatchLogs-c0dad02.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Amazon CloudWatch Logs", + "contributor": "", + "description": "Update to support new APIs for delivery of logs from AWS services." +} diff --git a/services/cloudwatchlogs/src/main/resources/codegen-resources/paginators-1.json b/services/cloudwatchlogs/src/main/resources/codegen-resources/paginators-1.json index 392595c6ccb5..eefe990127a2 100644 --- a/services/cloudwatchlogs/src/main/resources/codegen-resources/paginators-1.json +++ b/services/cloudwatchlogs/src/main/resources/codegen-resources/paginators-1.json @@ -1,5 +1,11 @@ { "pagination": { + "DescribeConfigurationTemplates": { + "input_token": "nextToken", + "limit_key": "limit", + "output_token": "nextToken", + "result_key": "configurationTemplates" + }, "DescribeDeliveries": { "input_token": "nextToken", "limit_key": "limit", diff --git a/services/cloudwatchlogs/src/main/resources/codegen-resources/service-2.json b/services/cloudwatchlogs/src/main/resources/codegen-resources/service-2.json index dfbbad772694..f92baf9c9a33 100644 --- a/services/cloudwatchlogs/src/main/resources/codegen-resources/service-2.json +++ b/services/cloudwatchlogs/src/main/resources/codegen-resources/service-2.json @@ -375,6 +375,22 @@ ], "documentation":"

Returns a list of all CloudWatch Logs account policies in the account.

" }, + "DescribeConfigurationTemplates":{ + "name":"DescribeConfigurationTemplates", + "http":{ + "method":"POST", + "requestUri":"/" + }, + "input":{"shape":"DescribeConfigurationTemplatesRequest"}, + "output":{"shape":"DescribeConfigurationTemplatesResponse"}, + "errors":[ + {"shape":"ServiceUnavailableException"}, + {"shape":"ValidationException"}, + {"shape":"ResourceNotFoundException"}, + {"shape":"ThrottlingException"} + ], + "documentation":"

Use this operation to return the valid and default values that are used when creating delivery sources, delivery destinations, and deliveries. For more information about deliveries, see CreateDelivery.

" + }, "DescribeDeliveries":{ "name":"DescribeDeliveries", "http":{ @@ -1153,6 +1169,24 @@ ], "documentation":"

Use this operation to suppress anomaly detection for a specified anomaly or pattern. If you suppress an anomaly, CloudWatch Logs won’t report new occurrences of that anomaly and won't update that anomaly with new data. If you suppress a pattern, CloudWatch Logs won’t report any anomalies related to that pattern.

You must specify either anomalyId or patternId, but you can't specify both parameters in the same operation.

If you have previously used this operation to suppress detection of a pattern or anomaly, you can use it again to cause CloudWatch Logs to end the suppression. To do this, use this operation and specify the anomaly or pattern to stop suppressing, and omit the suppressionType and suppressionPeriod parameters.

" }, + "UpdateDeliveryConfiguration":{ + "name":"UpdateDeliveryConfiguration", + "http":{ + "method":"POST", + "requestUri":"/" + }, + "input":{"shape":"UpdateDeliveryConfigurationRequest"}, + "output":{"shape":"UpdateDeliveryConfigurationResponse"}, + "errors":[ + {"shape":"ServiceUnavailableException"}, + {"shape":"ConflictException"}, + {"shape":"ResourceNotFoundException"}, + {"shape":"ValidationException"}, + {"shape":"AccessDeniedException"}, + {"shape":"ThrottlingException"} + ], + "documentation":"

Use this operation to update the configuration of a delivery to change either the S3 path pattern or the format of the delivered logs. You can't use this operation to change the source or destination of the delivery.

" + }, "UpdateLogAnomalyDetector":{ "name":"UpdateLogAnomalyDetector", "http":{ @@ -1232,6 +1266,15 @@ "documentation":"

A structure that contains information about one CloudWatch Logs account policy.

" }, "AccountPolicyDocument":{"type":"string"}, + "AllowedActionForAllowVendedLogsDeliveryForResource":{"type":"string"}, + "AllowedFieldDelimiters":{ + "type":"list", + "member":{"shape":"FieldDelimiter"} + }, + "AllowedFields":{ + "type":"list", + "member":{"shape":"RecordField"} + }, "AmazonResourceName":{ "type":"string", "max":1011, @@ -1448,6 +1491,74 @@ "min":36, "pattern":"\\S{36,128}" }, + "ConfigurationTemplate":{ + "type":"structure", + "members":{ + "service":{ + "shape":"Service", + "documentation":"

A string specifying which service this configuration template applies to. For more information about supported services see Enable logging from Amazon Web Services services..

" + }, + "logType":{ + "shape":"LogType", + "documentation":"

A string specifying which log type this configuration template applies to.

" + }, + "resourceType":{ + "shape":"ResourceType", + "documentation":"

A string specifying which resource type this configuration template applies to.

" + }, + "deliveryDestinationType":{ + "shape":"DeliveryDestinationType", + "documentation":"

A string specifying which destination type this configuration template applies to.

" + }, + "defaultDeliveryConfigValues":{ + "shape":"ConfigurationTemplateDeliveryConfigValues", + "documentation":"

A mapping that displays the default value of each property within a delivery’s configuration, if it is not specified in the request.

" + }, + "allowedFields":{ + "shape":"AllowedFields", + "documentation":"

The allowed fields that a caller can use in the recordFields parameter of a CreateDelivery or UpdateDeliveryConfiguration operation.

" + }, + "allowedOutputFormats":{ + "shape":"OutputFormats", + "documentation":"

The list of delivery destination output formats that are supported by this log source.

" + }, + "allowedActionForAllowVendedLogsDeliveryForResource":{ + "shape":"AllowedActionForAllowVendedLogsDeliveryForResource", + "documentation":"

The action permissions that a caller needs to have to be able to successfully create a delivery source on the desired resource type when calling PutDeliverySource.

" + }, + "allowedFieldDelimiters":{ + "shape":"AllowedFieldDelimiters", + "documentation":"

The valid values that a caller can use as field delimiters when calling CreateDelivery or UpdateDeliveryConfiguration on a delivery that delivers in Plain, W3C, or Raw format.

" + }, + "allowedSuffixPathFields":{ + "shape":"RecordFields", + "documentation":"

The list of variable fields that can be used in the suffix path of a delivery that delivers to an S3 bucket.

" + } + }, + "documentation":"

A structure containing information about the deafult settings and available settings that you can use to configure a delivery or a delivery destination.

" + }, + "ConfigurationTemplateDeliveryConfigValues":{ + "type":"structure", + "members":{ + "recordFields":{ + "shape":"RecordFields", + "documentation":"

The default record fields that will be delivered when a list of record fields is not provided in a CreateDelivery operation.

" + }, + "fieldDelimiter":{ + "shape":"FieldDelimiter", + "documentation":"

The default field delimiter that is used in a CreateDelivery operation when the field delimiter is not specified in that operation. The field delimiter is used only when the final output delivery is in Plain, W3C, or Raw format.

" + }, + "s3DeliveryConfiguration":{ + "shape":"S3DeliveryConfiguration", + "documentation":"

The delivery parameters that are used when you create a delivery to a delivery destination that is an S3 Bucket.

" + } + }, + "documentation":"

This structure contains the default values that are used for each configuration parameter when you use CreateDelivery to create a deliver under the current service type, resource type, and log type.

" + }, + "ConfigurationTemplates":{ + "type":"list", + "member":{"shape":"ConfigurationTemplate"} + }, "ConflictException":{ "type":"structure", "members":{ @@ -1471,6 +1582,18 @@ "shape":"Arn", "documentation":"

The ARN of the delivery destination to use for this delivery.

" }, + "recordFields":{ + "shape":"RecordFields", + "documentation":"

The list of record fields to be delivered to the destination, in order. If the delivery’s log source has mandatory fields, they must be included in this list.

" + }, + "fieldDelimiter":{ + "shape":"FieldDelimiter", + "documentation":"

The field delimiter to use between record fields when the final output format of a delivery is in Plain, W3C, or Raw format.

" + }, + "s3DeliveryConfiguration":{ + "shape":"S3DeliveryConfiguration", + "documentation":"

This structure contains parameters that are valid only when the delivery’s delivery destination is an S3 bucket.

" + }, "tags":{ "shape":"Tags", "documentation":"

An optional list of key-value pairs to associate with the resource.

For more information about tagging, see Tagging Amazon Web Services resources

" @@ -1852,6 +1975,18 @@ "shape":"DeliveryDestinationType", "documentation":"

Displays whether the delivery destination associated with this delivery is CloudWatch Logs, Amazon S3, or Firehose.

" }, + "recordFields":{ + "shape":"RecordFields", + "documentation":"

The record fields used in this delivery.

" + }, + "fieldDelimiter":{ + "shape":"FieldDelimiter", + "documentation":"

The field delimiter that is used between record fields when the final output format of a delivery is in Plain, W3C, or Raw format.

" + }, + "s3DeliveryConfiguration":{ + "shape":"S3DeliveryConfiguration", + "documentation":"

This structure contains delivery configurations that apply only when the delivery destination resource is an S3 bucket.

" + }, "tags":{ "shape":"Tags", "documentation":"

The tags that have been assigned to this delivery.

" @@ -1919,6 +2054,12 @@ "FH" ] }, + "DeliveryDestinationTypes":{ + "type":"list", + "member":{"shape":"DeliveryDestinationType"}, + "max":3, + "min":1 + }, "DeliveryDestinations":{ "type":"list", "member":{"shape":"DeliveryDestination"} @@ -1969,6 +2110,11 @@ "type":"list", "member":{"shape":"DeliverySource"} }, + "DeliverySuffixPath":{ + "type":"string", + "max":256, + "min":1 + }, "Descending":{"type":"boolean"}, "DescribeAccountPoliciesRequest":{ "type":"structure", @@ -1997,6 +2143,42 @@ } } }, + "DescribeConfigurationTemplatesRequest":{ + "type":"structure", + "members":{ + "service":{ + "shape":"Service", + "documentation":"

Use this parameter to filter the response to include only the configuration templates that apply to the Amazon Web Services service that you specify here.

" + }, + "logTypes":{ + "shape":"LogTypes", + "documentation":"

Use this parameter to filter the response to include only the configuration templates that apply to the log types that you specify here.

" + }, + "resourceTypes":{ + "shape":"ResourceTypes", + "documentation":"

Use this parameter to filter the response to include only the configuration templates that apply to the resource types that you specify here.

" + }, + "deliveryDestinationTypes":{ + "shape":"DeliveryDestinationTypes", + "documentation":"

Use this parameter to filter the response to include only the configuration templates that apply to the delivery destination types that you specify here.

" + }, + "nextToken":{"shape":"NextToken"}, + "limit":{ + "shape":"DescribeLimit", + "documentation":"

Use this parameter to limit the number of configuration templates that are returned in the response.

" + } + } + }, + "DescribeConfigurationTemplatesResponse":{ + "type":"structure", + "members":{ + "configurationTemplates":{ + "shape":"ConfigurationTemplates", + "documentation":"

An array of objects, where each object describes one configuration template that matches the filters that you specified in the request.

" + }, + "nextToken":{"shape":"NextToken"} + } + }, "DescribeDeliveriesRequest":{ "type":"structure", "members":{ @@ -2450,14 +2632,14 @@ "members":{ "keyAttributes":{ "shape":"EntityKeyAttributes", - "documentation":"

Reserved for future use.

" + "documentation":"

Reserved for internal use.

" }, "attributes":{ "shape":"EntityAttributes", - "documentation":"

Reserved for future use.

" + "documentation":"

Reserved for internal use.

" } }, - "documentation":"

Reserved for future use.

" + "documentation":"

Reserved for internal use.

" }, "EntityAttributes":{ "type":"map", @@ -2644,6 +2826,16 @@ "value":{"shape":"Value"} }, "Field":{"type":"string"}, + "FieldDelimiter":{ + "type":"string", + "max":5, + "min":0 + }, + "FieldHeader":{ + "type":"string", + "max":64, + "min":1 + }, "FilterCount":{"type":"integer"}, "FilterLogEventsRequest":{ "type":"structure", @@ -3510,6 +3702,12 @@ "min":1, "pattern":"[\\w]*" }, + "LogTypes":{ + "type":"list", + "member":{"shape":"LogType"}, + "max":10, + "min":1 + }, "MalformedQueryException":{ "type":"structure", "members":{ @@ -3654,6 +3852,10 @@ "parquet" ] }, + "OutputFormats":{ + "type":"list", + "member":{"shape":"OutputFormat"} + }, "OutputLogEvent":{ "type":"structure", "members":{ @@ -3997,7 +4199,7 @@ }, "entity":{ "shape":"Entity", - "documentation":"

Reserved for future use.

" + "documentation":"

Reserved for internal use.

" } } }, @@ -4014,7 +4216,7 @@ }, "rejectedEntityInfo":{ "shape":"RejectedEntityInfo", - "documentation":"

Reserved for future use.

" + "documentation":"

Reserved for internal use.

" } } }, @@ -4303,16 +4505,36 @@ "max":10000, "min":0 }, + "RecordField":{ + "type":"structure", + "members":{ + "name":{ + "shape":"FieldHeader", + "documentation":"

The name to use when specifying this record field in a CreateDelivery or UpdateDeliveryConfiguration operation.

" + }, + "mandatory":{ + "shape":"Boolean", + "documentation":"

If this is true, the record field must be present in the recordFields parameter provided to a CreateDelivery or UpdateDeliveryConfiguration operation.

" + } + }, + "documentation":"

A structure that represents a valid record field header and whether it is mandatory.

" + }, + "RecordFields":{ + "type":"list", + "member":{"shape":"FieldHeader"}, + "max":128, + "min":0 + }, "RejectedEntityInfo":{ "type":"structure", "required":["errorType"], "members":{ "errorType":{ "shape":"EntityRejectionErrorType", - "documentation":"

Reserved for future use.

" + "documentation":"

Reserved for internal use.

" } }, - "documentation":"

Reserved for future use.

" + "documentation":"

Reserved for internal use.

" }, "RejectedLogEventsInfo":{ "type":"structure", @@ -4383,6 +4605,18 @@ }, "documentation":"

A policy enabling one or more entities to put logs to a log group in this account.

" }, + "ResourceType":{ + "type":"string", + "max":255, + "min":1, + "pattern":"[\\w-_]*" + }, + "ResourceTypes":{ + "type":"list", + "member":{"shape":"ResourceType"}, + "max":10, + "min":1 + }, "ResultField":{ "type":"structure", "members":{ @@ -4405,6 +4639,21 @@ "type":"string", "min":1 }, + "S3DeliveryConfiguration":{ + "type":"structure", + "members":{ + "suffixPath":{ + "shape":"DeliverySuffixPath", + "documentation":"

This string allows re-configuring the S3 object prefix to contain either static or variable sections. The valid variables to use in the suffix path will vary by each log source. See ConfigurationTemplate$allowedSuffixPathFields for more info on what values are supported in the suffix path for each log source.

" + }, + "enableHiveCompatiblePath":{ + "shape":"Boolean", + "documentation":"

This parameter causes the S3 objects that contain delivered logs to use a prefix structure that allows for integration with Apache Hive.

", + "box":true + } + }, + "documentation":"

This structure contains delivery configurations that apply only when the delivery destination resource is an S3 bucket.

" + }, "Scope":{ "type":"string", "enum":["ALL"] @@ -4436,7 +4685,7 @@ "type":"string", "max":255, "min":1, - "pattern":"[\\w]*" + "pattern":"[\\w_-]*" }, "ServiceQuotaExceededException":{ "type":"structure", @@ -4916,6 +5165,33 @@ } } }, + "UpdateDeliveryConfigurationRequest":{ + "type":"structure", + "required":["id"], + "members":{ + "id":{ + "shape":"DeliveryId", + "documentation":"

The ID of the delivery to be updated by this request.

" + }, + "recordFields":{ + "shape":"RecordFields", + "documentation":"

The list of record fields to be delivered to the destination, in order. If the delivery’s log source has mandatory fields, they must be included in this list.

" + }, + "fieldDelimiter":{ + "shape":"FieldDelimiter", + "documentation":"

The field delimiter to use between record fields when the final output format of a delivery is in Plain, W3C, or Raw format.

" + }, + "s3DeliveryConfiguration":{ + "shape":"S3DeliveryConfiguration", + "documentation":"

This structure contains parameters that are valid only when the delivery’s delivery destination is an S3 bucket.

" + } + } + }, + "UpdateDeliveryConfigurationResponse":{ + "type":"structure", + "members":{ + } + }, "UpdateLogAnomalyDetectorRequest":{ "type":"structure", "required":[ From f28463bfa5c2351597563742b08ee349a33b637d Mon Sep 17 00:00:00 2001 From: AWS <> Date: Wed, 4 Sep 2024 18:08:58 +0000 Subject: [PATCH 013/108] AWS S3 Control Update: Amazon Simple Storage Service /S3 Access Grants / Features : This release launches new Access Grants API - ListCallerAccessGrants. --- .../feature-AWSS3Control-42330c3.json | 6 + .../codegen-resources/paginators-1.json | 6 + .../codegen-resources/service-2.json | 191 +++++++++++++++--- 3 files changed, 170 insertions(+), 33 deletions(-) create mode 100644 .changes/next-release/feature-AWSS3Control-42330c3.json diff --git a/.changes/next-release/feature-AWSS3Control-42330c3.json b/.changes/next-release/feature-AWSS3Control-42330c3.json new file mode 100644 index 000000000000..c7987c33f4f8 --- /dev/null +++ b/.changes/next-release/feature-AWSS3Control-42330c3.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "AWS S3 Control", + "contributor": "", + "description": "Amazon Simple Storage Service /S3 Access Grants / Features : This release launches new Access Grants API - ListCallerAccessGrants." +} diff --git a/services/s3control/src/main/resources/codegen-resources/paginators-1.json b/services/s3control/src/main/resources/codegen-resources/paginators-1.json index 664795a93792..e081a50b139b 100644 --- a/services/s3control/src/main/resources/codegen-resources/paginators-1.json +++ b/services/s3control/src/main/resources/codegen-resources/paginators-1.json @@ -26,6 +26,12 @@ "limit_key": "MaxResults", "result_key": "ObjectLambdaAccessPointList" }, + "ListCallerAccessGrants": { + "input_token": "NextToken", + "output_token": "NextToken", + "limit_key": "MaxResults", + "result_key": "CallerAccessGrantsList" + }, "ListJobs": { "input_token": "NextToken", "output_token": "NextToken", diff --git a/services/s3control/src/main/resources/codegen-resources/service-2.json b/services/s3control/src/main/resources/codegen-resources/service-2.json index 080d0aae70d9..9a18ab4c1652 100644 --- a/services/s3control/src/main/resources/codegen-resources/service-2.json +++ b/services/s3control/src/main/resources/codegen-resources/service-2.json @@ -4,11 +4,13 @@ "apiVersion":"2018-08-20", "endpointPrefix":"s3-control", "protocol":"rest-xml", + "protocols":["rest-xml"], "serviceFullName":"AWS S3 Control", "serviceId":"S3 Control", "signatureVersion":"s3v4", "signingName":"s3", - "uid":"s3control-2018-08-20" + "uid":"s3control-2018-08-20", + "auth":["aws.auth#sigv4"] }, "operations":{ "AssociateAccessGrantsIdentityCenter":{ @@ -600,7 +602,7 @@ }, "input":{"shape":"GetAccessGrantsInstanceRequest"}, "output":{"shape":"GetAccessGrantsInstanceResult"}, - "documentation":"

Retrieves the S3 Access Grants instance for a Region in your account.

Permissions

You must have the s3:GetAccessGrantsInstance permission to use this operation.

", + "documentation":"

Retrieves the S3 Access Grants instance for a Region in your account.

Permissions

You must have the s3:GetAccessGrantsInstance permission to use this operation.

GetAccessGrantsInstance is not supported for cross-account access. You can only call the API from the account that owns the S3 Access Grants instance.

", "endpoint":{ "hostPrefix":"{AccountId}." }, @@ -1124,6 +1126,23 @@ "RequiresAccountId":{"value":true} } }, + "ListCallerAccessGrants":{ + "name":"ListCallerAccessGrants", + "http":{ + "method":"GET", + "requestUri":"/v20180820/accessgrantsinstance/caller/grants" + }, + "input":{"shape":"ListCallerAccessGrantsRequest"}, + "output":{"shape":"ListCallerAccessGrantsResult"}, + "documentation":"

Returns a list of the access grants that were given to the caller using S3 Access Grants and that allow the caller to access the S3 data of the Amazon Web Services account specified in the request.

Permissions

You must have the s3:ListCallerAccessGrants permission to use this operation.

", + "endpoint":{ + "hostPrefix":"{AccountId}." + }, + "httpChecksumRequired":true, + "staticContextParams":{ + "RequiresAccountId":{"value":true} + } + }, "ListJobs":{ "name":"ListJobs", "http":{ @@ -1746,7 +1765,7 @@ }, "VpcConfiguration":{ "shape":"VpcConfiguration", - "documentation":"

The virtual private cloud (VPC) configuration for this access point, if one exists.

This element is empty if this access point is an Amazon S3 on Outposts access point that is used by other Amazon Web Services.

" + "documentation":"

The virtual private cloud (VPC) configuration for this access point, if one exists.

This element is empty if this access point is an Amazon S3 on Outposts access point that is used by other Amazon Web Servicesservices.

" }, "Bucket":{ "shape":"BucketName", @@ -1859,7 +1878,7 @@ "members":{ "AccountId":{ "shape":"AccountId", - "documentation":"

The ID of the Amazon Web Services account that is making this request.

", + "documentation":"

The Amazon Web Services account ID of the S3 Access Grants instance.

", "contextParam":{"name":"AccountId"}, "hostLabel":true, "location":"header", @@ -2087,6 +2106,13 @@ "locationName":"Arn" } }, + "CallerAccessGrantsList":{ + "type":"list", + "member":{ + "shape":"ListCallerAccessGrantsEntry", + "locationName":"AccessGrant" + } + }, "CloudWatchMetrics":{ "type":"structure", "required":["IsEnabled"], @@ -2118,7 +2144,7 @@ "members":{ "AccountId":{ "shape":"AccountId", - "documentation":"

The ID of the Amazon Web Services account that is making this request.

", + "documentation":"

The Amazon Web Services account ID of the S3 Access Grants instance.

", "contextParam":{"name":"AccountId"}, "hostLabel":true, "location":"header", @@ -2201,7 +2227,7 @@ "members":{ "AccountId":{ "shape":"AccountId", - "documentation":"

The ID of the Amazon Web Services account that is making this request.

", + "documentation":"

The Amazon Web Services account ID of the S3 Access Grants instance.

", "contextParam":{"name":"AccountId"}, "hostLabel":true, "location":"header", @@ -2230,11 +2256,21 @@ }, "AccessGrantsInstanceArn":{ "shape":"AccessGrantsInstanceArn", - "documentation":"

The Amazon Resource Name (ARN) of the S3 Access Grants instance.

" + "documentation":"

The Amazon Resource Name (ARN) of the Amazon Web Services IAM Identity Center instance that you are associating with your S3 Access Grants instance. An IAM Identity Center instance is your corporate identity directory that you added to the IAM Identity Center. You can use the ListInstances API operation to retrieve a list of your Identity Center instances and their ARNs.

" }, "IdentityCenterArn":{ "shape":"IdentityCenterArn", - "documentation":"

If you associated your S3 Access Grants instance with an Amazon Web Services IAM Identity Center instance, this field returns the Amazon Resource Name (ARN) of the IAM Identity Center instance application; a subresource of the original Identity Center instance passed in the request. S3 Access Grants creates this Identity Center application for this specific S3 Access Grants instance.

" + "documentation":"

If you associated your S3 Access Grants instance with an Amazon Web Services IAM Identity Center instance, this field returns the Amazon Resource Name (ARN) of the IAM Identity Center instance application; a subresource of the original Identity Center instance. S3 Access Grants creates this Identity Center application for the specific S3 Access Grants instance.

", + "deprecated":true, + "deprecatedMessage":"IdentityCenterArn has been deprecated. Use IdentityCenterInstanceArn or IdentityCenterApplicationArn." + }, + "IdentityCenterInstanceArn":{ + "shape":"IdentityCenterArn", + "documentation":"

The Amazon Resource Name (ARN) of the Amazon Web Services IAM Identity Center instance that you are associating with your S3 Access Grants instance. An IAM Identity Center instance is your corporate identity directory that you added to the IAM Identity Center. You can use the ListInstances API operation to retrieve a list of your Identity Center instances and their ARNs.

" + }, + "IdentityCenterApplicationArn":{ + "shape":"IdentityCenterApplicationArn", + "documentation":"

If you associated your S3 Access Grants instance with an Amazon Web Services IAM Identity Center instance, this field returns the Amazon Resource Name (ARN) of the IAM Identity Center instance application; a subresource of the original Identity Center instance. S3 Access Grants creates this Identity Center application for the specific S3 Access Grants instance.

" } } }, @@ -2248,7 +2284,7 @@ "members":{ "AccountId":{ "shape":"AccountId", - "documentation":"

The ID of the Amazon Web Services account that is making this request.

", + "documentation":"

The Amazon Web Services account ID of the S3 Access Grants instance.

", "contextParam":{"name":"AccountId"}, "hostLabel":true, "location":"header", @@ -2672,7 +2708,7 @@ "members":{ "AccountId":{ "shape":"AccountId", - "documentation":"

The ID of the Amazon Web Services account that is making this request.

", + "documentation":"

The Amazon Web Services account ID of the S3 Access Grants instance.

", "contextParam":{"name":"AccountId"}, "hostLabel":true, "location":"header", @@ -2692,7 +2728,7 @@ "members":{ "AccountId":{ "shape":"AccountId", - "documentation":"

The ID of the Amazon Web Services account that is making this request.

", + "documentation":"

The Amazon Web Services account ID of the S3 Access Grants instance.

", "contextParam":{"name":"AccountId"}, "hostLabel":true, "location":"header", @@ -2706,7 +2742,7 @@ "members":{ "AccountId":{ "shape":"AccountId", - "documentation":"

The ID of the Amazon Web Services account that is making this request.

", + "documentation":"

The Amazon Web Services account ID of the S3 Access Grants instance.

", "contextParam":{"name":"AccountId"}, "hostLabel":true, "location":"header", @@ -2723,7 +2759,7 @@ "members":{ "AccountId":{ "shape":"AccountId", - "documentation":"

The ID of the Amazon Web Services account that is making this request.

", + "documentation":"

The Amazon Web Services account ID of the S3 Access Grants instance.

", "contextParam":{"name":"AccountId"}, "hostLabel":true, "location":"header", @@ -3247,7 +3283,7 @@ "members":{ "AccountId":{ "shape":"AccountId", - "documentation":"

The ID of the Amazon Web Services account that is making this request.

", + "documentation":"

The Amazon Web Services account ID of the S3 Access Grants instance.

", "contextParam":{"name":"AccountId"}, "hostLabel":true, "location":"header", @@ -3270,7 +3306,7 @@ "box":true } }, - "documentation":"

Specifies encryption-related information for an Amazon S3 bucket that is a destination for replicated objects.

This is not supported by Amazon S3 on Outposts buckets.

" + "documentation":"

Specifies encryption-related information for an Amazon S3 bucket that is a destination for replicated objects. If you're specifying a customer managed KMS key, we recommend using a fully qualified KMS key ARN. If you use a KMS key alias instead, then KMS resolves the key within the requester’s account. This behavior can result in data that's encrypted with a KMS key that belongs to the requester, and not the bucket owner.

This is not supported by Amazon S3 on Outposts buckets.

" }, "Endpoints":{ "type":"map", @@ -3375,7 +3411,7 @@ "members":{ "AccountId":{ "shape":"AccountId", - "documentation":"

The ID of the Amazon Web Services account that is making this request.

", + "documentation":"

The Amazon Web Services account ID of the S3 Access Grants instance.

", "contextParam":{"name":"AccountId"}, "hostLabel":true, "location":"header", @@ -3472,7 +3508,7 @@ "members":{ "AccountId":{ "shape":"AccountId", - "documentation":"

The ID of the Amazon Web Services account that is making this request.

", + "documentation":"

The Amazon Web Services account ID of the S3 Access Grants instance.

", "contextParam":{"name":"AccountId"}, "hostLabel":true, "location":"header", @@ -3486,7 +3522,7 @@ "members":{ "AccountId":{ "shape":"AccountId", - "documentation":"

The ID of the Amazon Web Services account that is making this request.

", + "documentation":"

The Amazon Web Services account ID of the S3 Access Grants instance.

", "contextParam":{"name":"AccountId"}, "hostLabel":true, "location":"header", @@ -3524,7 +3560,17 @@ }, "IdentityCenterArn":{ "shape":"IdentityCenterArn", - "documentation":"

If you associated your S3 Access Grants instance with an Amazon Web Services IAM Identity Center instance, this field returns the Amazon Resource Name (ARN) of the Amazon Web Services IAM Identity Center instance application; a subresource of the original Identity Center instance. S3 Access Grants creates this Identity Center application for the specific S3 Access Grants instance.

" + "documentation":"

If you associated your S3 Access Grants instance with an Amazon Web Services IAM Identity Center instance, this field returns the Amazon Resource Name (ARN) of the IAM Identity Center instance application; a subresource of the original Identity Center instance. S3 Access Grants creates this Identity Center application for the specific S3 Access Grants instance.

", + "deprecated":true, + "deprecatedMessage":"IdentityCenterArn has been deprecated. Use IdentityCenterInstanceArn or IdentityCenterApplicationArn." + }, + "IdentityCenterInstanceArn":{ + "shape":"IdentityCenterArn", + "documentation":"

The Amazon Resource Name (ARN) of the Amazon Web Services IAM Identity Center instance that you are associating with your S3 Access Grants instance. An IAM Identity Center instance is your corporate identity directory that you added to the IAM Identity Center. You can use the ListInstances API operation to retrieve a list of your Identity Center instances and their ARNs.

" + }, + "IdentityCenterApplicationArn":{ + "shape":"IdentityCenterApplicationArn", + "documentation":"

If you associated your S3 Access Grants instance with an Amazon Web Services IAM Identity Center instance, this field returns the Amazon Resource Name (ARN) of the IAM Identity Center instance application; a subresource of the original Identity Center instance. S3 Access Grants creates this Identity Center application for the specific S3 Access Grants instance.

" }, "CreatedAt":{ "shape":"CreationTimestamp", @@ -3541,7 +3587,7 @@ "members":{ "AccountId":{ "shape":"AccountId", - "documentation":"

The ID of the Amazon Web Services account that is making this request.

", + "documentation":"

The Amazon Web Services account ID of the S3 Access Grants instance.

", "contextParam":{"name":"AccountId"}, "hostLabel":true, "location":"header", @@ -3824,7 +3870,7 @@ }, "VpcConfiguration":{ "shape":"VpcConfiguration", - "documentation":"

Contains the virtual private cloud (VPC) configuration for the specified access point.

This element is empty if this access point is an Amazon S3 on Outposts access point that is used by other Amazon Web Services.

" + "documentation":"

Contains the virtual private cloud (VPC) configuration for the specified access point.

This element is empty if this access point is an Amazon S3 on Outposts access point that is used by other Amazon Web Servicesservices.

" }, "PublicAccessBlockConfiguration":{"shape":"PublicAccessBlockConfiguration"}, "CreationDate":{ @@ -4071,7 +4117,7 @@ "members":{ "AccountId":{ "shape":"AccountId", - "documentation":"

The ID of the Amazon Web Services account that is making this request.

", + "documentation":"

The Amazon Web Services account ID of the S3 Access Grants instance.

", "contextParam":{"name":"AccountId"}, "hostLabel":true, "location":"header", @@ -4452,7 +4498,7 @@ "type":"string", "max":1224, "min":10, - "pattern":"arn:[^:]+:sso:.*$" + "pattern":"arn:[^:]+:sso::\\d{12}:application/.*$" }, "IdentityCenterArn":{ "type":"string", @@ -4997,15 +5043,15 @@ "members":{ "MatchAnyPrefix":{ "shape":"NonEmptyMaxLength1024StringList", - "documentation":"

If provided, the generated manifest includes objects where the specified string appears at the start of the object key string.

" + "documentation":"

If provided, the generated manifest includes objects where the specified string appears at the start of the object key string. Each KeyNameConstraint filter accepts an array of strings with a length of 1 string.

" }, "MatchAnySuffix":{ "shape":"NonEmptyMaxLength1024StringList", - "documentation":"

If provided, the generated manifest includes objects where the specified string appears at the end of the object key string.

" + "documentation":"

If provided, the generated manifest includes objects where the specified string appears at the end of the object key string. Each KeyNameConstraint filter accepts an array of strings with a length of 1 string.

" }, "MatchAnySubstring":{ "shape":"NonEmptyMaxLength1024StringList", - "documentation":"

If provided, the generated manifest includes objects where the specified string appears anywhere within the object key string.

" + "documentation":"

If provided, the generated manifest includes objects where the specified string appears anywhere within the object key string. Each KeyNameConstraint filter accepts an array of strings with a length of 1 string.

" } }, "documentation":"

If provided, the generated manifest includes only source bucket objects whose object keys match the string constraints specified for MatchAnyPrefix, MatchAnySuffix, and MatchAnySubstring.

" @@ -5215,6 +5261,16 @@ }, "IdentityCenterArn":{ "shape":"IdentityCenterArn", + "documentation":"

If you associated your S3 Access Grants instance with an Amazon Web Services IAM Identity Center instance, this field returns the Amazon Resource Name (ARN) of the IAM Identity Center instance application; a subresource of the original Identity Center instance. S3 Access Grants creates this Identity Center application for the specific S3 Access Grants instance.

", + "deprecated":true, + "deprecatedMessage":"IdentityCenterArn has been deprecated. Use IdentityCenterInstanceArn or IdentityCenterApplicationArn." + }, + "IdentityCenterInstanceArn":{ + "shape":"IdentityCenterArn", + "documentation":"

The Amazon Resource Name (ARN) of the Amazon Web Services IAM Identity Center instance that you are associating with your S3 Access Grants instance. An IAM Identity Center instance is your corporate identity directory that you added to the IAM Identity Center. You can use the ListInstances API operation to retrieve a list of your Identity Center instances and their ARNs.

" + }, + "IdentityCenterApplicationArn":{ + "shape":"IdentityCenterApplicationArn", "documentation":"

If you associated your S3 Access Grants instance with an Amazon Web Services IAM Identity Center instance, this field returns the Amazon Resource Name (ARN) of the IAM Identity Center instance application; a subresource of the original Identity Center instance. S3 Access Grants creates this Identity Center application for the specific S3 Access Grants instance.

" } }, @@ -5226,7 +5282,7 @@ "members":{ "AccountId":{ "shape":"AccountId", - "documentation":"

The ID of the Amazon Web Services account that is making this request.

", + "documentation":"

The Amazon Web Services account ID of the S3 Access Grants instance.

", "contextParam":{"name":"AccountId"}, "hostLabel":true, "location":"header", @@ -5291,7 +5347,7 @@ "members":{ "AccountId":{ "shape":"AccountId", - "documentation":"

The ID of the Amazon Web Services account that is making this request.

", + "documentation":"

The Amazon Web Services account ID of the S3 Access Grants instance.

", "contextParam":{"name":"AccountId"}, "hostLabel":true, "location":"header", @@ -5336,7 +5392,7 @@ "members":{ "AccountId":{ "shape":"AccountId", - "documentation":"

The ID of the Amazon Web Services account that is making this request.

", + "documentation":"

The Amazon Web Services account ID of the S3 Access Grants instance.

", "contextParam":{"name":"AccountId"}, "hostLabel":true, "location":"header", @@ -5484,6 +5540,75 @@ } } }, + "ListCallerAccessGrantsEntry":{ + "type":"structure", + "members":{ + "Permission":{ + "shape":"Permission", + "documentation":"

The type of permission granted, which can be one of the following values:

  • READ - Grants read-only access to the S3 data.

  • WRITE - Grants write-only access to the S3 data.

  • READWRITE - Grants both read and write access to the S3 data.

" + }, + "GrantScope":{ + "shape":"S3Prefix", + "documentation":"

The S3 path of the data to which you have been granted access.

" + }, + "ApplicationArn":{ + "shape":"IdentityCenterApplicationArn", + "documentation":"

The Amazon Resource Name (ARN) of an Amazon Web Services IAM Identity Center application associated with your Identity Center instance. If the grant includes an application ARN, the grantee can only access the S3 data through this application.

" + } + }, + "documentation":"

Part of ListCallerAccessGrantsResult. Each entry includes the permission level (READ, WRITE, or READWRITE) and the grant scope of the access grant. If the grant also includes an application ARN, the grantee can only access the S3 data through this application.

" + }, + "ListCallerAccessGrantsRequest":{ + "type":"structure", + "required":["AccountId"], + "members":{ + "AccountId":{ + "shape":"AccountId", + "documentation":"

The Amazon Web Services account ID of the S3 Access Grants instance.

", + "contextParam":{"name":"AccountId"}, + "hostLabel":true, + "location":"header", + "locationName":"x-amz-account-id" + }, + "GrantScope":{ + "shape":"S3Prefix", + "documentation":"

The S3 path of the data that you would like to access. Must start with s3://. You can optionally pass only the beginning characters of a path, and S3 Access Grants will search for all applicable grants for the path fragment.

", + "location":"querystring", + "locationName":"grantscope" + }, + "NextToken":{ + "shape":"ContinuationToken", + "documentation":"

A pagination token to request the next page of results. Pass this value into a subsequent List Caller Access Grants request in order to retrieve the next page of results.

", + "location":"querystring", + "locationName":"nextToken" + }, + "MaxResults":{ + "shape":"MaxResults", + "documentation":"

The maximum number of access grants that you would like returned in the List Caller Access Grants response. If the results include the pagination token NextToken, make another call using the NextToken to determine if there are more results.

", + "location":"querystring", + "locationName":"maxResults" + }, + "AllowedByApplication":{ + "shape":"Boolean", + "documentation":"

If this optional parameter is passed in the request, a filter is applied to the results. The results will include only the access grants for the caller's Identity Center application or for any other applications (ALL).

", + "location":"querystring", + "locationName":"allowedByApplication" + } + } + }, + "ListCallerAccessGrantsResult":{ + "type":"structure", + "members":{ + "NextToken":{ + "shape":"ContinuationToken", + "documentation":"

A pagination token that you can use to request the next page of results. Pass this value into a subsequent List Caller Access Grants request in order to retrieve the next page of results.

" + }, + "CallerAccessGrantsList":{ + "shape":"CallerAccessGrantsList", + "documentation":"

A list of the caller's access grants that were created using S3 Access Grants and that grant the caller access to the S3 data of the Amazon Web Services account ID that was specified in the request.

" + } + } + }, "ListJobsRequest":{ "type":"structure", "required":["AccountId"], @@ -6373,7 +6498,7 @@ }, "RestrictPublicBuckets":{ "shape":"Setting", - "documentation":"

Specifies whether Amazon S3 should restrict public bucket policies for buckets in this account. Setting this element to TRUE restricts access to buckets with public policies to only Amazon Web Service principals and authorized users within this account.

Enabling this setting doesn't affect previously stored bucket policies, except that public and cross-account access within any public bucket policy, including non-public delegation to specific accounts, is blocked.

This property is not supported for Amazon S3 on Outposts.

", + "documentation":"

Specifies whether Amazon S3 should restrict public bucket policies for buckets in this account. Setting this element to TRUE restricts access to buckets with public policies to only Amazon Web Servicesservice principals and authorized users within this account.

Enabling this setting doesn't affect previously stored bucket policies, except that public and cross-account access within any public bucket policy, including non-public delegation to specific accounts, is blocked.

This property is not supported for Amazon S3 on Outposts.

", "locationName":"RestrictPublicBuckets" } }, @@ -6389,7 +6514,7 @@ "members":{ "AccountId":{ "shape":"AccountId", - "documentation":"

The ID of the Amazon Web Services account that is making this request.

", + "documentation":"

The Amazon Web Services account ID of the S3 Access Grants instance.

", "contextParam":{"name":"AccountId"}, "hostLabel":true, "location":"header", @@ -7455,7 +7580,7 @@ }, "SourceBucket":{ "shape":"S3BucketArnString", - "documentation":"

The source bucket used by the ManifestGenerator.

Directory buckets - Directory buckets aren't supported as the source buckets used by S3JobManifestGenerator to generate the job manifest.

" + "documentation":"

The ARN of the source bucket used by the ManifestGenerator.

Directory buckets - Directory buckets aren't supported as the source buckets used by S3JobManifestGenerator to generate the job manifest.

" }, "ManifestOutputLocation":{ "shape":"S3ManifestOutputLocation", @@ -8404,7 +8529,7 @@ "members":{ "AccountId":{ "shape":"AccountId", - "documentation":"

The ID of the Amazon Web Services account that is making this request.

", + "documentation":"

The Amazon Web Services account ID of the S3 Access Grants instance.

", "contextParam":{"name":"AccountId"}, "hostLabel":true, "location":"header", From e28dce9f4976a281662b8d5ad82c9afb278eba49 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Wed, 4 Sep 2024 18:09:01 +0000 Subject: [PATCH 014/108] FinSpace User Environment Management service Update: Updates Finspace documentation for smaller instances. --- ...nSpaceUserEnvironmentManagementservice-c5ca8c2.json | 6 ++++++ .../main/resources/codegen-resources/service-2.json | 10 ++++++---- 2 files changed, 12 insertions(+), 4 deletions(-) create mode 100644 .changes/next-release/feature-FinSpaceUserEnvironmentManagementservice-c5ca8c2.json diff --git a/.changes/next-release/feature-FinSpaceUserEnvironmentManagementservice-c5ca8c2.json b/.changes/next-release/feature-FinSpaceUserEnvironmentManagementservice-c5ca8c2.json new file mode 100644 index 000000000000..dca33e7b6d49 --- /dev/null +++ b/.changes/next-release/feature-FinSpaceUserEnvironmentManagementservice-c5ca8c2.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "FinSpace User Environment Management service", + "contributor": "", + "description": "Updates Finspace documentation for smaller instances." +} diff --git a/services/finspace/src/main/resources/codegen-resources/service-2.json b/services/finspace/src/main/resources/codegen-resources/service-2.json index 71509febcd11..e1f9fe673cd3 100644 --- a/services/finspace/src/main/resources/codegen-resources/service-2.json +++ b/services/finspace/src/main/resources/codegen-resources/service-2.json @@ -5,12 +5,14 @@ "endpointPrefix":"finspace", "jsonVersion":"1.1", "protocol":"rest-json", + "protocols":["rest-json"], "serviceAbbreviation":"finspace", "serviceFullName":"FinSpace User Environment Management service", "serviceId":"finspace", "signatureVersion":"v4", "signingName":"finspace", - "uid":"finspace-2021-03-12" + "uid":"finspace-2021-03-12", + "auth":["aws.auth#sigv4"] }, "operations":{ "CreateEnvironment":{ @@ -1711,7 +1713,7 @@ }, "hostType":{ "shape":"KxHostType", - "documentation":"

The memory and CPU capabilities of the scaling group host on which FinSpace Managed kdb clusters will be placed.

You can add one of the following values:

  • kx.sg.4xlarge – The host type with a configuration of 108 GiB memory and 16 vCPUs.

  • kx.sg.8xlarge – The host type with a configuration of 216 GiB memory and 32 vCPUs.

  • kx.sg.16xlarge – The host type with a configuration of 432 GiB memory and 64 vCPUs.

  • kx.sg.32xlarge – The host type with a configuration of 864 GiB memory and 128 vCPUs.

  • kx.sg1.16xlarge – The host type with a configuration of 1949 GiB memory and 64 vCPUs.

  • kx.sg1.24xlarge – The host type with a configuration of 2948 GiB memory and 96 vCPUs.

" + "documentation":"

The memory and CPU capabilities of the scaling group host on which FinSpace Managed kdb clusters will be placed.

You can add one of the following values:

  • kx.sg.large – The host type with a configuration of 16 GiB memory and 2 vCPUs.

  • kx.sg.xlarge – The host type with a configuration of 32 GiB memory and 4 vCPUs.

  • kx.sg.2xlarge – The host type with a configuration of 64 GiB memory and 8 vCPUs.

  • kx.sg.4xlarge – The host type with a configuration of 108 GiB memory and 16 vCPUs.

  • kx.sg.8xlarge – The host type with a configuration of 216 GiB memory and 32 vCPUs.

  • kx.sg.16xlarge – The host type with a configuration of 432 GiB memory and 64 vCPUs.

  • kx.sg.32xlarge – The host type with a configuration of 864 GiB memory and 128 vCPUs.

  • kx.sg1.16xlarge – The host type with a configuration of 1949 GiB memory and 64 vCPUs.

  • kx.sg1.24xlarge – The host type with a configuration of 2948 GiB memory and 96 vCPUs.

" }, "availabilityZoneId":{ "shape":"AvailabilityZoneId", @@ -2966,7 +2968,7 @@ }, "hostType":{ "shape":"KxHostType", - "documentation":"

The memory and CPU capabilities of the scaling group host on which FinSpace Managed kdb clusters will be placed.

It can have one of the following values:

  • kx.sg.4xlarge – The host type with a configuration of 108 GiB memory and 16 vCPUs.

  • kx.sg.8xlarge – The host type with a configuration of 216 GiB memory and 32 vCPUs.

  • kx.sg.16xlarge – The host type with a configuration of 432 GiB memory and 64 vCPUs.

  • kx.sg.32xlarge – The host type with a configuration of 864 GiB memory and 128 vCPUs.

  • kx.sg1.16xlarge – The host type with a configuration of 1949 GiB memory and 64 vCPUs.

  • kx.sg1.24xlarge – The host type with a configuration of 2948 GiB memory and 96 vCPUs.

" + "documentation":"

The memory and CPU capabilities of the scaling group host on which FinSpace Managed kdb clusters will be placed.

It can have one of the following values:

  • kx.sg.large – The host type with a configuration of 16 GiB memory and 2 vCPUs.

  • kx.sg.xlarge – The host type with a configuration of 32 GiB memory and 4 vCPUs.

  • kx.sg.2xlarge – The host type with a configuration of 64 GiB memory and 8 vCPUs.

  • kx.sg.4xlarge – The host type with a configuration of 108 GiB memory and 16 vCPUs.

  • kx.sg.8xlarge – The host type with a configuration of 216 GiB memory and 32 vCPUs.

  • kx.sg.16xlarge – The host type with a configuration of 432 GiB memory and 64 vCPUs.

  • kx.sg.32xlarge – The host type with a configuration of 864 GiB memory and 128 vCPUs.

  • kx.sg1.16xlarge – The host type with a configuration of 1949 GiB memory and 64 vCPUs.

  • kx.sg1.24xlarge – The host type with a configuration of 2948 GiB memory and 96 vCPUs.

" }, "clusters":{ "shape":"KxClusterNameList", @@ -3887,7 +3889,7 @@ }, "hostType":{ "shape":"KxHostType", - "documentation":"

The memory and CPU capabilities of the scaling group host on which FinSpace Managed kdb clusters will be placed.

You can add one of the following values:

  • kx.sg.4xlarge – The host type with a configuration of 108 GiB memory and 16 vCPUs.

  • kx.sg.8xlarge – The host type with a configuration of 216 GiB memory and 32 vCPUs.

  • kx.sg.16xlarge – The host type with a configuration of 432 GiB memory and 64 vCPUs.

  • kx.sg.32xlarge – The host type with a configuration of 864 GiB memory and 128 vCPUs.

  • kx.sg1.16xlarge – The host type with a configuration of 1949 GiB memory and 64 vCPUs.

  • kx.sg1.24xlarge – The host type with a configuration of 2948 GiB memory and 96 vCPUs.

" + "documentation":"

The memory and CPU capabilities of the scaling group host on which FinSpace Managed kdb clusters will be placed.

You can add one of the following values:

  • kx.sg.large – The host type with a configuration of 16 GiB memory and 2 vCPUs.

  • kx.sg.xlarge – The host type with a configuration of 32 GiB memory and 4 vCPUs.

  • kx.sg.2xlarge – The host type with a configuration of 64 GiB memory and 8 vCPUs.

  • kx.sg.4xlarge – The host type with a configuration of 108 GiB memory and 16 vCPUs.

  • kx.sg.8xlarge – The host type with a configuration of 216 GiB memory and 32 vCPUs.

  • kx.sg.16xlarge – The host type with a configuration of 432 GiB memory and 64 vCPUs.

  • kx.sg.32xlarge – The host type with a configuration of 864 GiB memory and 128 vCPUs.

  • kx.sg1.16xlarge – The host type with a configuration of 1949 GiB memory and 64 vCPUs.

  • kx.sg1.24xlarge – The host type with a configuration of 2948 GiB memory and 96 vCPUs.

" }, "clusters":{ "shape":"KxClusterNameList", From 8a020ff8e211a2115bca4857c5c75f58b86e62d5 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Wed, 4 Sep 2024 18:08:59 +0000 Subject: [PATCH 015/108] AWS AppSync Update: Adds new logging levels (INFO and DEBUG) for additional log output control --- .changes/next-release/feature-AWSAppSync-9c5a9c1.json | 6 ++++++ .../src/main/resources/codegen-resources/service-2.json | 6 ++++-- 2 files changed, 10 insertions(+), 2 deletions(-) create mode 100644 .changes/next-release/feature-AWSAppSync-9c5a9c1.json diff --git a/.changes/next-release/feature-AWSAppSync-9c5a9c1.json b/.changes/next-release/feature-AWSAppSync-9c5a9c1.json new file mode 100644 index 000000000000..29ab58799979 --- /dev/null +++ b/.changes/next-release/feature-AWSAppSync-9c5a9c1.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "AWS AppSync", + "contributor": "", + "description": "Adds new logging levels (INFO and DEBUG) for additional log output control" +} diff --git a/services/appsync/src/main/resources/codegen-resources/service-2.json b/services/appsync/src/main/resources/codegen-resources/service-2.json index 184a7c7ab9ea..3cda40eb249c 100644 --- a/services/appsync/src/main/resources/codegen-resources/service-2.json +++ b/services/appsync/src/main/resources/codegen-resources/service-2.json @@ -2797,7 +2797,9 @@ "enum":[ "NONE", "ERROR", - "ALL" + "ALL", + "INFO", + "DEBUG" ] }, "FlushApiCacheRequest":{ @@ -3905,7 +3907,7 @@ "members":{ "fieldLogLevel":{ "shape":"FieldLogLevel", - "documentation":"

The field logging level. Values can be NONE, ERROR, or ALL.

  • NONE: No field-level logs are captured.

  • ERROR: Logs the following information only for the fields that are in error:

    • The error section in the server response.

    • Field-level errors.

    • The generated request/response functions that got resolved for error fields.

  • ALL: The following information is logged for all fields in the query:

    • Field-level tracing information.

    • The generated request/response functions that got resolved for each field.

" + "documentation":"

The field logging level. Values can be NONE, ERROR, INFO, DEBUG, or ALL.

  • NONE: No field-level logs are captured.

  • ERROR: Logs the following information only for the fields that are in the error category:

    • The error section in the server response.

    • Field-level errors.

    • The generated request/response functions that got resolved for error fields.

  • INFO: Logs the following information only for the fields that are in the info and error categories:

    • Info-level messages.

    • The user messages sent through $util.log.info and console.log.

    • Field-level tracing and mapping logs are not shown.

  • DEBUG: Logs the following information only for the fields that are in the debug, info, and error categories:

    • Debug-level messages.

    • The user messages sent through $util.log.info, $util.log.debug, console.log, and console.debug.

    • Field-level tracing and mapping logs are not shown.

  • ALL: The following information is logged for all fields in the query:

    • Field-level tracing information.

    • The generated request/response functions that were resolved for each field.

" }, "cloudWatchLogsRoleArn":{ "shape":"String", From f803c6c907595045aa9da563ddf4d1db1c2de881 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Wed, 4 Sep 2024 18:09:00 +0000 Subject: [PATCH 016/108] Agents for Amazon Bedrock Update: Add support for user metadata inside PromptVariant. --- ...eature-AgentsforAmazonBedrock-89f3876.json | 6 +++ .../codegen-resources/service-2.json | 48 ++++++++++++++++++- 2 files changed, 52 insertions(+), 2 deletions(-) create mode 100644 .changes/next-release/feature-AgentsforAmazonBedrock-89f3876.json diff --git a/.changes/next-release/feature-AgentsforAmazonBedrock-89f3876.json b/.changes/next-release/feature-AgentsforAmazonBedrock-89f3876.json new file mode 100644 index 000000000000..055f510a054e --- /dev/null +++ b/.changes/next-release/feature-AgentsforAmazonBedrock-89f3876.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Agents for Amazon Bedrock", + "contributor": "", + "description": "Add support for user metadata inside PromptVariant." +} diff --git a/services/bedrockagent/src/main/resources/codegen-resources/service-2.json b/services/bedrockagent/src/main/resources/codegen-resources/service-2.json index 49b332451ed6..e1bc04b69978 100644 --- a/services/bedrockagent/src/main/resources/codegen-resources/service-2.json +++ b/services/bedrockagent/src/main/resources/codegen-resources/service-2.json @@ -50,7 +50,7 @@ {"shape":"ConflictException"}, {"shape":"ServiceQuotaExceededException"} ], - "documentation":"

Creates an agent that orchestrates interactions between foundation models, data sources, software applications, user conversations, and APIs to carry out tasks to help customers.

  • Specify the following fields for security purposes.

    • agentResourceRoleArn – The Amazon Resource Name (ARN) of the role with permissions to invoke API operations on an agent.

    • (Optional) customerEncryptionKeyArn – The Amazon Resource Name (ARN) of a KMS key to encrypt the creation of the agent.

    • (Optional) idleSessionTTLinSeconds – Specify the number of seconds for which the agent should maintain session information. After this time expires, the subsequent InvokeAgent request begins a new session.

  • To enable your agent to retain conversational context across multiple sessions, include a memoryConfiguration object. For more information, see Configure memory.

  • To override the default prompt behavior for agent orchestration and to use advanced prompts, include a promptOverrideConfiguration object. For more information, see Advanced prompts.

  • If you agent fails to be created, the response returns a list of failureReasons alongside a list of recommendedActions for you to troubleshoot.

", + "documentation":"

Creates an agent that orchestrates interactions between foundation models, data sources, software applications, user conversations, and APIs to carry out tasks to help customers.

  • Specify the following fields for security purposes.

    • agentResourceRoleArn – The Amazon Resource Name (ARN) of the role with permissions to invoke API operations on an agent.

    • (Optional) customerEncryptionKeyArn – The Amazon Resource Name (ARN) of a KMS key to encrypt the creation of the agent.

    • (Optional) idleSessionTTLinSeconds – Specify the number of seconds for which the agent should maintain session information. After this time expires, the subsequent InvokeAgent request begins a new session.

  • To enable your agent to retain conversational context across multiple sessions, include a memoryConfiguration object. For more information, see Configure memory.

  • To override the default prompt behavior for agent orchestration and to use advanced prompts, include a promptOverrideConfiguration object. For more information, see Advanced prompts.

  • If your agent fails to be created, the response returns a list of failureReasons alongside a list of recommendedActions for you to troubleshoot.

  • The agent instructions will not be honored if your agent has only one knowledge base, uses default prompts, has no action group, and user input is disabled.

", "idempotent":true }, "CreateAgentActionGroup":{ @@ -6042,7 +6042,7 @@ "documentation":"

The parsing strategy for the data source.

" } }, - "documentation":"

Settings for parsing document contents. By default, the service converts the contents of each document into text before splitting it into chunks. To improve processing of PDF files with tables and images, you can configure the data source to convert the pages of text into images and use a model to describe the contents of each page.

To use a model to parse PDF documents, set the parsing strategy to BEDROCK_FOUNDATION_MODEL and specify the model to use by ARN. You can also override the default parsing prompt with instructions for how to interpret images and tables in your documents. The following models are supported.

  • Anthropic Claude 3 Sonnet - anthropic.claude-3-sonnet-20240229-v1:0

  • Anthropic Claude 3 Haiku - anthropic.claude-3-haiku-20240307-v1:0

You can get the ARN of a model with the action. Standard model usage charges apply for the foundation model parsing strategy.

" + "documentation":"

Settings for parsing document contents. By default, the service converts the contents of each document into text before splitting it into chunks. To improve processing of PDF files with tables and images, you can configure the data source to convert the pages of text into images and use a model to describe the contents of each page.

To use a model to parse PDF documents, set the parsing strategy to BEDROCK_FOUNDATION_MODEL and specify the model to use by ARN. You can also override the default parsing prompt with instructions for how to interpret images and tables in your documents. The following models are supported.

  • Anthropic Claude 3 Sonnet - anthropic.claude-3-sonnet-20240229-v1:0

  • Anthropic Claude 3 Haiku - anthropic.claude-3-haiku-20240307-v1:0

You can get the ARN of a model with the ListFoundationModels action. Standard model usage charges apply for the foundation model parsing strategy.

" }, "ParsingPrompt":{ "type":"structure", @@ -6380,6 +6380,46 @@ "min":0, "sensitive":true }, + "PromptMetadataEntry":{ + "type":"structure", + "required":[ + "key", + "value" + ], + "members":{ + "key":{ + "shape":"PromptMetadataKey", + "documentation":"

The key of a metadata tag for a prompt variant.

" + }, + "value":{ + "shape":"PromptMetadataValue", + "documentation":"

The value of a metadata tag for a prompt variant.

" + } + }, + "documentation":"

Contains a key-value pair that defines a metadata tag and value to attach to a prompt variant. For more information, see Create a prompt using Prompt management.

", + "sensitive":true + }, + "PromptMetadataKey":{ + "type":"string", + "max":128, + "min":1, + "pattern":"^[a-zA-Z0-9\\s._:/=+@-]*$", + "sensitive":true + }, + "PromptMetadataList":{ + "type":"list", + "member":{"shape":"PromptMetadataEntry"}, + "max":50, + "min":0, + "sensitive":true + }, + "PromptMetadataValue":{ + "type":"string", + "max":1024, + "min":0, + "pattern":"^[a-zA-Z0-9\\s._:/=+@-]*$", + "sensitive":true + }, "PromptModelIdentifier":{ "type":"string", "max":2048, @@ -6522,6 +6562,10 @@ "shape":"PromptInferenceConfiguration", "documentation":"

Contains inference configurations for the prompt variant.

" }, + "metadata":{ + "shape":"PromptMetadataList", + "documentation":"

An array of objects, each containing a key-value pair that defines a metadata tag and value to attach to a prompt variant. For more information, see Create a prompt using Prompt management.

" + }, "modelId":{ "shape":"PromptModelIdentifier", "documentation":"

The unique identifier of the model with which to run inference on the prompt.

" From dac287b52ff44c2dcad5f9795e026935d7f8c226 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Wed, 4 Sep 2024 18:09:01 +0000 Subject: [PATCH 017/108] AWS Fault Injection Simulator Update: This release adds safety levers, a new mechanism to stop all running experiments and prevent new experiments from starting. --- ...re-AWSFaultInjectionSimulator-9d54198.json | 6 + .../codegen-resources/service-2.json | 153 +++++++++++++++++- 2 files changed, 158 insertions(+), 1 deletion(-) create mode 100644 .changes/next-release/feature-AWSFaultInjectionSimulator-9d54198.json diff --git a/.changes/next-release/feature-AWSFaultInjectionSimulator-9d54198.json b/.changes/next-release/feature-AWSFaultInjectionSimulator-9d54198.json new file mode 100644 index 000000000000..09cf52ee837e --- /dev/null +++ b/.changes/next-release/feature-AWSFaultInjectionSimulator-9d54198.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "AWS Fault Injection Simulator", + "contributor": "", + "description": "This release adds safety levers, a new mechanism to stop all running experiments and prevent new experiments from starting." +} diff --git a/services/fis/src/main/resources/codegen-resources/service-2.json b/services/fis/src/main/resources/codegen-resources/service-2.json index a0992745a9c3..f86d0f467d1b 100644 --- a/services/fis/src/main/resources/codegen-resources/service-2.json +++ b/services/fis/src/main/resources/codegen-resources/service-2.json @@ -139,6 +139,20 @@ ], "documentation":"

Gets information about the specified experiment template.

" }, + "GetSafetyLever":{ + "name":"GetSafetyLever", + "http":{ + "method":"GET", + "requestUri":"/safetyLevers/{id}", + "responseCode":200 + }, + "input":{"shape":"GetSafetyLeverRequest"}, + "output":{"shape":"GetSafetyLeverResponse"}, + "errors":[ + {"shape":"ResourceNotFoundException"} + ], + "documentation":"

Gets information about the specified safety lever.

" + }, "GetTargetAccountConfiguration":{ "name":"GetTargetAccountConfiguration", "http":{ @@ -351,6 +365,22 @@ ], "documentation":"

Updates the specified experiment template.

" }, + "UpdateSafetyLeverState":{ + "name":"UpdateSafetyLeverState", + "http":{ + "method":"PATCH", + "requestUri":"/safetyLevers/{id}/state", + "responseCode":200 + }, + "input":{"shape":"UpdateSafetyLeverStateRequest"}, + "output":{"shape":"UpdateSafetyLeverStateResponse"}, + "errors":[ + {"shape":"ValidationException"}, + {"shape":"ConflictException"}, + {"shape":"ResourceNotFoundException"} + ], + "documentation":"

Updates the specified safety lever state.

" + }, "UpdateTargetAccountConfiguration":{ "name":"UpdateTargetAccountConfiguration", "http":{ @@ -1120,7 +1150,8 @@ "completed", "stopping", "stopped", - "failed" + "failed", + "cancelled" ] }, "ExperimentStatusReason":{ @@ -1801,6 +1832,27 @@ } } }, + "GetSafetyLeverRequest":{ + "type":"structure", + "required":["id"], + "members":{ + "id":{ + "shape":"SafetyLeverId", + "documentation":"

The ID of the safety lever.

", + "location":"uri", + "locationName":"id" + } + } + }, + "GetSafetyLeverResponse":{ + "type":"structure", + "members":{ + "safetyLever":{ + "shape":"SafetyLever", + "documentation":"

Information about the safety lever.

" + } + } + }, "GetTargetAccountConfigurationRequest":{ "type":"structure", "required":[ @@ -2214,6 +2266,59 @@ "min":1, "pattern":"[\\s\\S]+" }, + "SafetyLever":{ + "type":"structure", + "members":{ + "id":{ + "shape":"SafetyLeverId", + "documentation":"

The ID of the safety lever.

" + }, + "arn":{ + "shape":"ResourceArn", + "documentation":"

The Amazon Resource Name (ARN) of the safety lever.

" + }, + "state":{ + "shape":"SafetyLeverState", + "documentation":"

The state of the safety lever.

" + } + }, + "documentation":"

Describes a safety lever.

" + }, + "SafetyLeverId":{ + "type":"string", + "max":64, + "pattern":"[\\S]+" + }, + "SafetyLeverState":{ + "type":"structure", + "members":{ + "status":{ + "shape":"SafetyLeverStatus", + "documentation":"

The state of the safety lever.

" + }, + "reason":{ + "shape":"SafetyLeverStatusReason", + "documentation":"

The reason for the state of the safety lever.

" + } + }, + "documentation":"

Describes the state of the safety lever.

" + }, + "SafetyLeverStatus":{ + "type":"string", + "enum":[ + "disengaged", + "engaged", + "engaging" + ] + }, + "SafetyLeverStatusInput":{ + "type":"string", + "enum":[ + "disengaged", + "engaged" + ] + }, + "SafetyLeverStatusReason":{"type":"string"}, "ServiceQuotaExceededException":{ "type":"structure", "members":{ @@ -2685,6 +2790,52 @@ "key":{"shape":"ExperimentTemplateTargetName"}, "value":{"shape":"UpdateExperimentTemplateTargetInput"} }, + "UpdateSafetyLeverStateInput":{ + "type":"structure", + "required":[ + "status", + "reason" + ], + "members":{ + "status":{ + "shape":"SafetyLeverStatusInput", + "documentation":"

The updated state of the safety lever.

" + }, + "reason":{ + "shape":"SafetyLeverStatusReason", + "documentation":"

The reason for updating the state of the safety lever.

" + } + }, + "documentation":"

Specifies a state for a safety lever.

" + }, + "UpdateSafetyLeverStateRequest":{ + "type":"structure", + "required":[ + "id", + "state" + ], + "members":{ + "id":{ + "shape":"SafetyLeverId", + "documentation":"

The ID of the safety lever.

", + "location":"uri", + "locationName":"id" + }, + "state":{ + "shape":"UpdateSafetyLeverStateInput", + "documentation":"

The state of the safety lever.

" + } + } + }, + "UpdateSafetyLeverStateResponse":{ + "type":"structure", + "members":{ + "safetyLever":{ + "shape":"SafetyLever", + "documentation":"

Information about the safety lever.

" + } + } + }, "UpdateTargetAccountConfigurationRequest":{ "type":"structure", "required":[ From 6c7fd2f0aec62674f3dcdafb66ca855f74d003c1 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Wed, 4 Sep 2024 18:10:17 +0000 Subject: [PATCH 018/108] Updated endpoints.json and partitions.json. --- .changes/next-release/feature-AWSSDKforJavav2-0443982.json | 6 ++++++ .../amazon/awssdk/codegen/rules/partitions.json.resource | 2 +- .../amazon/awssdk/regions/internal/region/endpoints.json | 2 +- 3 files changed, 8 insertions(+), 2 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/codegen/src/main/resources/software/amazon/awssdk/codegen/rules/partitions.json.resource b/codegen/src/main/resources/software/amazon/awssdk/codegen/rules/partitions.json.resource index 712d31e3fe55..a2f0680888e2 100644 --- a/codegen/src/main/resources/software/amazon/awssdk/codegen/rules/partitions.json.resource +++ b/codegen/src/main/resources/software/amazon/awssdk/codegen/rules/partitions.json.resource @@ -9,7 +9,7 @@ "supportsDualStack" : true, "supportsFIPS" : true }, - "regionRegex" : "^(us|eu|ap|sa|ca|me|af|il)\\-\\w+\\-\\d+$", + "regionRegex" : "^(us|eu|ap|sa|ca|me|af|il|mx)\\-\\w+\\-\\d+$", "regions" : { "af-south-1" : { "description" : "Africa (Cape Town)" 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 eb50706f93ba..73b271303c84 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 @@ -21,7 +21,7 @@ "dnsSuffix" : "amazonaws.com", "partition" : "aws", "partitionName" : "AWS Standard", - "regionRegex" : "^(us|eu|ap|sa|ca|me|af|il)\\-\\w+\\-\\d+$", + "regionRegex" : "^(us|eu|ap|sa|ca|me|af|il|mx)\\-\\w+\\-\\d+$", "regions" : { "af-south-1" : { "description" : "Africa (Cape Town)" From 220cea35dcdc0815c50a08e22553d011ebbdc88f Mon Sep 17 00:00:00 2001 From: AWS <> Date: Wed, 4 Sep 2024 18:11:29 +0000 Subject: [PATCH 019/108] Release 2.27.19. Updated CHANGELOG.md, README.md and all pom.xml. --- .changes/2.27.19.json | 60 +++++++++++++++++++ .../bugfix-AWSSDKforJavav2-2a80679.json | 6 -- .../feature-AWSAppSync-9c5a9c1.json | 6 -- ...re-AWSFaultInjectionSimulator-9d54198.json | 6 -- .../feature-AWSS3Control-42330c3.json | 6 -- .../feature-AWSSDKforJavav2-0443982.json | 6 -- ...eature-AgentsforAmazonBedrock-89f3876.json | 6 -- .../feature-AmazonCloudWatchLogs-c0dad02.json | 6 -- ...eature-DynamoDBEnhancedClient-da7de1f.json | 6 -- ...rEnvironmentManagementservice-c5ca8c2.json | 6 -- CHANGELOG.md | 42 +++++++++++++ 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/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/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/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/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/worklink/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 +- 481 files changed, 575 insertions(+), 527 deletions(-) create mode 100644 .changes/2.27.19.json delete mode 100644 .changes/next-release/bugfix-AWSSDKforJavav2-2a80679.json delete mode 100644 .changes/next-release/feature-AWSAppSync-9c5a9c1.json delete mode 100644 .changes/next-release/feature-AWSFaultInjectionSimulator-9d54198.json delete mode 100644 .changes/next-release/feature-AWSS3Control-42330c3.json delete mode 100644 .changes/next-release/feature-AWSSDKforJavav2-0443982.json delete mode 100644 .changes/next-release/feature-AgentsforAmazonBedrock-89f3876.json delete mode 100644 .changes/next-release/feature-AmazonCloudWatchLogs-c0dad02.json delete mode 100644 .changes/next-release/feature-DynamoDBEnhancedClient-da7de1f.json delete mode 100644 .changes/next-release/feature-FinSpaceUserEnvironmentManagementservice-c5ca8c2.json diff --git a/.changes/2.27.19.json b/.changes/2.27.19.json new file mode 100644 index 000000000000..15935c1c3258 --- /dev/null +++ b/.changes/2.27.19.json @@ -0,0 +1,60 @@ +{ + "version": "2.27.19", + "date": "2024-09-04", + "entries": [ + { + "type": "bugfix", + "category": "AWS SDK for Java v2", + "contributor": "anirudh9391", + "description": "Introduce a new method to transform input to be able to perform update operations on nested DynamoDB object attributes." + }, + { + "type": "feature", + "category": "AWS AppSync", + "contributor": "", + "description": "Adds new logging levels (INFO and DEBUG) for additional log output control" + }, + { + "type": "feature", + "category": "AWS Fault Injection Simulator", + "contributor": "", + "description": "This release adds safety levers, a new mechanism to stop all running experiments and prevent new experiments from starting." + }, + { + "type": "feature", + "category": "AWS S3 Control", + "contributor": "", + "description": "Amazon Simple Storage Service /S3 Access Grants / Features : This release launches new Access Grants API - ListCallerAccessGrants." + }, + { + "type": "feature", + "category": "Agents for Amazon Bedrock", + "contributor": "", + "description": "Add support for user metadata inside PromptVariant." + }, + { + "type": "feature", + "category": "Amazon CloudWatch Logs", + "contributor": "", + "description": "Update to support new APIs for delivery of logs from AWS services." + }, + { + "type": "feature", + "category": "DynamoDB Enhanced Client", + "contributor": "shetsa-amzn", + "description": "Adding support for Select in ScanEnhancedRequest" + }, + { + "type": "feature", + "category": "FinSpace User Environment Management service", + "contributor": "", + "description": "Updates Finspace documentation for smaller instances." + }, + { + "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/bugfix-AWSSDKforJavav2-2a80679.json b/.changes/next-release/bugfix-AWSSDKforJavav2-2a80679.json deleted file mode 100644 index f8c315dfb1ff..000000000000 --- a/.changes/next-release/bugfix-AWSSDKforJavav2-2a80679.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "bugfix", - "category": "AWS SDK for Java v2", - "contributor": "anirudh9391", - "description": "Introduce a new method to transform input to be able to perform update operations on nested DynamoDB object attributes." -} diff --git a/.changes/next-release/feature-AWSAppSync-9c5a9c1.json b/.changes/next-release/feature-AWSAppSync-9c5a9c1.json deleted file mode 100644 index 29ab58799979..000000000000 --- a/.changes/next-release/feature-AWSAppSync-9c5a9c1.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "AWS AppSync", - "contributor": "", - "description": "Adds new logging levels (INFO and DEBUG) for additional log output control" -} diff --git a/.changes/next-release/feature-AWSFaultInjectionSimulator-9d54198.json b/.changes/next-release/feature-AWSFaultInjectionSimulator-9d54198.json deleted file mode 100644 index 09cf52ee837e..000000000000 --- a/.changes/next-release/feature-AWSFaultInjectionSimulator-9d54198.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "AWS Fault Injection Simulator", - "contributor": "", - "description": "This release adds safety levers, a new mechanism to stop all running experiments and prevent new experiments from starting." -} diff --git a/.changes/next-release/feature-AWSS3Control-42330c3.json b/.changes/next-release/feature-AWSS3Control-42330c3.json deleted file mode 100644 index c7987c33f4f8..000000000000 --- a/.changes/next-release/feature-AWSS3Control-42330c3.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "AWS S3 Control", - "contributor": "", - "description": "Amazon Simple Storage Service /S3 Access Grants / Features : This release launches new Access Grants API - ListCallerAccessGrants." -} 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-AgentsforAmazonBedrock-89f3876.json b/.changes/next-release/feature-AgentsforAmazonBedrock-89f3876.json deleted file mode 100644 index 055f510a054e..000000000000 --- a/.changes/next-release/feature-AgentsforAmazonBedrock-89f3876.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "Agents for Amazon Bedrock", - "contributor": "", - "description": "Add support for user metadata inside PromptVariant." -} diff --git a/.changes/next-release/feature-AmazonCloudWatchLogs-c0dad02.json b/.changes/next-release/feature-AmazonCloudWatchLogs-c0dad02.json deleted file mode 100644 index 3805e9252615..000000000000 --- a/.changes/next-release/feature-AmazonCloudWatchLogs-c0dad02.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "Amazon CloudWatch Logs", - "contributor": "", - "description": "Update to support new APIs for delivery of logs from AWS services." -} diff --git a/.changes/next-release/feature-DynamoDBEnhancedClient-da7de1f.json b/.changes/next-release/feature-DynamoDBEnhancedClient-da7de1f.json deleted file mode 100644 index 5c7559ca83bc..000000000000 --- a/.changes/next-release/feature-DynamoDBEnhancedClient-da7de1f.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "category": "DynamoDB Enhanced Client", - "contributor": "shetsa-amzn", - "type": "feature", - "description": "Adding support for Select in ScanEnhancedRequest" -} diff --git a/.changes/next-release/feature-FinSpaceUserEnvironmentManagementservice-c5ca8c2.json b/.changes/next-release/feature-FinSpaceUserEnvironmentManagementservice-c5ca8c2.json deleted file mode 100644 index dca33e7b6d49..000000000000 --- a/.changes/next-release/feature-FinSpaceUserEnvironmentManagementservice-c5ca8c2.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "FinSpace User Environment Management service", - "contributor": "", - "description": "Updates Finspace documentation for smaller instances." -} diff --git a/CHANGELOG.md b/CHANGELOG.md index f023da40dcf8..1bcb061910a0 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,46 @@ #### 👋 _Looking for changelogs for older versions? You can find them in the [changelogs](./changelogs) directory._ +# __2.27.19__ __2024-09-04__ +## __AWS AppSync__ + - ### Features + - Adds new logging levels (INFO and DEBUG) for additional log output control + +## __AWS Fault Injection Simulator__ + - ### Features + - This release adds safety levers, a new mechanism to stop all running experiments and prevent new experiments from starting. + +## __AWS S3 Control__ + - ### Features + - Amazon Simple Storage Service /S3 Access Grants / Features : This release launches new Access Grants API - ListCallerAccessGrants. + +## __AWS SDK for Java v2__ + - ### Features + - Updated endpoint and partition metadata. + + - ### Bugfixes + - Introduce a new method to transform input to be able to perform update operations on nested DynamoDB object attributes. + - Contributed by: [@anirudh9391](https://github.com/anirudh9391) + +## __Agents for Amazon Bedrock__ + - ### Features + - Add support for user metadata inside PromptVariant. + +## __Amazon CloudWatch Logs__ + - ### Features + - Update to support new APIs for delivery of logs from AWS services. + +## __DynamoDB Enhanced Client__ + - ### Features + - Adding support for Select in ScanEnhancedRequest + - Contributed by: [@shetsa-amzn](https://github.com/shetsa-amzn) + +## __FinSpace User Environment Management service__ + - ### Features + - Updates Finspace documentation for smaller instances. + +## __Contributors__ +Special thanks to the following contributors to this release: + +[@anirudh9391](https://github.com/anirudh9391), [@shetsa-amzn](https://github.com/shetsa-amzn) # __2.27.18__ __2024-09-03__ ## __AWS Elemental MediaLive__ - ### Features diff --git a/README.md b/README.md index 927d696b8d2f..664103fa7f55 100644 --- a/README.md +++ b/README.md @@ -52,7 +52,7 @@ To automatically manage module versions (currently all modules have the same ver software.amazon.awssdk bom - 2.27.18 + 2.27.19 pom import @@ -86,12 +86,12 @@ Alternatively you can add dependencies for the specific services you use only: software.amazon.awssdk ec2 - 2.27.18 + 2.27.19 software.amazon.awssdk s3 - 2.27.18 + 2.27.19 ``` @@ -103,7 +103,7 @@ You can import the whole SDK into your project (includes *ALL* services). Please software.amazon.awssdk aws-sdk-java - 2.27.18 + 2.27.19 ``` diff --git a/archetypes/archetype-app-quickstart/pom.xml b/archetypes/archetype-app-quickstart/pom.xml index cd13afd1ddce..2955aa609f59 100644 --- a/archetypes/archetype-app-quickstart/pom.xml +++ b/archetypes/archetype-app-quickstart/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.19-SNAPSHOT + 2.27.19 4.0.0 diff --git a/archetypes/archetype-lambda/pom.xml b/archetypes/archetype-lambda/pom.xml index ba421ff5b0be..af1de2b574c3 100644 --- a/archetypes/archetype-lambda/pom.xml +++ b/archetypes/archetype-lambda/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.19-SNAPSHOT + 2.27.19 4.0.0 archetype-lambda diff --git a/archetypes/archetype-tools/pom.xml b/archetypes/archetype-tools/pom.xml index daf47ab5f0ff..f780ca32a6dc 100644 --- a/archetypes/archetype-tools/pom.xml +++ b/archetypes/archetype-tools/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.19-SNAPSHOT + 2.27.19 4.0.0 diff --git a/archetypes/pom.xml b/archetypes/pom.xml index 743f431557f9..250d9d857857 100644 --- a/archetypes/pom.xml +++ b/archetypes/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.19-SNAPSHOT + 2.27.19 4.0.0 archetypes diff --git a/aws-sdk-java/pom.xml b/aws-sdk-java/pom.xml index d64d8ea68caf..9f23065408cf 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.27.19-SNAPSHOT + 2.27.19 ../pom.xml aws-sdk-java diff --git a/bom-internal/pom.xml b/bom-internal/pom.xml index 41069f3db7f9..35621220d0b5 100644 --- a/bom-internal/pom.xml +++ b/bom-internal/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.19-SNAPSHOT + 2.27.19 4.0.0 diff --git a/bom/pom.xml b/bom/pom.xml index 39f26bb99a05..ab12ae33d46c 100644 --- a/bom/pom.xml +++ b/bom/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.19-SNAPSHOT + 2.27.19 ../pom.xml bom diff --git a/bundle-logging-bridge/pom.xml b/bundle-logging-bridge/pom.xml index f05e684c1228..258c50d1c642 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.27.19-SNAPSHOT + 2.27.19 bundle-logging-bridge jar diff --git a/bundle-sdk/pom.xml b/bundle-sdk/pom.xml index 5320a36949f5..cf06520e11e0 100644 --- a/bundle-sdk/pom.xml +++ b/bundle-sdk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.19-SNAPSHOT + 2.27.19 bundle-sdk jar diff --git a/bundle/pom.xml b/bundle/pom.xml index e4fba061d0b3..c98ec56aefae 100644 --- a/bundle/pom.xml +++ b/bundle/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.19-SNAPSHOT + 2.27.19 bundle jar diff --git a/codegen-lite-maven-plugin/pom.xml b/codegen-lite-maven-plugin/pom.xml index 04ba05258cb3..467dd2a2200d 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.27.19-SNAPSHOT + 2.27.19 ../pom.xml codegen-lite-maven-plugin diff --git a/codegen-lite/pom.xml b/codegen-lite/pom.xml index 8eb74c341664..a7f52d582374 100644 --- a/codegen-lite/pom.xml +++ b/codegen-lite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.19-SNAPSHOT + 2.27.19 codegen-lite AWS Java SDK :: Code Generator Lite diff --git a/codegen-maven-plugin/pom.xml b/codegen-maven-plugin/pom.xml index 1217424e1015..383ff5de02e0 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.27.19-SNAPSHOT + 2.27.19 ../pom.xml codegen-maven-plugin diff --git a/codegen/pom.xml b/codegen/pom.xml index 346159fa0667..647a090b1597 100644 --- a/codegen/pom.xml +++ b/codegen/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.19-SNAPSHOT + 2.27.19 codegen AWS Java SDK :: Code Generator diff --git a/core/annotations/pom.xml b/core/annotations/pom.xml index 3c8d1097e577..53d614cae843 100644 --- a/core/annotations/pom.xml +++ b/core/annotations/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.19-SNAPSHOT + 2.27.19 4.0.0 diff --git a/core/arns/pom.xml b/core/arns/pom.xml index 8d61b829206d..2f47cb83234d 100644 --- a/core/arns/pom.xml +++ b/core/arns/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.19-SNAPSHOT + 2.27.19 4.0.0 diff --git a/core/auth-crt/pom.xml b/core/auth-crt/pom.xml index 4ff940a64292..419aac233ec0 100644 --- a/core/auth-crt/pom.xml +++ b/core/auth-crt/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.19-SNAPSHOT + 2.27.19 auth-crt diff --git a/core/auth/pom.xml b/core/auth/pom.xml index 7843c421855f..406fb3e038c1 100644 --- a/core/auth/pom.xml +++ b/core/auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.19-SNAPSHOT + 2.27.19 auth diff --git a/core/aws-core/pom.xml b/core/aws-core/pom.xml index 7e78ec32c5af..4e37d55267e1 100644 --- a/core/aws-core/pom.xml +++ b/core/aws-core/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.19-SNAPSHOT + 2.27.19 aws-core diff --git a/core/checksums-spi/pom.xml b/core/checksums-spi/pom.xml index 4d5edcd795cf..0ffdecefa0d0 100644 --- a/core/checksums-spi/pom.xml +++ b/core/checksums-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.19-SNAPSHOT + 2.27.19 checksums-spi diff --git a/core/checksums/pom.xml b/core/checksums/pom.xml index d80373f3c883..76e95a85ec83 100644 --- a/core/checksums/pom.xml +++ b/core/checksums/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.19-SNAPSHOT + 2.27.19 checksums diff --git a/core/crt-core/pom.xml b/core/crt-core/pom.xml index 48e6f97b6739..a21c500ac80e 100644 --- a/core/crt-core/pom.xml +++ b/core/crt-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.27.19-SNAPSHOT + 2.27.19 crt-core diff --git a/core/endpoints-spi/pom.xml b/core/endpoints-spi/pom.xml index dc06423664a7..5778a701093e 100644 --- a/core/endpoints-spi/pom.xml +++ b/core/endpoints-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.19-SNAPSHOT + 2.27.19 4.0.0 diff --git a/core/http-auth-aws-crt/pom.xml b/core/http-auth-aws-crt/pom.xml index 4e64ace863c5..4b381ef84ae0 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.27.19-SNAPSHOT + 2.27.19 http-auth-aws-crt diff --git a/core/http-auth-aws-eventstream/pom.xml b/core/http-auth-aws-eventstream/pom.xml index 96e3f025437e..4fff0e2151cb 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.27.19-SNAPSHOT + 2.27.19 http-auth-aws-eventstream diff --git a/core/http-auth-aws/pom.xml b/core/http-auth-aws/pom.xml index b2de8fb01cae..900604f6e1f9 100644 --- a/core/http-auth-aws/pom.xml +++ b/core/http-auth-aws/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.19-SNAPSHOT + 2.27.19 http-auth-aws diff --git a/core/http-auth-spi/pom.xml b/core/http-auth-spi/pom.xml index 9915f16a91d6..daa7064145bb 100644 --- a/core/http-auth-spi/pom.xml +++ b/core/http-auth-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.19-SNAPSHOT + 2.27.19 http-auth-spi diff --git a/core/http-auth/pom.xml b/core/http-auth/pom.xml index b7db1c0015d3..69912d7cd1bb 100644 --- a/core/http-auth/pom.xml +++ b/core/http-auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.19-SNAPSHOT + 2.27.19 http-auth diff --git a/core/identity-spi/pom.xml b/core/identity-spi/pom.xml index 6b6c8e66990c..15ca5187b6fc 100644 --- a/core/identity-spi/pom.xml +++ b/core/identity-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.19-SNAPSHOT + 2.27.19 identity-spi diff --git a/core/imds/pom.xml b/core/imds/pom.xml index c3adee092116..f4bc19dec426 100644 --- a/core/imds/pom.xml +++ b/core/imds/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.19-SNAPSHOT + 2.27.19 4.0.0 imds diff --git a/core/json-utils/pom.xml b/core/json-utils/pom.xml index 7f48955074cb..8e480e842b11 100644 --- a/core/json-utils/pom.xml +++ b/core/json-utils/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.19-SNAPSHOT + 2.27.19 4.0.0 diff --git a/core/metrics-spi/pom.xml b/core/metrics-spi/pom.xml index 9a044911b64c..33a4f388699c 100644 --- a/core/metrics-spi/pom.xml +++ b/core/metrics-spi/pom.xml @@ -5,7 +5,7 @@ core software.amazon.awssdk - 2.27.19-SNAPSHOT + 2.27.19 4.0.0 diff --git a/core/pom.xml b/core/pom.xml index 97261fb80285..4a70cbc3bb47 100644 --- a/core/pom.xml +++ b/core/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.19-SNAPSHOT + 2.27.19 core diff --git a/core/profiles/pom.xml b/core/profiles/pom.xml index 954de319ba43..0aedb4e0d192 100644 --- a/core/profiles/pom.xml +++ b/core/profiles/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.19-SNAPSHOT + 2.27.19 profiles diff --git a/core/protocols/aws-cbor-protocol/pom.xml b/core/protocols/aws-cbor-protocol/pom.xml index a661534f18d4..549fb9da23bf 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.27.19-SNAPSHOT + 2.27.19 4.0.0 diff --git a/core/protocols/aws-json-protocol/pom.xml b/core/protocols/aws-json-protocol/pom.xml index 370abe77556e..c9e2129ecd66 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.27.19-SNAPSHOT + 2.27.19 4.0.0 diff --git a/core/protocols/aws-query-protocol/pom.xml b/core/protocols/aws-query-protocol/pom.xml index 2a51bc7a0077..2c951d5ea694 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.27.19-SNAPSHOT + 2.27.19 4.0.0 diff --git a/core/protocols/aws-xml-protocol/pom.xml b/core/protocols/aws-xml-protocol/pom.xml index abba968ae9f9..86d005b42f67 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.27.19-SNAPSHOT + 2.27.19 4.0.0 diff --git a/core/protocols/pom.xml b/core/protocols/pom.xml index ee98f4327db0..78db3e238db2 100644 --- a/core/protocols/pom.xml +++ b/core/protocols/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.19-SNAPSHOT + 2.27.19 4.0.0 diff --git a/core/protocols/protocol-core/pom.xml b/core/protocols/protocol-core/pom.xml index e749cb13c436..c469f47ba522 100644 --- a/core/protocols/protocol-core/pom.xml +++ b/core/protocols/protocol-core/pom.xml @@ -20,7 +20,7 @@ protocols software.amazon.awssdk - 2.27.19-SNAPSHOT + 2.27.19 4.0.0 diff --git a/core/regions/pom.xml b/core/regions/pom.xml index 1cfb34d22b1b..fdf7448de559 100644 --- a/core/regions/pom.xml +++ b/core/regions/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.19-SNAPSHOT + 2.27.19 regions diff --git a/core/retries-spi/pom.xml b/core/retries-spi/pom.xml index e85382d417a2..8226f0bb119c 100644 --- a/core/retries-spi/pom.xml +++ b/core/retries-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.19-SNAPSHOT + 2.27.19 4.0.0 diff --git a/core/retries/pom.xml b/core/retries/pom.xml index ef5e542f9861..fd358b6d8701 100644 --- a/core/retries/pom.xml +++ b/core/retries/pom.xml @@ -21,7 +21,7 @@ core software.amazon.awssdk - 2.27.19-SNAPSHOT + 2.27.19 4.0.0 diff --git a/core/sdk-core/pom.xml b/core/sdk-core/pom.xml index c9c37e0d6b44..f81129008db0 100644 --- a/core/sdk-core/pom.xml +++ b/core/sdk-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.27.19-SNAPSHOT + 2.27.19 sdk-core AWS Java SDK :: SDK Core diff --git a/http-client-spi/pom.xml b/http-client-spi/pom.xml index 3df57c05da90..ac5fb0ac389c 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.27.19-SNAPSHOT + 2.27.19 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 cdd4ecf7e6b9..4588dd20a73b 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.27.19-SNAPSHOT + 2.27.19 apache-client diff --git a/http-clients/aws-crt-client/pom.xml b/http-clients/aws-crt-client/pom.xml index 71b14d2a2563..950f7e68d98f 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.27.19-SNAPSHOT + 2.27.19 4.0.0 diff --git a/http-clients/netty-nio-client/pom.xml b/http-clients/netty-nio-client/pom.xml index 94e6474ae1bb..8c57f8d96763 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.27.19-SNAPSHOT + 2.27.19 4.0.0 diff --git a/http-clients/pom.xml b/http-clients/pom.xml index 64d8b6eddd1b..b4d0592b9928 100644 --- a/http-clients/pom.xml +++ b/http-clients/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.19-SNAPSHOT + 2.27.19 4.0.0 diff --git a/http-clients/url-connection-client/pom.xml b/http-clients/url-connection-client/pom.xml index 1678b991bdf8..33f31b38ed4d 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.27.19-SNAPSHOT + 2.27.19 4.0.0 diff --git a/metric-publishers/cloudwatch-metric-publisher/pom.xml b/metric-publishers/cloudwatch-metric-publisher/pom.xml index 0363342ce4ec..209748ef878d 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.27.19-SNAPSHOT + 2.27.19 cloudwatch-metric-publisher diff --git a/metric-publishers/pom.xml b/metric-publishers/pom.xml index 9af7f0515b67..89a2d300dfb3 100644 --- a/metric-publishers/pom.xml +++ b/metric-publishers/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.19-SNAPSHOT + 2.27.19 metric-publishers diff --git a/pom.xml b/pom.xml index 61941cc1dc0b..160d74af813c 100644 --- a/pom.xml +++ b/pom.xml @@ -20,7 +20,7 @@ 4.0.0 software.amazon.awssdk aws-sdk-java-pom - 2.27.19-SNAPSHOT + 2.27.19 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 ff909ef28a96..87b1fd631f58 100644 --- a/release-scripts/pom.xml +++ b/release-scripts/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.19-SNAPSHOT + 2.27.19 ../pom.xml release-scripts diff --git a/services-custom/dynamodb-enhanced/pom.xml b/services-custom/dynamodb-enhanced/pom.xml index 9ee6ed31c246..5ce0e0c13460 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.27.19-SNAPSHOT + 2.27.19 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 a9d95a27e4ee..c0a415ed983e 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.27.19-SNAPSHOT + 2.27.19 ../../pom.xml iam-policy-builder diff --git a/services-custom/pom.xml b/services-custom/pom.xml index cf9b0e3b6d9a..07a56c9ca843 100644 --- a/services-custom/pom.xml +++ b/services-custom/pom.xml @@ -19,7 +19,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.19-SNAPSHOT + 2.27.19 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 5f2368965268..6130a6434139 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.27.19-SNAPSHOT + 2.27.19 ../../pom.xml s3-event-notifications diff --git a/services-custom/s3-transfer-manager/pom.xml b/services-custom/s3-transfer-manager/pom.xml index 8a521696455e..b4f9c9835d27 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.27.19-SNAPSHOT + 2.27.19 ../../pom.xml s3-transfer-manager diff --git a/services/accessanalyzer/pom.xml b/services/accessanalyzer/pom.xml index 067fba65ed89..8ac36e7e6257 100644 --- a/services/accessanalyzer/pom.xml +++ b/services/accessanalyzer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 accessanalyzer AWS Java SDK :: Services :: AccessAnalyzer diff --git a/services/account/pom.xml b/services/account/pom.xml index 55924ccfec7d..499215356c22 100644 --- a/services/account/pom.xml +++ b/services/account/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 account AWS Java SDK :: Services :: Account diff --git a/services/acm/pom.xml b/services/acm/pom.xml index 6eeb335b098f..3ee5aedc522a 100644 --- a/services/acm/pom.xml +++ b/services/acm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 acm AWS Java SDK :: Services :: AWS Certificate Manager diff --git a/services/acmpca/pom.xml b/services/acmpca/pom.xml index 190d18389adf..d7c91c17dca4 100644 --- a/services/acmpca/pom.xml +++ b/services/acmpca/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 acmpca AWS Java SDK :: Services :: ACM PCA diff --git a/services/amp/pom.xml b/services/amp/pom.xml index 2f5024a8f6cd..a836beeab6bd 100644 --- a/services/amp/pom.xml +++ b/services/amp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 amp AWS Java SDK :: Services :: Amp diff --git a/services/amplify/pom.xml b/services/amplify/pom.xml index 5101b8e8880e..0f2450336663 100644 --- a/services/amplify/pom.xml +++ b/services/amplify/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 amplify AWS Java SDK :: Services :: Amplify diff --git a/services/amplifybackend/pom.xml b/services/amplifybackend/pom.xml index 1146a092dd88..395e4000bf5b 100644 --- a/services/amplifybackend/pom.xml +++ b/services/amplifybackend/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 amplifybackend AWS Java SDK :: Services :: Amplify Backend diff --git a/services/amplifyuibuilder/pom.xml b/services/amplifyuibuilder/pom.xml index 5a1b404a2d18..83bb188251ef 100644 --- a/services/amplifyuibuilder/pom.xml +++ b/services/amplifyuibuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 amplifyuibuilder AWS Java SDK :: Services :: Amplify UI Builder diff --git a/services/apigateway/pom.xml b/services/apigateway/pom.xml index 8a4687df5dda..6157229e3537 100644 --- a/services/apigateway/pom.xml +++ b/services/apigateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 apigateway AWS Java SDK :: Services :: Amazon API Gateway diff --git a/services/apigatewaymanagementapi/pom.xml b/services/apigatewaymanagementapi/pom.xml index ae9698c51d76..3be5fe51f0ec 100644 --- a/services/apigatewaymanagementapi/pom.xml +++ b/services/apigatewaymanagementapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 apigatewaymanagementapi AWS Java SDK :: Services :: ApiGatewayManagementApi diff --git a/services/apigatewayv2/pom.xml b/services/apigatewayv2/pom.xml index 8f783881d70b..49bed7e186a2 100644 --- a/services/apigatewayv2/pom.xml +++ b/services/apigatewayv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 apigatewayv2 AWS Java SDK :: Services :: ApiGatewayV2 diff --git a/services/appconfig/pom.xml b/services/appconfig/pom.xml index a0950d41dd1b..a51a8df0f13e 100644 --- a/services/appconfig/pom.xml +++ b/services/appconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 appconfig AWS Java SDK :: Services :: AppConfig diff --git a/services/appconfigdata/pom.xml b/services/appconfigdata/pom.xml index ed026cc0ee27..df7689e67c83 100644 --- a/services/appconfigdata/pom.xml +++ b/services/appconfigdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 appconfigdata AWS Java SDK :: Services :: App Config Data diff --git a/services/appfabric/pom.xml b/services/appfabric/pom.xml index aa16aeb259e4..3412bf07a540 100644 --- a/services/appfabric/pom.xml +++ b/services/appfabric/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 appfabric AWS Java SDK :: Services :: App Fabric diff --git a/services/appflow/pom.xml b/services/appflow/pom.xml index f674ded75ead..e12e1e7a1d19 100644 --- a/services/appflow/pom.xml +++ b/services/appflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 appflow AWS Java SDK :: Services :: Appflow diff --git a/services/appintegrations/pom.xml b/services/appintegrations/pom.xml index 378b9733854b..5afce15a095d 100644 --- a/services/appintegrations/pom.xml +++ b/services/appintegrations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 appintegrations AWS Java SDK :: Services :: App Integrations diff --git a/services/applicationautoscaling/pom.xml b/services/applicationautoscaling/pom.xml index f19769f20a1e..551caf9ec46b 100644 --- a/services/applicationautoscaling/pom.xml +++ b/services/applicationautoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 applicationautoscaling AWS Java SDK :: Services :: AWS Application Auto Scaling diff --git a/services/applicationcostprofiler/pom.xml b/services/applicationcostprofiler/pom.xml index 8e65513cd6c9..1db86f1eb545 100644 --- a/services/applicationcostprofiler/pom.xml +++ b/services/applicationcostprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 applicationcostprofiler AWS Java SDK :: Services :: Application Cost Profiler diff --git a/services/applicationdiscovery/pom.xml b/services/applicationdiscovery/pom.xml index 0f67cfc7ae3a..98f7e6c7bef3 100644 --- a/services/applicationdiscovery/pom.xml +++ b/services/applicationdiscovery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 applicationdiscovery AWS Java SDK :: Services :: AWS Application Discovery Service diff --git a/services/applicationinsights/pom.xml b/services/applicationinsights/pom.xml index c3bb3de7b7a6..bbab9523b154 100644 --- a/services/applicationinsights/pom.xml +++ b/services/applicationinsights/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 applicationinsights AWS Java SDK :: Services :: Application Insights diff --git a/services/applicationsignals/pom.xml b/services/applicationsignals/pom.xml index 06176f8725d4..3fbda38fbb21 100644 --- a/services/applicationsignals/pom.xml +++ b/services/applicationsignals/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 applicationsignals AWS Java SDK :: Services :: Application Signals diff --git a/services/appmesh/pom.xml b/services/appmesh/pom.xml index 7cd790b1e3ad..0cdda9e455ee 100644 --- a/services/appmesh/pom.xml +++ b/services/appmesh/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 appmesh AWS Java SDK :: Services :: App Mesh diff --git a/services/apprunner/pom.xml b/services/apprunner/pom.xml index 4ac72dae133d..8d9c96eff19c 100644 --- a/services/apprunner/pom.xml +++ b/services/apprunner/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 apprunner AWS Java SDK :: Services :: App Runner diff --git a/services/appstream/pom.xml b/services/appstream/pom.xml index b6bec9f8bf3a..6984490be9ae 100644 --- a/services/appstream/pom.xml +++ b/services/appstream/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 appstream AWS Java SDK :: Services :: Amazon AppStream diff --git a/services/appsync/pom.xml b/services/appsync/pom.xml index ba2cce0be779..cb01ab31e07f 100644 --- a/services/appsync/pom.xml +++ b/services/appsync/pom.xml @@ -21,7 +21,7 @@ services software.amazon.awssdk - 2.27.19-SNAPSHOT + 2.27.19 appsync diff --git a/services/apptest/pom.xml b/services/apptest/pom.xml index c1a59d14a3d3..3c6c13df3a40 100644 --- a/services/apptest/pom.xml +++ b/services/apptest/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 apptest AWS Java SDK :: Services :: App Test diff --git a/services/arczonalshift/pom.xml b/services/arczonalshift/pom.xml index a43de80a066f..712152cbab97 100644 --- a/services/arczonalshift/pom.xml +++ b/services/arczonalshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 arczonalshift AWS Java SDK :: Services :: ARC Zonal Shift diff --git a/services/artifact/pom.xml b/services/artifact/pom.xml index 636e644b61d7..f24c4b21e42e 100644 --- a/services/artifact/pom.xml +++ b/services/artifact/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 artifact AWS Java SDK :: Services :: Artifact diff --git a/services/athena/pom.xml b/services/athena/pom.xml index 652df5919d67..313e671e079a 100644 --- a/services/athena/pom.xml +++ b/services/athena/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 athena AWS Java SDK :: Services :: Amazon Athena diff --git a/services/auditmanager/pom.xml b/services/auditmanager/pom.xml index f697c92b6724..d9b05090c1f4 100644 --- a/services/auditmanager/pom.xml +++ b/services/auditmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 auditmanager AWS Java SDK :: Services :: Audit Manager diff --git a/services/autoscaling/pom.xml b/services/autoscaling/pom.xml index 14d37d7d95f5..7f418becf95a 100644 --- a/services/autoscaling/pom.xml +++ b/services/autoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 autoscaling AWS Java SDK :: Services :: Auto Scaling diff --git a/services/autoscalingplans/pom.xml b/services/autoscalingplans/pom.xml index 1a3898d89201..7fcba415d439 100644 --- a/services/autoscalingplans/pom.xml +++ b/services/autoscalingplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 autoscalingplans AWS Java SDK :: Services :: Auto Scaling Plans diff --git a/services/b2bi/pom.xml b/services/b2bi/pom.xml index 92672b539e07..c73472fa663f 100644 --- a/services/b2bi/pom.xml +++ b/services/b2bi/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 b2bi AWS Java SDK :: Services :: B2 Bi diff --git a/services/backup/pom.xml b/services/backup/pom.xml index 77a717671abd..955f0dafc283 100644 --- a/services/backup/pom.xml +++ b/services/backup/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 backup AWS Java SDK :: Services :: Backup diff --git a/services/backupgateway/pom.xml b/services/backupgateway/pom.xml index 034b9099277b..b16fff8cc11e 100644 --- a/services/backupgateway/pom.xml +++ b/services/backupgateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 backupgateway AWS Java SDK :: Services :: Backup Gateway diff --git a/services/batch/pom.xml b/services/batch/pom.xml index b1f3bcfb495e..5bc4e7f3dd74 100644 --- a/services/batch/pom.xml +++ b/services/batch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 batch AWS Java SDK :: Services :: AWS Batch diff --git a/services/bcmdataexports/pom.xml b/services/bcmdataexports/pom.xml index cdc485571299..dce5057dda5d 100644 --- a/services/bcmdataexports/pom.xml +++ b/services/bcmdataexports/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 bcmdataexports AWS Java SDK :: Services :: BCM Data Exports diff --git a/services/bedrock/pom.xml b/services/bedrock/pom.xml index 6ab508ee9a20..598e4fdee372 100644 --- a/services/bedrock/pom.xml +++ b/services/bedrock/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 bedrock AWS Java SDK :: Services :: Bedrock diff --git a/services/bedrockagent/pom.xml b/services/bedrockagent/pom.xml index fd6b1bea28ea..34d895dfed1f 100644 --- a/services/bedrockagent/pom.xml +++ b/services/bedrockagent/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 bedrockagent AWS Java SDK :: Services :: Bedrock Agent diff --git a/services/bedrockagentruntime/pom.xml b/services/bedrockagentruntime/pom.xml index 7dc5cf670acb..4364d9db61fe 100644 --- a/services/bedrockagentruntime/pom.xml +++ b/services/bedrockagentruntime/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 bedrockagentruntime AWS Java SDK :: Services :: Bedrock Agent Runtime diff --git a/services/bedrockruntime/pom.xml b/services/bedrockruntime/pom.xml index dddf8568fa90..62eae0d86c78 100644 --- a/services/bedrockruntime/pom.xml +++ b/services/bedrockruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 bedrockruntime AWS Java SDK :: Services :: Bedrock Runtime diff --git a/services/billingconductor/pom.xml b/services/billingconductor/pom.xml index 190f0e731b4c..332d6703d352 100644 --- a/services/billingconductor/pom.xml +++ b/services/billingconductor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 billingconductor AWS Java SDK :: Services :: Billingconductor diff --git a/services/braket/pom.xml b/services/braket/pom.xml index df9ca2046b3f..8eb801b4f788 100644 --- a/services/braket/pom.xml +++ b/services/braket/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 braket AWS Java SDK :: Services :: Braket diff --git a/services/budgets/pom.xml b/services/budgets/pom.xml index 53bcde8b21f1..3cf913eba99d 100644 --- a/services/budgets/pom.xml +++ b/services/budgets/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 budgets AWS Java SDK :: Services :: AWS Budgets diff --git a/services/chatbot/pom.xml b/services/chatbot/pom.xml index d506c8186cf5..632827776d3b 100644 --- a/services/chatbot/pom.xml +++ b/services/chatbot/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 chatbot AWS Java SDK :: Services :: Chatbot diff --git a/services/chime/pom.xml b/services/chime/pom.xml index 4bba7c64595c..85539de61233 100644 --- a/services/chime/pom.xml +++ b/services/chime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 chime AWS Java SDK :: Services :: Chime diff --git a/services/chimesdkidentity/pom.xml b/services/chimesdkidentity/pom.xml index ecd30f07bb3c..77068ae1805e 100644 --- a/services/chimesdkidentity/pom.xml +++ b/services/chimesdkidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 chimesdkidentity AWS Java SDK :: Services :: Chime SDK Identity diff --git a/services/chimesdkmediapipelines/pom.xml b/services/chimesdkmediapipelines/pom.xml index d4f02772d876..0a68a358ab89 100644 --- a/services/chimesdkmediapipelines/pom.xml +++ b/services/chimesdkmediapipelines/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 chimesdkmediapipelines AWS Java SDK :: Services :: Chime SDK Media Pipelines diff --git a/services/chimesdkmeetings/pom.xml b/services/chimesdkmeetings/pom.xml index a006342c7e78..3e7bd2ad29b1 100644 --- a/services/chimesdkmeetings/pom.xml +++ b/services/chimesdkmeetings/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 chimesdkmeetings AWS Java SDK :: Services :: Chime SDK Meetings diff --git a/services/chimesdkmessaging/pom.xml b/services/chimesdkmessaging/pom.xml index 4a664a01513f..0f59270e431f 100644 --- a/services/chimesdkmessaging/pom.xml +++ b/services/chimesdkmessaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 chimesdkmessaging AWS Java SDK :: Services :: Chime SDK Messaging diff --git a/services/chimesdkvoice/pom.xml b/services/chimesdkvoice/pom.xml index c2c43519eb09..0a110e835793 100644 --- a/services/chimesdkvoice/pom.xml +++ b/services/chimesdkvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 chimesdkvoice AWS Java SDK :: Services :: Chime SDK Voice diff --git a/services/cleanrooms/pom.xml b/services/cleanrooms/pom.xml index f21dba42d5a1..4b6c5b2c7778 100644 --- a/services/cleanrooms/pom.xml +++ b/services/cleanrooms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 cleanrooms AWS Java SDK :: Services :: Clean Rooms diff --git a/services/cleanroomsml/pom.xml b/services/cleanroomsml/pom.xml index 8b1caf04d0c2..b2bbadc454ea 100644 --- a/services/cleanroomsml/pom.xml +++ b/services/cleanroomsml/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 cleanroomsml AWS Java SDK :: Services :: Clean Rooms ML diff --git a/services/cloud9/pom.xml b/services/cloud9/pom.xml index 6206f7e0e13f..03b9463334f7 100644 --- a/services/cloud9/pom.xml +++ b/services/cloud9/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19-SNAPSHOT + 2.27.19 4.0.0 cloud9 diff --git a/services/cloudcontrol/pom.xml b/services/cloudcontrol/pom.xml index 814ec0f0291d..aaeaa87aab5d 100644 --- a/services/cloudcontrol/pom.xml +++ b/services/cloudcontrol/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 cloudcontrol AWS Java SDK :: Services :: Cloud Control diff --git a/services/clouddirectory/pom.xml b/services/clouddirectory/pom.xml index fc55d89e712d..6d3401576b50 100644 --- a/services/clouddirectory/pom.xml +++ b/services/clouddirectory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 clouddirectory AWS Java SDK :: Services :: Amazon CloudDirectory diff --git a/services/cloudformation/pom.xml b/services/cloudformation/pom.xml index 80e301f31da9..709a2f1c2623 100644 --- a/services/cloudformation/pom.xml +++ b/services/cloudformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 cloudformation AWS Java SDK :: Services :: AWS CloudFormation diff --git a/services/cloudfront/pom.xml b/services/cloudfront/pom.xml index 74157b1720e1..7138429e11a8 100644 --- a/services/cloudfront/pom.xml +++ b/services/cloudfront/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 cloudfront AWS Java SDK :: Services :: Amazon CloudFront diff --git a/services/cloudfrontkeyvaluestore/pom.xml b/services/cloudfrontkeyvaluestore/pom.xml index 2fe0ca2a6f2c..bc995248eee3 100644 --- a/services/cloudfrontkeyvaluestore/pom.xml +++ b/services/cloudfrontkeyvaluestore/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 cloudfrontkeyvaluestore AWS Java SDK :: Services :: Cloud Front Key Value Store diff --git a/services/cloudhsm/pom.xml b/services/cloudhsm/pom.xml index 568262eec4cb..fa7c7ab34cde 100644 --- a/services/cloudhsm/pom.xml +++ b/services/cloudhsm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 cloudhsm AWS Java SDK :: Services :: AWS CloudHSM diff --git a/services/cloudhsmv2/pom.xml b/services/cloudhsmv2/pom.xml index e942984996c8..91e8b8efc261 100644 --- a/services/cloudhsmv2/pom.xml +++ b/services/cloudhsmv2/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19-SNAPSHOT + 2.27.19 4.0.0 cloudhsmv2 diff --git a/services/cloudsearch/pom.xml b/services/cloudsearch/pom.xml index 9b3f114e4788..d287438ba55e 100644 --- a/services/cloudsearch/pom.xml +++ b/services/cloudsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 cloudsearch AWS Java SDK :: Services :: Amazon CloudSearch diff --git a/services/cloudsearchdomain/pom.xml b/services/cloudsearchdomain/pom.xml index 3f679d702845..02a1a63c85b7 100644 --- a/services/cloudsearchdomain/pom.xml +++ b/services/cloudsearchdomain/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 cloudsearchdomain AWS Java SDK :: Services :: Amazon CloudSearch Domain diff --git a/services/cloudtrail/pom.xml b/services/cloudtrail/pom.xml index a415d6fb755a..f6b4ec8e9e5b 100644 --- a/services/cloudtrail/pom.xml +++ b/services/cloudtrail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 cloudtrail AWS Java SDK :: Services :: AWS CloudTrail diff --git a/services/cloudtraildata/pom.xml b/services/cloudtraildata/pom.xml index c00b99c9ab33..db804961ea4b 100644 --- a/services/cloudtraildata/pom.xml +++ b/services/cloudtraildata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 cloudtraildata AWS Java SDK :: Services :: Cloud Trail Data diff --git a/services/cloudwatch/pom.xml b/services/cloudwatch/pom.xml index 02a859056c89..ae871d67a56e 100644 --- a/services/cloudwatch/pom.xml +++ b/services/cloudwatch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 cloudwatch AWS Java SDK :: Services :: Amazon CloudWatch diff --git a/services/cloudwatchevents/pom.xml b/services/cloudwatchevents/pom.xml index 4de647c03e29..dd8f13f0393e 100644 --- a/services/cloudwatchevents/pom.xml +++ b/services/cloudwatchevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 cloudwatchevents AWS Java SDK :: Services :: Amazon CloudWatch Events diff --git a/services/cloudwatchlogs/pom.xml b/services/cloudwatchlogs/pom.xml index 900189ec8fb7..019bb6859c70 100644 --- a/services/cloudwatchlogs/pom.xml +++ b/services/cloudwatchlogs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 cloudwatchlogs AWS Java SDK :: Services :: Amazon CloudWatch Logs diff --git a/services/codeartifact/pom.xml b/services/codeartifact/pom.xml index 2cb17f563a78..0d1a24118cc6 100644 --- a/services/codeartifact/pom.xml +++ b/services/codeartifact/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 codeartifact AWS Java SDK :: Services :: Codeartifact diff --git a/services/codebuild/pom.xml b/services/codebuild/pom.xml index 55797f5f52c9..40c348198a37 100644 --- a/services/codebuild/pom.xml +++ b/services/codebuild/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 codebuild AWS Java SDK :: Services :: AWS Code Build diff --git a/services/codecatalyst/pom.xml b/services/codecatalyst/pom.xml index 22e014cc581b..2efef2978b35 100644 --- a/services/codecatalyst/pom.xml +++ b/services/codecatalyst/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 codecatalyst AWS Java SDK :: Services :: Code Catalyst diff --git a/services/codecommit/pom.xml b/services/codecommit/pom.xml index 0a82799de3b5..820f38541db6 100644 --- a/services/codecommit/pom.xml +++ b/services/codecommit/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 codecommit AWS Java SDK :: Services :: AWS CodeCommit diff --git a/services/codeconnections/pom.xml b/services/codeconnections/pom.xml index acd461e0cb2e..963b771384f8 100644 --- a/services/codeconnections/pom.xml +++ b/services/codeconnections/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 codeconnections AWS Java SDK :: Services :: Code Connections diff --git a/services/codedeploy/pom.xml b/services/codedeploy/pom.xml index 0b465908c9ae..2feba9dedc8b 100644 --- a/services/codedeploy/pom.xml +++ b/services/codedeploy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 codedeploy AWS Java SDK :: Services :: AWS CodeDeploy diff --git a/services/codeguruprofiler/pom.xml b/services/codeguruprofiler/pom.xml index a28f6a6a5847..075adf9161dc 100644 --- a/services/codeguruprofiler/pom.xml +++ b/services/codeguruprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 codeguruprofiler AWS Java SDK :: Services :: CodeGuruProfiler diff --git a/services/codegurureviewer/pom.xml b/services/codegurureviewer/pom.xml index 857ca9f44743..876e3c0e7b28 100644 --- a/services/codegurureviewer/pom.xml +++ b/services/codegurureviewer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 codegurureviewer AWS Java SDK :: Services :: CodeGuru Reviewer diff --git a/services/codegurusecurity/pom.xml b/services/codegurusecurity/pom.xml index a1ada63ec61b..12ac2c2a4dfb 100644 --- a/services/codegurusecurity/pom.xml +++ b/services/codegurusecurity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 codegurusecurity AWS Java SDK :: Services :: Code Guru Security diff --git a/services/codepipeline/pom.xml b/services/codepipeline/pom.xml index 8fe8e49888d2..91b6c5065e13 100644 --- a/services/codepipeline/pom.xml +++ b/services/codepipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 codepipeline AWS Java SDK :: Services :: AWS CodePipeline diff --git a/services/codestarconnections/pom.xml b/services/codestarconnections/pom.xml index da49228eefae..3f493314edca 100644 --- a/services/codestarconnections/pom.xml +++ b/services/codestarconnections/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 codestarconnections AWS Java SDK :: Services :: CodeStar connections diff --git a/services/codestarnotifications/pom.xml b/services/codestarnotifications/pom.xml index 3d4012a3554f..0d345cbac22c 100644 --- a/services/codestarnotifications/pom.xml +++ b/services/codestarnotifications/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 codestarnotifications AWS Java SDK :: Services :: Codestar Notifications diff --git a/services/cognitoidentity/pom.xml b/services/cognitoidentity/pom.xml index 11117dc45c7a..5a6ddc3f76aa 100644 --- a/services/cognitoidentity/pom.xml +++ b/services/cognitoidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 cognitoidentity AWS Java SDK :: Services :: Amazon Cognito Identity diff --git a/services/cognitoidentityprovider/pom.xml b/services/cognitoidentityprovider/pom.xml index 78f9133b79a7..ba681a39dc60 100644 --- a/services/cognitoidentityprovider/pom.xml +++ b/services/cognitoidentityprovider/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 cognitoidentityprovider AWS Java SDK :: Services :: Amazon Cognito Identity Provider Service diff --git a/services/cognitosync/pom.xml b/services/cognitosync/pom.xml index a26019353dd4..553f303451a9 100644 --- a/services/cognitosync/pom.xml +++ b/services/cognitosync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 cognitosync AWS Java SDK :: Services :: Amazon Cognito Sync diff --git a/services/comprehend/pom.xml b/services/comprehend/pom.xml index 4d7b7c2823d5..8a40ab2437f4 100644 --- a/services/comprehend/pom.xml +++ b/services/comprehend/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19-SNAPSHOT + 2.27.19 4.0.0 comprehend diff --git a/services/comprehendmedical/pom.xml b/services/comprehendmedical/pom.xml index f6073cced875..e2580281f816 100644 --- a/services/comprehendmedical/pom.xml +++ b/services/comprehendmedical/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 comprehendmedical AWS Java SDK :: Services :: ComprehendMedical diff --git a/services/computeoptimizer/pom.xml b/services/computeoptimizer/pom.xml index 0b3cd12dcf10..82396b2fd09f 100644 --- a/services/computeoptimizer/pom.xml +++ b/services/computeoptimizer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 computeoptimizer AWS Java SDK :: Services :: Compute Optimizer diff --git a/services/config/pom.xml b/services/config/pom.xml index a9f49f3acf51..3a661be36797 100644 --- a/services/config/pom.xml +++ b/services/config/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 config AWS Java SDK :: Services :: AWS Config diff --git a/services/connect/pom.xml b/services/connect/pom.xml index 9407c3dd23dd..815f661aa176 100644 --- a/services/connect/pom.xml +++ b/services/connect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 connect AWS Java SDK :: Services :: Connect diff --git a/services/connectcampaigns/pom.xml b/services/connectcampaigns/pom.xml index 7a94b3d22c7f..7a89c230286b 100644 --- a/services/connectcampaigns/pom.xml +++ b/services/connectcampaigns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 connectcampaigns AWS Java SDK :: Services :: Connect Campaigns diff --git a/services/connectcases/pom.xml b/services/connectcases/pom.xml index 8f8d43169369..b1b6993f78fd 100644 --- a/services/connectcases/pom.xml +++ b/services/connectcases/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 connectcases AWS Java SDK :: Services :: Connect Cases diff --git a/services/connectcontactlens/pom.xml b/services/connectcontactlens/pom.xml index 443d36e2457d..4f484a4e484e 100644 --- a/services/connectcontactlens/pom.xml +++ b/services/connectcontactlens/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 connectcontactlens AWS Java SDK :: Services :: Connect Contact Lens diff --git a/services/connectparticipant/pom.xml b/services/connectparticipant/pom.xml index 7c0e5b830879..bf125ffa6937 100644 --- a/services/connectparticipant/pom.xml +++ b/services/connectparticipant/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 connectparticipant AWS Java SDK :: Services :: ConnectParticipant diff --git a/services/controlcatalog/pom.xml b/services/controlcatalog/pom.xml index 6cc4eef8ef38..1374e53fe968 100644 --- a/services/controlcatalog/pom.xml +++ b/services/controlcatalog/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 controlcatalog AWS Java SDK :: Services :: Control Catalog diff --git a/services/controltower/pom.xml b/services/controltower/pom.xml index 37dcd004ae86..3316757e3cd0 100644 --- a/services/controltower/pom.xml +++ b/services/controltower/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 controltower AWS Java SDK :: Services :: Control Tower diff --git a/services/costandusagereport/pom.xml b/services/costandusagereport/pom.xml index 403c798df13f..76ad1efedd13 100644 --- a/services/costandusagereport/pom.xml +++ b/services/costandusagereport/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 costandusagereport AWS Java SDK :: Services :: AWS Cost and Usage Report diff --git a/services/costexplorer/pom.xml b/services/costexplorer/pom.xml index 6e47f66b8a13..d0c7cb387ab2 100644 --- a/services/costexplorer/pom.xml +++ b/services/costexplorer/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19-SNAPSHOT + 2.27.19 4.0.0 costexplorer diff --git a/services/costoptimizationhub/pom.xml b/services/costoptimizationhub/pom.xml index 0146106d6c1b..ed4a87e800e5 100644 --- a/services/costoptimizationhub/pom.xml +++ b/services/costoptimizationhub/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 costoptimizationhub AWS Java SDK :: Services :: Cost Optimization Hub diff --git a/services/customerprofiles/pom.xml b/services/customerprofiles/pom.xml index d1e8426b58d9..8e834abb4870 100644 --- a/services/customerprofiles/pom.xml +++ b/services/customerprofiles/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 customerprofiles AWS Java SDK :: Services :: Customer Profiles diff --git a/services/databasemigration/pom.xml b/services/databasemigration/pom.xml index c0a68a8cf47d..37bc769b88e9 100644 --- a/services/databasemigration/pom.xml +++ b/services/databasemigration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 databasemigration AWS Java SDK :: Services :: AWS Database Migration Service diff --git a/services/databrew/pom.xml b/services/databrew/pom.xml index 75c797cbb059..817a4987b82f 100644 --- a/services/databrew/pom.xml +++ b/services/databrew/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 databrew AWS Java SDK :: Services :: Data Brew diff --git a/services/dataexchange/pom.xml b/services/dataexchange/pom.xml index 55690615680b..e5bb63bdec7c 100644 --- a/services/dataexchange/pom.xml +++ b/services/dataexchange/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 dataexchange AWS Java SDK :: Services :: DataExchange diff --git a/services/datapipeline/pom.xml b/services/datapipeline/pom.xml index ac5fc71478d9..48dcfeb693a0 100644 --- a/services/datapipeline/pom.xml +++ b/services/datapipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 datapipeline AWS Java SDK :: Services :: AWS Data Pipeline diff --git a/services/datasync/pom.xml b/services/datasync/pom.xml index 73dfe2fbff73..3f6c9ff98b36 100644 --- a/services/datasync/pom.xml +++ b/services/datasync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 datasync AWS Java SDK :: Services :: DataSync diff --git a/services/datazone/pom.xml b/services/datazone/pom.xml index db84be97a698..b27b546d6c3d 100644 --- a/services/datazone/pom.xml +++ b/services/datazone/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 datazone AWS Java SDK :: Services :: Data Zone diff --git a/services/dax/pom.xml b/services/dax/pom.xml index 9a54eed16a11..b4e8dc99ebcb 100644 --- a/services/dax/pom.xml +++ b/services/dax/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 dax AWS Java SDK :: Services :: Amazon DynamoDB Accelerator (DAX) diff --git a/services/deadline/pom.xml b/services/deadline/pom.xml index 7b7c93ff1994..c8562bc84a18 100644 --- a/services/deadline/pom.xml +++ b/services/deadline/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 deadline AWS Java SDK :: Services :: Deadline diff --git a/services/detective/pom.xml b/services/detective/pom.xml index e0adb0bee62a..d2f833f16873 100644 --- a/services/detective/pom.xml +++ b/services/detective/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 detective AWS Java SDK :: Services :: Detective diff --git a/services/devicefarm/pom.xml b/services/devicefarm/pom.xml index 2328f5c756ce..4d8501935753 100644 --- a/services/devicefarm/pom.xml +++ b/services/devicefarm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 devicefarm AWS Java SDK :: Services :: AWS Device Farm diff --git a/services/devopsguru/pom.xml b/services/devopsguru/pom.xml index 11d954141675..777b678acc96 100644 --- a/services/devopsguru/pom.xml +++ b/services/devopsguru/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 devopsguru AWS Java SDK :: Services :: Dev Ops Guru diff --git a/services/directconnect/pom.xml b/services/directconnect/pom.xml index b33108f98e00..129e8ec67f7c 100644 --- a/services/directconnect/pom.xml +++ b/services/directconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 directconnect AWS Java SDK :: Services :: AWS Direct Connect diff --git a/services/directory/pom.xml b/services/directory/pom.xml index 3b1ada49715a..165f74c63b68 100644 --- a/services/directory/pom.xml +++ b/services/directory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 directory AWS Java SDK :: Services :: AWS Directory Service diff --git a/services/dlm/pom.xml b/services/dlm/pom.xml index bb946b2cda2e..a13703de9b19 100644 --- a/services/dlm/pom.xml +++ b/services/dlm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 dlm AWS Java SDK :: Services :: DLM diff --git a/services/docdb/pom.xml b/services/docdb/pom.xml index 211a078c85f3..3cb126f065fe 100644 --- a/services/docdb/pom.xml +++ b/services/docdb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 docdb AWS Java SDK :: Services :: DocDB diff --git a/services/docdbelastic/pom.xml b/services/docdbelastic/pom.xml index e8f2fdd49310..c8d32b2c70b0 100644 --- a/services/docdbelastic/pom.xml +++ b/services/docdbelastic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 docdbelastic AWS Java SDK :: Services :: Doc DB Elastic diff --git a/services/drs/pom.xml b/services/drs/pom.xml index 8fd1ef00a3df..0af34ebf6986 100644 --- a/services/drs/pom.xml +++ b/services/drs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 drs AWS Java SDK :: Services :: Drs diff --git a/services/dynamodb/pom.xml b/services/dynamodb/pom.xml index ae94156f0cd5..c637b3236f4f 100644 --- a/services/dynamodb/pom.xml +++ b/services/dynamodb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 dynamodb AWS Java SDK :: Services :: Amazon DynamoDB diff --git a/services/ebs/pom.xml b/services/ebs/pom.xml index f3a16bbdd468..6ac5b2613c85 100644 --- a/services/ebs/pom.xml +++ b/services/ebs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 ebs AWS Java SDK :: Services :: EBS diff --git a/services/ec2/pom.xml b/services/ec2/pom.xml index 4b3c4b72cd5f..973bc281adb5 100644 --- a/services/ec2/pom.xml +++ b/services/ec2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 ec2 AWS Java SDK :: Services :: Amazon EC2 diff --git a/services/ec2instanceconnect/pom.xml b/services/ec2instanceconnect/pom.xml index 90042ccde228..013a30e4a71f 100644 --- a/services/ec2instanceconnect/pom.xml +++ b/services/ec2instanceconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 ec2instanceconnect AWS Java SDK :: Services :: EC2 Instance Connect diff --git a/services/ecr/pom.xml b/services/ecr/pom.xml index 3ab34bf99c00..6f0e097b58e5 100644 --- a/services/ecr/pom.xml +++ b/services/ecr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 ecr AWS Java SDK :: Services :: Amazon EC2 Container Registry diff --git a/services/ecrpublic/pom.xml b/services/ecrpublic/pom.xml index ac0f490587dd..ba5a4c23fe44 100644 --- a/services/ecrpublic/pom.xml +++ b/services/ecrpublic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 ecrpublic AWS Java SDK :: Services :: ECR PUBLIC diff --git a/services/ecs/pom.xml b/services/ecs/pom.xml index 3523fb78b11b..549a41187e97 100644 --- a/services/ecs/pom.xml +++ b/services/ecs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 ecs AWS Java SDK :: Services :: Amazon EC2 Container Service diff --git a/services/efs/pom.xml b/services/efs/pom.xml index 080383c20119..5a29ab46c4a4 100644 --- a/services/efs/pom.xml +++ b/services/efs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 efs AWS Java SDK :: Services :: Amazon Elastic File System diff --git a/services/eks/pom.xml b/services/eks/pom.xml index 537bc4ef5bb0..8a4d43432708 100644 --- a/services/eks/pom.xml +++ b/services/eks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 eks AWS Java SDK :: Services :: EKS diff --git a/services/eksauth/pom.xml b/services/eksauth/pom.xml index 71f746d8a8bb..fd53f998f395 100644 --- a/services/eksauth/pom.xml +++ b/services/eksauth/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 eksauth AWS Java SDK :: Services :: EKS Auth diff --git a/services/elasticache/pom.xml b/services/elasticache/pom.xml index ec62c2564853..6df40231fc35 100644 --- a/services/elasticache/pom.xml +++ b/services/elasticache/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 elasticache AWS Java SDK :: Services :: Amazon ElastiCache diff --git a/services/elasticbeanstalk/pom.xml b/services/elasticbeanstalk/pom.xml index 02de6d134901..cfc01d3aefb7 100644 --- a/services/elasticbeanstalk/pom.xml +++ b/services/elasticbeanstalk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 elasticbeanstalk AWS Java SDK :: Services :: AWS Elastic Beanstalk diff --git a/services/elasticinference/pom.xml b/services/elasticinference/pom.xml index 9ac442c1acba..51a8a6f0988b 100644 --- a/services/elasticinference/pom.xml +++ b/services/elasticinference/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 elasticinference AWS Java SDK :: Services :: Elastic Inference diff --git a/services/elasticloadbalancing/pom.xml b/services/elasticloadbalancing/pom.xml index 7e5e039f0763..a9814e3c4490 100644 --- a/services/elasticloadbalancing/pom.xml +++ b/services/elasticloadbalancing/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 elasticloadbalancing AWS Java SDK :: Services :: Elastic Load Balancing diff --git a/services/elasticloadbalancingv2/pom.xml b/services/elasticloadbalancingv2/pom.xml index 2a5c8d3ee42e..ff1a5f6220c9 100644 --- a/services/elasticloadbalancingv2/pom.xml +++ b/services/elasticloadbalancingv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 elasticloadbalancingv2 AWS Java SDK :: Services :: Elastic Load Balancing V2 diff --git a/services/elasticsearch/pom.xml b/services/elasticsearch/pom.xml index 03e6c2bc04a4..c79f623eb3f7 100644 --- a/services/elasticsearch/pom.xml +++ b/services/elasticsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 elasticsearch AWS Java SDK :: Services :: Amazon Elasticsearch Service diff --git a/services/elastictranscoder/pom.xml b/services/elastictranscoder/pom.xml index d47ab3fc60fe..c92e76bd1e7f 100644 --- a/services/elastictranscoder/pom.xml +++ b/services/elastictranscoder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 elastictranscoder AWS Java SDK :: Services :: Amazon Elastic Transcoder diff --git a/services/emr/pom.xml b/services/emr/pom.xml index dea25bad8ac4..7b05745a3c31 100644 --- a/services/emr/pom.xml +++ b/services/emr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 emr AWS Java SDK :: Services :: Amazon EMR diff --git a/services/emrcontainers/pom.xml b/services/emrcontainers/pom.xml index acd8d47b4598..ac77705b6078 100644 --- a/services/emrcontainers/pom.xml +++ b/services/emrcontainers/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 emrcontainers AWS Java SDK :: Services :: EMR Containers diff --git a/services/emrserverless/pom.xml b/services/emrserverless/pom.xml index 8645a4267d37..612c3ba0cc43 100644 --- a/services/emrserverless/pom.xml +++ b/services/emrserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 emrserverless AWS Java SDK :: Services :: EMR Serverless diff --git a/services/entityresolution/pom.xml b/services/entityresolution/pom.xml index bc1231b1371c..575db7e7a550 100644 --- a/services/entityresolution/pom.xml +++ b/services/entityresolution/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 entityresolution AWS Java SDK :: Services :: Entity Resolution diff --git a/services/eventbridge/pom.xml b/services/eventbridge/pom.xml index 96f787c935b2..df839f529dba 100644 --- a/services/eventbridge/pom.xml +++ b/services/eventbridge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 eventbridge AWS Java SDK :: Services :: EventBridge diff --git a/services/evidently/pom.xml b/services/evidently/pom.xml index 3fb25557fb3f..a964939e1e45 100644 --- a/services/evidently/pom.xml +++ b/services/evidently/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 evidently AWS Java SDK :: Services :: Evidently diff --git a/services/finspace/pom.xml b/services/finspace/pom.xml index f74598f0580f..676efd607b11 100644 --- a/services/finspace/pom.xml +++ b/services/finspace/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 finspace AWS Java SDK :: Services :: Finspace diff --git a/services/finspacedata/pom.xml b/services/finspacedata/pom.xml index 8f2890cf992d..045deaaca33e 100644 --- a/services/finspacedata/pom.xml +++ b/services/finspacedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 finspacedata AWS Java SDK :: Services :: Finspace Data diff --git a/services/firehose/pom.xml b/services/firehose/pom.xml index e236aca51608..99a76b4c3912 100644 --- a/services/firehose/pom.xml +++ b/services/firehose/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 firehose AWS Java SDK :: Services :: Amazon Kinesis Firehose diff --git a/services/fis/pom.xml b/services/fis/pom.xml index 26b39bdc59a6..350c1d0857c5 100644 --- a/services/fis/pom.xml +++ b/services/fis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 fis AWS Java SDK :: Services :: Fis diff --git a/services/fms/pom.xml b/services/fms/pom.xml index 15841a26b216..db1bf50a1236 100644 --- a/services/fms/pom.xml +++ b/services/fms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 fms AWS Java SDK :: Services :: FMS diff --git a/services/forecast/pom.xml b/services/forecast/pom.xml index 477757799f05..a1b37609e119 100644 --- a/services/forecast/pom.xml +++ b/services/forecast/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 forecast AWS Java SDK :: Services :: Forecast diff --git a/services/forecastquery/pom.xml b/services/forecastquery/pom.xml index 7f2023ec377d..d976af7ef00e 100644 --- a/services/forecastquery/pom.xml +++ b/services/forecastquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 forecastquery AWS Java SDK :: Services :: Forecastquery diff --git a/services/frauddetector/pom.xml b/services/frauddetector/pom.xml index 5b45120f1ec7..4d66d49f1738 100644 --- a/services/frauddetector/pom.xml +++ b/services/frauddetector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 frauddetector AWS Java SDK :: Services :: FraudDetector diff --git a/services/freetier/pom.xml b/services/freetier/pom.xml index 5a54e137eaeb..ce792a2b5cd1 100644 --- a/services/freetier/pom.xml +++ b/services/freetier/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 freetier AWS Java SDK :: Services :: Free Tier diff --git a/services/fsx/pom.xml b/services/fsx/pom.xml index 56b86934ce2a..b447ba3716d1 100644 --- a/services/fsx/pom.xml +++ b/services/fsx/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 fsx AWS Java SDK :: Services :: FSx diff --git a/services/gamelift/pom.xml b/services/gamelift/pom.xml index 66c594ed691f..10d455880246 100644 --- a/services/gamelift/pom.xml +++ b/services/gamelift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 gamelift AWS Java SDK :: Services :: AWS GameLift diff --git a/services/glacier/pom.xml b/services/glacier/pom.xml index 5c27aa5c36aa..86ebadd884c7 100644 --- a/services/glacier/pom.xml +++ b/services/glacier/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 glacier AWS Java SDK :: Services :: Amazon Glacier diff --git a/services/globalaccelerator/pom.xml b/services/globalaccelerator/pom.xml index 84706049c9e7..979f8cfa1cc6 100644 --- a/services/globalaccelerator/pom.xml +++ b/services/globalaccelerator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 globalaccelerator AWS Java SDK :: Services :: Global Accelerator diff --git a/services/glue/pom.xml b/services/glue/pom.xml index 9edaea4f02b9..a149b9876add 100644 --- a/services/glue/pom.xml +++ b/services/glue/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19-SNAPSHOT + 2.27.19 4.0.0 glue diff --git a/services/grafana/pom.xml b/services/grafana/pom.xml index 6bcb40ae5136..af965067b663 100644 --- a/services/grafana/pom.xml +++ b/services/grafana/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 grafana AWS Java SDK :: Services :: Grafana diff --git a/services/greengrass/pom.xml b/services/greengrass/pom.xml index 62bca4b4765b..f816d29bd9ce 100644 --- a/services/greengrass/pom.xml +++ b/services/greengrass/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 greengrass AWS Java SDK :: Services :: AWS Greengrass diff --git a/services/greengrassv2/pom.xml b/services/greengrassv2/pom.xml index 9e18d1e7e0be..2f11ed869315 100644 --- a/services/greengrassv2/pom.xml +++ b/services/greengrassv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 greengrassv2 AWS Java SDK :: Services :: Greengrass V2 diff --git a/services/groundstation/pom.xml b/services/groundstation/pom.xml index e988e58a4f8b..924d739a5c5f 100644 --- a/services/groundstation/pom.xml +++ b/services/groundstation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 groundstation AWS Java SDK :: Services :: GroundStation diff --git a/services/guardduty/pom.xml b/services/guardduty/pom.xml index 6d03dd2b9bd6..84f81d3c8af4 100644 --- a/services/guardduty/pom.xml +++ b/services/guardduty/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19-SNAPSHOT + 2.27.19 4.0.0 guardduty diff --git a/services/health/pom.xml b/services/health/pom.xml index 2f4a8c40ffc7..6c7460eb7a3b 100644 --- a/services/health/pom.xml +++ b/services/health/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 health AWS Java SDK :: Services :: AWS Health APIs and Notifications diff --git a/services/healthlake/pom.xml b/services/healthlake/pom.xml index b76281e92c75..0c11efb8bbc0 100644 --- a/services/healthlake/pom.xml +++ b/services/healthlake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 healthlake AWS Java SDK :: Services :: Health Lake diff --git a/services/iam/pom.xml b/services/iam/pom.xml index 6018fd19fe8e..a9b593273978 100644 --- a/services/iam/pom.xml +++ b/services/iam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 iam AWS Java SDK :: Services :: AWS IAM diff --git a/services/identitystore/pom.xml b/services/identitystore/pom.xml index 2e3bdf9db854..b3efdb931e95 100644 --- a/services/identitystore/pom.xml +++ b/services/identitystore/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 identitystore AWS Java SDK :: Services :: Identitystore diff --git a/services/imagebuilder/pom.xml b/services/imagebuilder/pom.xml index 3aa8a07da17c..3aad681f6b36 100644 --- a/services/imagebuilder/pom.xml +++ b/services/imagebuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 imagebuilder AWS Java SDK :: Services :: Imagebuilder diff --git a/services/inspector/pom.xml b/services/inspector/pom.xml index fb1d7ffdc58e..1cfda5dae6ca 100644 --- a/services/inspector/pom.xml +++ b/services/inspector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 inspector AWS Java SDK :: Services :: Amazon Inspector Service diff --git a/services/inspector2/pom.xml b/services/inspector2/pom.xml index 1dce629f57de..159ed196440a 100644 --- a/services/inspector2/pom.xml +++ b/services/inspector2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 inspector2 AWS Java SDK :: Services :: Inspector2 diff --git a/services/inspectorscan/pom.xml b/services/inspectorscan/pom.xml index 96258ba88ada..a003ead58adc 100644 --- a/services/inspectorscan/pom.xml +++ b/services/inspectorscan/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 inspectorscan AWS Java SDK :: Services :: Inspector Scan diff --git a/services/internetmonitor/pom.xml b/services/internetmonitor/pom.xml index ab21de5dae50..b7d4378f818a 100644 --- a/services/internetmonitor/pom.xml +++ b/services/internetmonitor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 internetmonitor AWS Java SDK :: Services :: Internet Monitor diff --git a/services/iot/pom.xml b/services/iot/pom.xml index 9d48b25fa2a2..f53ad926c5c0 100644 --- a/services/iot/pom.xml +++ b/services/iot/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 iot AWS Java SDK :: Services :: AWS IoT diff --git a/services/iot1clickdevices/pom.xml b/services/iot1clickdevices/pom.xml index 443a97680ecb..bdddf5a6f927 100644 --- a/services/iot1clickdevices/pom.xml +++ b/services/iot1clickdevices/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 iot1clickdevices AWS Java SDK :: Services :: IoT 1Click Devices Service diff --git a/services/iot1clickprojects/pom.xml b/services/iot1clickprojects/pom.xml index 6b93276855af..65164ffff7b7 100644 --- a/services/iot1clickprojects/pom.xml +++ b/services/iot1clickprojects/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 iot1clickprojects AWS Java SDK :: Services :: IoT 1Click Projects diff --git a/services/iotanalytics/pom.xml b/services/iotanalytics/pom.xml index 6bc70d649eaa..6e3f0f650c79 100644 --- a/services/iotanalytics/pom.xml +++ b/services/iotanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 iotanalytics AWS Java SDK :: Services :: IoTAnalytics diff --git a/services/iotdataplane/pom.xml b/services/iotdataplane/pom.xml index aac0ea2dcea2..9e848badde84 100644 --- a/services/iotdataplane/pom.xml +++ b/services/iotdataplane/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 iotdataplane AWS Java SDK :: Services :: AWS IoT Data Plane diff --git a/services/iotdeviceadvisor/pom.xml b/services/iotdeviceadvisor/pom.xml index 285a8e0b4ea0..fe35b00a0ee0 100644 --- a/services/iotdeviceadvisor/pom.xml +++ b/services/iotdeviceadvisor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 iotdeviceadvisor AWS Java SDK :: Services :: Iot Device Advisor diff --git a/services/iotevents/pom.xml b/services/iotevents/pom.xml index e4215bd1bac7..74dd863da128 100644 --- a/services/iotevents/pom.xml +++ b/services/iotevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 iotevents AWS Java SDK :: Services :: IoT Events diff --git a/services/ioteventsdata/pom.xml b/services/ioteventsdata/pom.xml index 04b815664205..c423646f58b7 100644 --- a/services/ioteventsdata/pom.xml +++ b/services/ioteventsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 ioteventsdata AWS Java SDK :: Services :: IoT Events Data diff --git a/services/iotfleethub/pom.xml b/services/iotfleethub/pom.xml index 63b97636a964..589566d99ac6 100644 --- a/services/iotfleethub/pom.xml +++ b/services/iotfleethub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 iotfleethub AWS Java SDK :: Services :: Io T Fleet Hub diff --git a/services/iotfleetwise/pom.xml b/services/iotfleetwise/pom.xml index bd387f53f99f..1a9dd1966c25 100644 --- a/services/iotfleetwise/pom.xml +++ b/services/iotfleetwise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 iotfleetwise AWS Java SDK :: Services :: Io T Fleet Wise diff --git a/services/iotjobsdataplane/pom.xml b/services/iotjobsdataplane/pom.xml index 6d53b3f0bf74..832205c173f9 100644 --- a/services/iotjobsdataplane/pom.xml +++ b/services/iotjobsdataplane/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 iotjobsdataplane AWS Java SDK :: Services :: IoT Jobs Data Plane diff --git a/services/iotsecuretunneling/pom.xml b/services/iotsecuretunneling/pom.xml index 3ed15cdc9ff2..2f859dab5c16 100644 --- a/services/iotsecuretunneling/pom.xml +++ b/services/iotsecuretunneling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 iotsecuretunneling AWS Java SDK :: Services :: IoTSecureTunneling diff --git a/services/iotsitewise/pom.xml b/services/iotsitewise/pom.xml index 185d3a2967db..af575ff8c0f6 100644 --- a/services/iotsitewise/pom.xml +++ b/services/iotsitewise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 iotsitewise AWS Java SDK :: Services :: Io T Site Wise diff --git a/services/iotthingsgraph/pom.xml b/services/iotthingsgraph/pom.xml index 3e99c9ff73f1..cf72c51d0e71 100644 --- a/services/iotthingsgraph/pom.xml +++ b/services/iotthingsgraph/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 iotthingsgraph AWS Java SDK :: Services :: IoTThingsGraph diff --git a/services/iottwinmaker/pom.xml b/services/iottwinmaker/pom.xml index 067404d3abc1..37ebd0ad451f 100644 --- a/services/iottwinmaker/pom.xml +++ b/services/iottwinmaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 iottwinmaker AWS Java SDK :: Services :: Io T Twin Maker diff --git a/services/iotwireless/pom.xml b/services/iotwireless/pom.xml index f5664ef508dd..da7660d17de4 100644 --- a/services/iotwireless/pom.xml +++ b/services/iotwireless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 iotwireless AWS Java SDK :: Services :: IoT Wireless diff --git a/services/ivs/pom.xml b/services/ivs/pom.xml index 520fdd55e15b..19cc7a044520 100644 --- a/services/ivs/pom.xml +++ b/services/ivs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 ivs AWS Java SDK :: Services :: Ivs diff --git a/services/ivschat/pom.xml b/services/ivschat/pom.xml index d44a0dfe42c6..aa2a9de719f3 100644 --- a/services/ivschat/pom.xml +++ b/services/ivschat/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 ivschat AWS Java SDK :: Services :: Ivschat diff --git a/services/ivsrealtime/pom.xml b/services/ivsrealtime/pom.xml index 0e21271e7469..a5920d318d1d 100644 --- a/services/ivsrealtime/pom.xml +++ b/services/ivsrealtime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 ivsrealtime AWS Java SDK :: Services :: IVS Real Time diff --git a/services/kafka/pom.xml b/services/kafka/pom.xml index 38cde8742857..764a6660628f 100644 --- a/services/kafka/pom.xml +++ b/services/kafka/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 kafka AWS Java SDK :: Services :: Kafka diff --git a/services/kafkaconnect/pom.xml b/services/kafkaconnect/pom.xml index 85957d151f4a..fd8931a64927 100644 --- a/services/kafkaconnect/pom.xml +++ b/services/kafkaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 kafkaconnect AWS Java SDK :: Services :: Kafka Connect diff --git a/services/kendra/pom.xml b/services/kendra/pom.xml index ae898a5a8d16..395f4b54aac3 100644 --- a/services/kendra/pom.xml +++ b/services/kendra/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 kendra AWS Java SDK :: Services :: Kendra diff --git a/services/kendraranking/pom.xml b/services/kendraranking/pom.xml index be8831c471b3..223f7f426a86 100644 --- a/services/kendraranking/pom.xml +++ b/services/kendraranking/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 kendraranking AWS Java SDK :: Services :: Kendra Ranking diff --git a/services/keyspaces/pom.xml b/services/keyspaces/pom.xml index a7e7b772b8ea..530f6b12d7f0 100644 --- a/services/keyspaces/pom.xml +++ b/services/keyspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 keyspaces AWS Java SDK :: Services :: Keyspaces diff --git a/services/kinesis/pom.xml b/services/kinesis/pom.xml index c36afe552bb7..7da1a249eaeb 100644 --- a/services/kinesis/pom.xml +++ b/services/kinesis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 kinesis AWS Java SDK :: Services :: Amazon Kinesis diff --git a/services/kinesisanalytics/pom.xml b/services/kinesisanalytics/pom.xml index 1919130c6abc..5fbd46146825 100644 --- a/services/kinesisanalytics/pom.xml +++ b/services/kinesisanalytics/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 kinesisanalytics AWS Java SDK :: Services :: Amazon Kinesis Analytics diff --git a/services/kinesisanalyticsv2/pom.xml b/services/kinesisanalyticsv2/pom.xml index bf74305bf4b2..32b042e944cf 100644 --- a/services/kinesisanalyticsv2/pom.xml +++ b/services/kinesisanalyticsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 kinesisanalyticsv2 AWS Java SDK :: Services :: Kinesis Analytics V2 diff --git a/services/kinesisvideo/pom.xml b/services/kinesisvideo/pom.xml index 77d5a44418e8..cfa2cea6d15e 100644 --- a/services/kinesisvideo/pom.xml +++ b/services/kinesisvideo/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19-SNAPSHOT + 2.27.19 4.0.0 kinesisvideo diff --git a/services/kinesisvideoarchivedmedia/pom.xml b/services/kinesisvideoarchivedmedia/pom.xml index 8aceac80612f..ecfacb4fefbf 100644 --- a/services/kinesisvideoarchivedmedia/pom.xml +++ b/services/kinesisvideoarchivedmedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 kinesisvideoarchivedmedia AWS Java SDK :: Services :: Kinesis Video Archived Media diff --git a/services/kinesisvideomedia/pom.xml b/services/kinesisvideomedia/pom.xml index b340c0d9ed73..a4a0ca5b4da5 100644 --- a/services/kinesisvideomedia/pom.xml +++ b/services/kinesisvideomedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 kinesisvideomedia AWS Java SDK :: Services :: Kinesis Video Media diff --git a/services/kinesisvideosignaling/pom.xml b/services/kinesisvideosignaling/pom.xml index 5ef5b095758b..f27b04204031 100644 --- a/services/kinesisvideosignaling/pom.xml +++ b/services/kinesisvideosignaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 kinesisvideosignaling AWS Java SDK :: Services :: Kinesis Video Signaling diff --git a/services/kinesisvideowebrtcstorage/pom.xml b/services/kinesisvideowebrtcstorage/pom.xml index b4927a3a29af..e245507eb12d 100644 --- a/services/kinesisvideowebrtcstorage/pom.xml +++ b/services/kinesisvideowebrtcstorage/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 kinesisvideowebrtcstorage AWS Java SDK :: Services :: Kinesis Video Web RTC Storage diff --git a/services/kms/pom.xml b/services/kms/pom.xml index a8511b1d382d..45ff2ab03050 100644 --- a/services/kms/pom.xml +++ b/services/kms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 kms AWS Java SDK :: Services :: AWS KMS diff --git a/services/lakeformation/pom.xml b/services/lakeformation/pom.xml index b6046ffc24d5..01e109d89d42 100644 --- a/services/lakeformation/pom.xml +++ b/services/lakeformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 lakeformation AWS Java SDK :: Services :: LakeFormation diff --git a/services/lambda/pom.xml b/services/lambda/pom.xml index 2fd47e1d9335..aa51e51c1378 100644 --- a/services/lambda/pom.xml +++ b/services/lambda/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 lambda AWS Java SDK :: Services :: AWS Lambda diff --git a/services/launchwizard/pom.xml b/services/launchwizard/pom.xml index 5d8ddeeea6e6..698ea9c9087c 100644 --- a/services/launchwizard/pom.xml +++ b/services/launchwizard/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 launchwizard AWS Java SDK :: Services :: Launch Wizard diff --git a/services/lexmodelbuilding/pom.xml b/services/lexmodelbuilding/pom.xml index dc56c9cf878a..4be3e311f866 100644 --- a/services/lexmodelbuilding/pom.xml +++ b/services/lexmodelbuilding/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 lexmodelbuilding AWS Java SDK :: Services :: Amazon Lex Model Building diff --git a/services/lexmodelsv2/pom.xml b/services/lexmodelsv2/pom.xml index d1e214383553..0020b34fa3c0 100644 --- a/services/lexmodelsv2/pom.xml +++ b/services/lexmodelsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 lexmodelsv2 AWS Java SDK :: Services :: Lex Models V2 diff --git a/services/lexruntime/pom.xml b/services/lexruntime/pom.xml index 4765f086079f..ab376a163ec0 100644 --- a/services/lexruntime/pom.xml +++ b/services/lexruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 lexruntime AWS Java SDK :: Services :: Amazon Lex Runtime diff --git a/services/lexruntimev2/pom.xml b/services/lexruntimev2/pom.xml index d616bbbf516d..44053ed533d1 100644 --- a/services/lexruntimev2/pom.xml +++ b/services/lexruntimev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 lexruntimev2 AWS Java SDK :: Services :: Lex Runtime V2 diff --git a/services/licensemanager/pom.xml b/services/licensemanager/pom.xml index f852bcb9d36f..816ae5c95f06 100644 --- a/services/licensemanager/pom.xml +++ b/services/licensemanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 licensemanager AWS Java SDK :: Services :: License Manager diff --git a/services/licensemanagerlinuxsubscriptions/pom.xml b/services/licensemanagerlinuxsubscriptions/pom.xml index c6e7e112444c..4f86f5c2d495 100644 --- a/services/licensemanagerlinuxsubscriptions/pom.xml +++ b/services/licensemanagerlinuxsubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 licensemanagerlinuxsubscriptions AWS Java SDK :: Services :: License Manager Linux Subscriptions diff --git a/services/licensemanagerusersubscriptions/pom.xml b/services/licensemanagerusersubscriptions/pom.xml index 28560a621c52..9cec150dff9c 100644 --- a/services/licensemanagerusersubscriptions/pom.xml +++ b/services/licensemanagerusersubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 licensemanagerusersubscriptions AWS Java SDK :: Services :: License Manager User Subscriptions diff --git a/services/lightsail/pom.xml b/services/lightsail/pom.xml index d4bec2a97a84..22edc406c986 100644 --- a/services/lightsail/pom.xml +++ b/services/lightsail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 lightsail AWS Java SDK :: Services :: Amazon Lightsail diff --git a/services/location/pom.xml b/services/location/pom.xml index 3c30de7d4025..4e5f89fcfc43 100644 --- a/services/location/pom.xml +++ b/services/location/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 location AWS Java SDK :: Services :: Location diff --git a/services/lookoutequipment/pom.xml b/services/lookoutequipment/pom.xml index f9d18320e770..79f2165055d6 100644 --- a/services/lookoutequipment/pom.xml +++ b/services/lookoutequipment/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 lookoutequipment AWS Java SDK :: Services :: Lookout Equipment diff --git a/services/lookoutmetrics/pom.xml b/services/lookoutmetrics/pom.xml index 22efc9fb0402..7d1b827f967d 100644 --- a/services/lookoutmetrics/pom.xml +++ b/services/lookoutmetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 lookoutmetrics AWS Java SDK :: Services :: Lookout Metrics diff --git a/services/lookoutvision/pom.xml b/services/lookoutvision/pom.xml index f665b303828a..0bbb48d8e84f 100644 --- a/services/lookoutvision/pom.xml +++ b/services/lookoutvision/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 lookoutvision AWS Java SDK :: Services :: Lookout Vision diff --git a/services/m2/pom.xml b/services/m2/pom.xml index 5e7da29f226c..8946b28620f1 100644 --- a/services/m2/pom.xml +++ b/services/m2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 m2 AWS Java SDK :: Services :: M2 diff --git a/services/machinelearning/pom.xml b/services/machinelearning/pom.xml index 52e50562c27d..d38a73c1c726 100644 --- a/services/machinelearning/pom.xml +++ b/services/machinelearning/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 machinelearning AWS Java SDK :: Services :: Amazon Machine Learning diff --git a/services/macie2/pom.xml b/services/macie2/pom.xml index b467bd8a21eb..389687929876 100644 --- a/services/macie2/pom.xml +++ b/services/macie2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 macie2 AWS Java SDK :: Services :: Macie2 diff --git a/services/mailmanager/pom.xml b/services/mailmanager/pom.xml index 8b350a0d9654..5d1532a93d2e 100644 --- a/services/mailmanager/pom.xml +++ b/services/mailmanager/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 mailmanager AWS Java SDK :: Services :: Mail Manager diff --git a/services/managedblockchain/pom.xml b/services/managedblockchain/pom.xml index b5d3a97c2c09..4cf4ff0b502f 100644 --- a/services/managedblockchain/pom.xml +++ b/services/managedblockchain/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 managedblockchain AWS Java SDK :: Services :: ManagedBlockchain diff --git a/services/managedblockchainquery/pom.xml b/services/managedblockchainquery/pom.xml index e4b3a61eecb0..253fdbba3cd3 100644 --- a/services/managedblockchainquery/pom.xml +++ b/services/managedblockchainquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 managedblockchainquery AWS Java SDK :: Services :: Managed Blockchain Query diff --git a/services/marketplaceagreement/pom.xml b/services/marketplaceagreement/pom.xml index c2373d8bde05..755ce3b34358 100644 --- a/services/marketplaceagreement/pom.xml +++ b/services/marketplaceagreement/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 marketplaceagreement AWS Java SDK :: Services :: Marketplace Agreement diff --git a/services/marketplacecatalog/pom.xml b/services/marketplacecatalog/pom.xml index 66b782a09906..3873c2529a53 100644 --- a/services/marketplacecatalog/pom.xml +++ b/services/marketplacecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 marketplacecatalog AWS Java SDK :: Services :: Marketplace Catalog diff --git a/services/marketplacecommerceanalytics/pom.xml b/services/marketplacecommerceanalytics/pom.xml index 8391eaedb5a1..2f6bfe7b1b2d 100644 --- a/services/marketplacecommerceanalytics/pom.xml +++ b/services/marketplacecommerceanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 marketplacecommerceanalytics AWS Java SDK :: Services :: AWS Marketplace Commerce Analytics diff --git a/services/marketplacedeployment/pom.xml b/services/marketplacedeployment/pom.xml index bf8f40e64c12..7f9955151b0c 100644 --- a/services/marketplacedeployment/pom.xml +++ b/services/marketplacedeployment/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 marketplacedeployment AWS Java SDK :: Services :: Marketplace Deployment diff --git a/services/marketplaceentitlement/pom.xml b/services/marketplaceentitlement/pom.xml index c38fe13c1d8c..a48f5670e9b6 100644 --- a/services/marketplaceentitlement/pom.xml +++ b/services/marketplaceentitlement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 marketplaceentitlement AWS Java SDK :: Services :: AWS Marketplace Entitlement diff --git a/services/marketplacemetering/pom.xml b/services/marketplacemetering/pom.xml index ac5cf849c6f4..7a7bb368cb8b 100644 --- a/services/marketplacemetering/pom.xml +++ b/services/marketplacemetering/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 marketplacemetering AWS Java SDK :: Services :: AWS Marketplace Metering Service diff --git a/services/mediaconnect/pom.xml b/services/mediaconnect/pom.xml index b01990ba08c7..b6a7b54916d0 100644 --- a/services/mediaconnect/pom.xml +++ b/services/mediaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 mediaconnect AWS Java SDK :: Services :: MediaConnect diff --git a/services/mediaconvert/pom.xml b/services/mediaconvert/pom.xml index 1c0a6b67fc05..39b5ece2416a 100644 --- a/services/mediaconvert/pom.xml +++ b/services/mediaconvert/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19-SNAPSHOT + 2.27.19 4.0.0 mediaconvert diff --git a/services/medialive/pom.xml b/services/medialive/pom.xml index 56893746d384..e1942a242d86 100644 --- a/services/medialive/pom.xml +++ b/services/medialive/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19-SNAPSHOT + 2.27.19 4.0.0 medialive diff --git a/services/mediapackage/pom.xml b/services/mediapackage/pom.xml index 8dbd7e916abf..4d9af4a4a03e 100644 --- a/services/mediapackage/pom.xml +++ b/services/mediapackage/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19-SNAPSHOT + 2.27.19 4.0.0 mediapackage diff --git a/services/mediapackagev2/pom.xml b/services/mediapackagev2/pom.xml index 7523089e5b69..fbbcce1c1e55 100644 --- a/services/mediapackagev2/pom.xml +++ b/services/mediapackagev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 mediapackagev2 AWS Java SDK :: Services :: Media Package V2 diff --git a/services/mediapackagevod/pom.xml b/services/mediapackagevod/pom.xml index 732ee80367bc..2032b0953645 100644 --- a/services/mediapackagevod/pom.xml +++ b/services/mediapackagevod/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 mediapackagevod AWS Java SDK :: Services :: MediaPackage Vod diff --git a/services/mediastore/pom.xml b/services/mediastore/pom.xml index 9eb2b2f1c42e..0b4365449d8f 100644 --- a/services/mediastore/pom.xml +++ b/services/mediastore/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19-SNAPSHOT + 2.27.19 4.0.0 mediastore diff --git a/services/mediastoredata/pom.xml b/services/mediastoredata/pom.xml index 8b63d86d52ba..8d9b2b834099 100644 --- a/services/mediastoredata/pom.xml +++ b/services/mediastoredata/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19-SNAPSHOT + 2.27.19 4.0.0 mediastoredata diff --git a/services/mediatailor/pom.xml b/services/mediatailor/pom.xml index a4abc4dc9867..0e14e41b244c 100644 --- a/services/mediatailor/pom.xml +++ b/services/mediatailor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 mediatailor AWS Java SDK :: Services :: MediaTailor diff --git a/services/medicalimaging/pom.xml b/services/medicalimaging/pom.xml index 6ae60b26d613..66718e842ea3 100644 --- a/services/medicalimaging/pom.xml +++ b/services/medicalimaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 medicalimaging AWS Java SDK :: Services :: Medical Imaging diff --git a/services/memorydb/pom.xml b/services/memorydb/pom.xml index efa6e86c2749..d6d5787a3c4b 100644 --- a/services/memorydb/pom.xml +++ b/services/memorydb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 memorydb AWS Java SDK :: Services :: Memory DB diff --git a/services/mgn/pom.xml b/services/mgn/pom.xml index cf19114d1657..b2c538de77f7 100644 --- a/services/mgn/pom.xml +++ b/services/mgn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 mgn AWS Java SDK :: Services :: Mgn diff --git a/services/migrationhub/pom.xml b/services/migrationhub/pom.xml index a3f5bcdbb3c6..880e7a37e58f 100644 --- a/services/migrationhub/pom.xml +++ b/services/migrationhub/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19-SNAPSHOT + 2.27.19 4.0.0 migrationhub diff --git a/services/migrationhubconfig/pom.xml b/services/migrationhubconfig/pom.xml index bb779ff2cda6..57b61934da39 100644 --- a/services/migrationhubconfig/pom.xml +++ b/services/migrationhubconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 migrationhubconfig AWS Java SDK :: Services :: MigrationHub Config diff --git a/services/migrationhuborchestrator/pom.xml b/services/migrationhuborchestrator/pom.xml index 98f37bafcbf1..074928942893 100644 --- a/services/migrationhuborchestrator/pom.xml +++ b/services/migrationhuborchestrator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 migrationhuborchestrator AWS Java SDK :: Services :: Migration Hub Orchestrator diff --git a/services/migrationhubrefactorspaces/pom.xml b/services/migrationhubrefactorspaces/pom.xml index 1e82e0cebc30..d5bc7c37b91d 100644 --- a/services/migrationhubrefactorspaces/pom.xml +++ b/services/migrationhubrefactorspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 migrationhubrefactorspaces AWS Java SDK :: Services :: Migration Hub Refactor Spaces diff --git a/services/migrationhubstrategy/pom.xml b/services/migrationhubstrategy/pom.xml index c664caaf9af6..aa50ddf81a2a 100644 --- a/services/migrationhubstrategy/pom.xml +++ b/services/migrationhubstrategy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 migrationhubstrategy AWS Java SDK :: Services :: Migration Hub Strategy diff --git a/services/mq/pom.xml b/services/mq/pom.xml index f33b4b2af195..7749d160a22f 100644 --- a/services/mq/pom.xml +++ b/services/mq/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19-SNAPSHOT + 2.27.19 4.0.0 mq diff --git a/services/mturk/pom.xml b/services/mturk/pom.xml index a342977c86b5..baea3e6e0560 100644 --- a/services/mturk/pom.xml +++ b/services/mturk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 mturk AWS Java SDK :: Services :: Amazon Mechanical Turk Requester diff --git a/services/mwaa/pom.xml b/services/mwaa/pom.xml index 61f05b092262..0d0de2a21dc9 100644 --- a/services/mwaa/pom.xml +++ b/services/mwaa/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 mwaa AWS Java SDK :: Services :: MWAA diff --git a/services/neptune/pom.xml b/services/neptune/pom.xml index 618d1d21940e..37e224e21ea8 100644 --- a/services/neptune/pom.xml +++ b/services/neptune/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 neptune AWS Java SDK :: Services :: Neptune diff --git a/services/neptunedata/pom.xml b/services/neptunedata/pom.xml index 0d591158ce0f..afe80ca884bb 100644 --- a/services/neptunedata/pom.xml +++ b/services/neptunedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 neptunedata AWS Java SDK :: Services :: Neptunedata diff --git a/services/neptunegraph/pom.xml b/services/neptunegraph/pom.xml index 97165894a701..415f8299199a 100644 --- a/services/neptunegraph/pom.xml +++ b/services/neptunegraph/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 neptunegraph AWS Java SDK :: Services :: Neptune Graph diff --git a/services/networkfirewall/pom.xml b/services/networkfirewall/pom.xml index 3da19d3baf9c..420b9d0db642 100644 --- a/services/networkfirewall/pom.xml +++ b/services/networkfirewall/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 networkfirewall AWS Java SDK :: Services :: Network Firewall diff --git a/services/networkmanager/pom.xml b/services/networkmanager/pom.xml index de433fb3ef95..1c81ad8cd0bf 100644 --- a/services/networkmanager/pom.xml +++ b/services/networkmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 networkmanager AWS Java SDK :: Services :: NetworkManager diff --git a/services/networkmonitor/pom.xml b/services/networkmonitor/pom.xml index bf45ed6b0b05..4f75e257c405 100644 --- a/services/networkmonitor/pom.xml +++ b/services/networkmonitor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 networkmonitor AWS Java SDK :: Services :: Network Monitor diff --git a/services/nimble/pom.xml b/services/nimble/pom.xml index 5c133f908b79..75d7461fe4b6 100644 --- a/services/nimble/pom.xml +++ b/services/nimble/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 nimble AWS Java SDK :: Services :: Nimble diff --git a/services/oam/pom.xml b/services/oam/pom.xml index 99151da06d49..589707d9a3af 100644 --- a/services/oam/pom.xml +++ b/services/oam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 oam AWS Java SDK :: Services :: OAM diff --git a/services/omics/pom.xml b/services/omics/pom.xml index 4b38a248e727..6292618b1d55 100644 --- a/services/omics/pom.xml +++ b/services/omics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 omics AWS Java SDK :: Services :: Omics diff --git a/services/opensearch/pom.xml b/services/opensearch/pom.xml index 633c7eb53dc8..3132e9bdfa17 100644 --- a/services/opensearch/pom.xml +++ b/services/opensearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 opensearch AWS Java SDK :: Services :: Open Search diff --git a/services/opensearchserverless/pom.xml b/services/opensearchserverless/pom.xml index c3adcb052dfa..1f0e36781232 100644 --- a/services/opensearchserverless/pom.xml +++ b/services/opensearchserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 opensearchserverless AWS Java SDK :: Services :: Open Search Serverless diff --git a/services/opsworks/pom.xml b/services/opsworks/pom.xml index bff42517e61c..061de8f52f39 100644 --- a/services/opsworks/pom.xml +++ b/services/opsworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 opsworks AWS Java SDK :: Services :: AWS OpsWorks diff --git a/services/opsworkscm/pom.xml b/services/opsworkscm/pom.xml index 423343c9e31b..5d22da8fcce1 100644 --- a/services/opsworkscm/pom.xml +++ b/services/opsworkscm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 opsworkscm AWS Java SDK :: Services :: AWS OpsWorks for Chef Automate diff --git a/services/organizations/pom.xml b/services/organizations/pom.xml index e6efcfc16d5e..ba5f6f8fdbdc 100644 --- a/services/organizations/pom.xml +++ b/services/organizations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 organizations AWS Java SDK :: Services :: AWS Organizations diff --git a/services/osis/pom.xml b/services/osis/pom.xml index 206b850ba987..4022ae681c06 100644 --- a/services/osis/pom.xml +++ b/services/osis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 osis AWS Java SDK :: Services :: OSIS diff --git a/services/outposts/pom.xml b/services/outposts/pom.xml index 96b7a7a7585a..55eab782915e 100644 --- a/services/outposts/pom.xml +++ b/services/outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 outposts AWS Java SDK :: Services :: Outposts diff --git a/services/panorama/pom.xml b/services/panorama/pom.xml index 85321550533e..79039397365e 100644 --- a/services/panorama/pom.xml +++ b/services/panorama/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 panorama AWS Java SDK :: Services :: Panorama diff --git a/services/paymentcryptography/pom.xml b/services/paymentcryptography/pom.xml index 781b59a41767..8da18d9d3705 100644 --- a/services/paymentcryptography/pom.xml +++ b/services/paymentcryptography/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 paymentcryptography AWS Java SDK :: Services :: Payment Cryptography diff --git a/services/paymentcryptographydata/pom.xml b/services/paymentcryptographydata/pom.xml index 4eba33649afa..2da5e6440a13 100644 --- a/services/paymentcryptographydata/pom.xml +++ b/services/paymentcryptographydata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 paymentcryptographydata AWS Java SDK :: Services :: Payment Cryptography Data diff --git a/services/pcaconnectorad/pom.xml b/services/pcaconnectorad/pom.xml index f66afd18bc9a..390eb4e31674 100644 --- a/services/pcaconnectorad/pom.xml +++ b/services/pcaconnectorad/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 pcaconnectorad AWS Java SDK :: Services :: Pca Connector Ad diff --git a/services/pcaconnectorscep/pom.xml b/services/pcaconnectorscep/pom.xml index 9ffb144b6c82..c2ceb3fd775c 100644 --- a/services/pcaconnectorscep/pom.xml +++ b/services/pcaconnectorscep/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 pcaconnectorscep AWS Java SDK :: Services :: Pca Connector Scep diff --git a/services/pcs/pom.xml b/services/pcs/pom.xml index ac575f153400..157b62bd5bad 100644 --- a/services/pcs/pom.xml +++ b/services/pcs/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 pcs AWS Java SDK :: Services :: PCS diff --git a/services/personalize/pom.xml b/services/personalize/pom.xml index 7634f4ecbc27..1d88df8b10b4 100644 --- a/services/personalize/pom.xml +++ b/services/personalize/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 personalize AWS Java SDK :: Services :: Personalize diff --git a/services/personalizeevents/pom.xml b/services/personalizeevents/pom.xml index f5c3b3a84352..a6f225fc73e6 100644 --- a/services/personalizeevents/pom.xml +++ b/services/personalizeevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 personalizeevents AWS Java SDK :: Services :: Personalize Events diff --git a/services/personalizeruntime/pom.xml b/services/personalizeruntime/pom.xml index 75d5b073f1c9..5f9f6aa9bbfe 100644 --- a/services/personalizeruntime/pom.xml +++ b/services/personalizeruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 personalizeruntime AWS Java SDK :: Services :: Personalize Runtime diff --git a/services/pi/pom.xml b/services/pi/pom.xml index 3ec17c2b8d80..bbdc3592df0f 100644 --- a/services/pi/pom.xml +++ b/services/pi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 pi AWS Java SDK :: Services :: PI diff --git a/services/pinpoint/pom.xml b/services/pinpoint/pom.xml index 451d63091c33..3c80f13b964d 100644 --- a/services/pinpoint/pom.xml +++ b/services/pinpoint/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 pinpoint AWS Java SDK :: Services :: Amazon Pinpoint diff --git a/services/pinpointemail/pom.xml b/services/pinpointemail/pom.xml index 8f5efc98d474..b9f1853a20c8 100644 --- a/services/pinpointemail/pom.xml +++ b/services/pinpointemail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 pinpointemail AWS Java SDK :: Services :: Pinpoint Email diff --git a/services/pinpointsmsvoice/pom.xml b/services/pinpointsmsvoice/pom.xml index 6151e265827f..383e9e5474fe 100644 --- a/services/pinpointsmsvoice/pom.xml +++ b/services/pinpointsmsvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 pinpointsmsvoice AWS Java SDK :: Services :: Pinpoint SMS Voice diff --git a/services/pinpointsmsvoicev2/pom.xml b/services/pinpointsmsvoicev2/pom.xml index 6e4ca9b1fcc6..566b6ef2a8d4 100644 --- a/services/pinpointsmsvoicev2/pom.xml +++ b/services/pinpointsmsvoicev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 pinpointsmsvoicev2 AWS Java SDK :: Services :: Pinpoint SMS Voice V2 diff --git a/services/pipes/pom.xml b/services/pipes/pom.xml index 6bec33dff3c4..75dbc74f8381 100644 --- a/services/pipes/pom.xml +++ b/services/pipes/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 pipes AWS Java SDK :: Services :: Pipes diff --git a/services/polly/pom.xml b/services/polly/pom.xml index 5faa5d95a285..e902147ec11d 100644 --- a/services/polly/pom.xml +++ b/services/polly/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 polly AWS Java SDK :: Services :: Amazon Polly diff --git a/services/pom.xml b/services/pom.xml index cfb8782335d4..b5814056670f 100644 --- a/services/pom.xml +++ b/services/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.19-SNAPSHOT + 2.27.19 services AWS Java SDK :: Services diff --git a/services/pricing/pom.xml b/services/pricing/pom.xml index 8f4040b5efd4..6acc93ed5123 100644 --- a/services/pricing/pom.xml +++ b/services/pricing/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19-SNAPSHOT + 2.27.19 4.0.0 pricing diff --git a/services/privatenetworks/pom.xml b/services/privatenetworks/pom.xml index adea265104b6..f9bf6fea208b 100644 --- a/services/privatenetworks/pom.xml +++ b/services/privatenetworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 privatenetworks AWS Java SDK :: Services :: Private Networks diff --git a/services/proton/pom.xml b/services/proton/pom.xml index fcd1a1d39055..ab936c74185e 100644 --- a/services/proton/pom.xml +++ b/services/proton/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 proton AWS Java SDK :: Services :: Proton diff --git a/services/qapps/pom.xml b/services/qapps/pom.xml index 99aa64bfe627..b4ab7ab576e0 100644 --- a/services/qapps/pom.xml +++ b/services/qapps/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 qapps AWS Java SDK :: Services :: Q Apps diff --git a/services/qbusiness/pom.xml b/services/qbusiness/pom.xml index 06b3439ebd52..b7a2ee29e677 100644 --- a/services/qbusiness/pom.xml +++ b/services/qbusiness/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 qbusiness AWS Java SDK :: Services :: Q Business diff --git a/services/qconnect/pom.xml b/services/qconnect/pom.xml index e36cb2a54205..c3773ea52f1b 100644 --- a/services/qconnect/pom.xml +++ b/services/qconnect/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 qconnect AWS Java SDK :: Services :: Q Connect diff --git a/services/qldb/pom.xml b/services/qldb/pom.xml index 4a2a40402fc4..354bee1488d5 100644 --- a/services/qldb/pom.xml +++ b/services/qldb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 qldb AWS Java SDK :: Services :: QLDB diff --git a/services/qldbsession/pom.xml b/services/qldbsession/pom.xml index 1b4d02f9bdce..99e3d3dbfa69 100644 --- a/services/qldbsession/pom.xml +++ b/services/qldbsession/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 qldbsession AWS Java SDK :: Services :: QLDB Session diff --git a/services/quicksight/pom.xml b/services/quicksight/pom.xml index 497a32dfb9ce..97117a4e702a 100644 --- a/services/quicksight/pom.xml +++ b/services/quicksight/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 quicksight AWS Java SDK :: Services :: QuickSight diff --git a/services/ram/pom.xml b/services/ram/pom.xml index 5955efcb9b69..75632e33bc56 100644 --- a/services/ram/pom.xml +++ b/services/ram/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 ram AWS Java SDK :: Services :: RAM diff --git a/services/rbin/pom.xml b/services/rbin/pom.xml index 2ceceba60b50..643cbf8e01be 100644 --- a/services/rbin/pom.xml +++ b/services/rbin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 rbin AWS Java SDK :: Services :: Rbin diff --git a/services/rds/pom.xml b/services/rds/pom.xml index 36c4d3a23428..d01bd7134267 100644 --- a/services/rds/pom.xml +++ b/services/rds/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 rds AWS Java SDK :: Services :: Amazon RDS diff --git a/services/rdsdata/pom.xml b/services/rdsdata/pom.xml index bb1a15bc8b03..de1604460c81 100644 --- a/services/rdsdata/pom.xml +++ b/services/rdsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 rdsdata AWS Java SDK :: Services :: RDS Data diff --git a/services/redshift/pom.xml b/services/redshift/pom.xml index 07bd115bb7c9..ef6e43668fd3 100644 --- a/services/redshift/pom.xml +++ b/services/redshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 redshift AWS Java SDK :: Services :: Amazon Redshift diff --git a/services/redshiftdata/pom.xml b/services/redshiftdata/pom.xml index 377be66d410c..fede24c10219 100644 --- a/services/redshiftdata/pom.xml +++ b/services/redshiftdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 redshiftdata AWS Java SDK :: Services :: Redshift Data diff --git a/services/redshiftserverless/pom.xml b/services/redshiftserverless/pom.xml index be9aae0d282b..7f2b55adf2f9 100644 --- a/services/redshiftserverless/pom.xml +++ b/services/redshiftserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 redshiftserverless AWS Java SDK :: Services :: Redshift Serverless diff --git a/services/rekognition/pom.xml b/services/rekognition/pom.xml index c2cfcca48976..cd7137712340 100644 --- a/services/rekognition/pom.xml +++ b/services/rekognition/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 rekognition AWS Java SDK :: Services :: Amazon Rekognition diff --git a/services/repostspace/pom.xml b/services/repostspace/pom.xml index 676da728f392..728736a130c4 100644 --- a/services/repostspace/pom.xml +++ b/services/repostspace/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 repostspace AWS Java SDK :: Services :: Repostspace diff --git a/services/resiliencehub/pom.xml b/services/resiliencehub/pom.xml index c7fa38a7582b..7e90db9574a8 100644 --- a/services/resiliencehub/pom.xml +++ b/services/resiliencehub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 resiliencehub AWS Java SDK :: Services :: Resiliencehub diff --git a/services/resourceexplorer2/pom.xml b/services/resourceexplorer2/pom.xml index 37ff14922c37..575e6865cb84 100644 --- a/services/resourceexplorer2/pom.xml +++ b/services/resourceexplorer2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 resourceexplorer2 AWS Java SDK :: Services :: Resource Explorer 2 diff --git a/services/resourcegroups/pom.xml b/services/resourcegroups/pom.xml index 8230fab6ae64..d0af9acdac31 100644 --- a/services/resourcegroups/pom.xml +++ b/services/resourcegroups/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19-SNAPSHOT + 2.27.19 4.0.0 resourcegroups diff --git a/services/resourcegroupstaggingapi/pom.xml b/services/resourcegroupstaggingapi/pom.xml index 2550b1bf2733..494f7b68e9b1 100644 --- a/services/resourcegroupstaggingapi/pom.xml +++ b/services/resourcegroupstaggingapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 resourcegroupstaggingapi AWS Java SDK :: Services :: AWS Resource Groups Tagging API diff --git a/services/robomaker/pom.xml b/services/robomaker/pom.xml index c4d9b8645304..44b669800984 100644 --- a/services/robomaker/pom.xml +++ b/services/robomaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 robomaker AWS Java SDK :: Services :: RoboMaker diff --git a/services/rolesanywhere/pom.xml b/services/rolesanywhere/pom.xml index 6ec96566de74..47455e1e3c7f 100644 --- a/services/rolesanywhere/pom.xml +++ b/services/rolesanywhere/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 rolesanywhere AWS Java SDK :: Services :: Roles Anywhere diff --git a/services/route53/pom.xml b/services/route53/pom.xml index 37ff2add99f7..4fc4150d7a36 100644 --- a/services/route53/pom.xml +++ b/services/route53/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 route53 AWS Java SDK :: Services :: Amazon Route53 diff --git a/services/route53domains/pom.xml b/services/route53domains/pom.xml index 136d68b81284..ae65336bc1d9 100644 --- a/services/route53domains/pom.xml +++ b/services/route53domains/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 route53domains AWS Java SDK :: Services :: Amazon Route53 Domains diff --git a/services/route53profiles/pom.xml b/services/route53profiles/pom.xml index af08b4471faf..cbd37d778bed 100644 --- a/services/route53profiles/pom.xml +++ b/services/route53profiles/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 route53profiles AWS Java SDK :: Services :: Route53 Profiles diff --git a/services/route53recoverycluster/pom.xml b/services/route53recoverycluster/pom.xml index fe3461e5bb7c..b9e1333f6bdc 100644 --- a/services/route53recoverycluster/pom.xml +++ b/services/route53recoverycluster/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 route53recoverycluster AWS Java SDK :: Services :: Route53 Recovery Cluster diff --git a/services/route53recoverycontrolconfig/pom.xml b/services/route53recoverycontrolconfig/pom.xml index 191d2cada775..6a8f925a2784 100644 --- a/services/route53recoverycontrolconfig/pom.xml +++ b/services/route53recoverycontrolconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 route53recoverycontrolconfig AWS Java SDK :: Services :: Route53 Recovery Control Config diff --git a/services/route53recoveryreadiness/pom.xml b/services/route53recoveryreadiness/pom.xml index a1e6f77d117e..f7d2e0876574 100644 --- a/services/route53recoveryreadiness/pom.xml +++ b/services/route53recoveryreadiness/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 route53recoveryreadiness AWS Java SDK :: Services :: Route53 Recovery Readiness diff --git a/services/route53resolver/pom.xml b/services/route53resolver/pom.xml index 666bbc4c1d82..79698ebbf3dc 100644 --- a/services/route53resolver/pom.xml +++ b/services/route53resolver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 route53resolver AWS Java SDK :: Services :: Route53Resolver diff --git a/services/rum/pom.xml b/services/rum/pom.xml index 4b2a01772391..5b11f22ccc4d 100644 --- a/services/rum/pom.xml +++ b/services/rum/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 rum AWS Java SDK :: Services :: RUM diff --git a/services/s3/pom.xml b/services/s3/pom.xml index 7220e5b626be..e2029ab1575d 100644 --- a/services/s3/pom.xml +++ b/services/s3/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 s3 AWS Java SDK :: Services :: Amazon S3 diff --git a/services/s3control/pom.xml b/services/s3control/pom.xml index 714bbfb0bf31..c79d03b29292 100644 --- a/services/s3control/pom.xml +++ b/services/s3control/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 s3control AWS Java SDK :: Services :: Amazon S3 Control diff --git a/services/s3outposts/pom.xml b/services/s3outposts/pom.xml index 635d6be212b1..4cd62066b436 100644 --- a/services/s3outposts/pom.xml +++ b/services/s3outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 s3outposts AWS Java SDK :: Services :: S3 Outposts diff --git a/services/sagemaker/pom.xml b/services/sagemaker/pom.xml index f8df3b1e816c..64a26e2496fb 100644 --- a/services/sagemaker/pom.xml +++ b/services/sagemaker/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19-SNAPSHOT + 2.27.19 4.0.0 sagemaker diff --git a/services/sagemakera2iruntime/pom.xml b/services/sagemakera2iruntime/pom.xml index d55e4f3f462b..fed16055fb3a 100644 --- a/services/sagemakera2iruntime/pom.xml +++ b/services/sagemakera2iruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 sagemakera2iruntime AWS Java SDK :: Services :: SageMaker A2I Runtime diff --git a/services/sagemakeredge/pom.xml b/services/sagemakeredge/pom.xml index 9e01cef49cc4..6af7d02979ba 100644 --- a/services/sagemakeredge/pom.xml +++ b/services/sagemakeredge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 sagemakeredge AWS Java SDK :: Services :: Sagemaker Edge diff --git a/services/sagemakerfeaturestoreruntime/pom.xml b/services/sagemakerfeaturestoreruntime/pom.xml index f6dc8df34a5a..ae6eca182e27 100644 --- a/services/sagemakerfeaturestoreruntime/pom.xml +++ b/services/sagemakerfeaturestoreruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 sagemakerfeaturestoreruntime AWS Java SDK :: Services :: Sage Maker Feature Store Runtime diff --git a/services/sagemakergeospatial/pom.xml b/services/sagemakergeospatial/pom.xml index 2ca3bf24dd63..294a0926a3c5 100644 --- a/services/sagemakergeospatial/pom.xml +++ b/services/sagemakergeospatial/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 sagemakergeospatial AWS Java SDK :: Services :: Sage Maker Geospatial diff --git a/services/sagemakermetrics/pom.xml b/services/sagemakermetrics/pom.xml index 872154078950..6080561070cc 100644 --- a/services/sagemakermetrics/pom.xml +++ b/services/sagemakermetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 sagemakermetrics AWS Java SDK :: Services :: Sage Maker Metrics diff --git a/services/sagemakerruntime/pom.xml b/services/sagemakerruntime/pom.xml index 941362f4b038..159c3834ffbb 100644 --- a/services/sagemakerruntime/pom.xml +++ b/services/sagemakerruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 sagemakerruntime AWS Java SDK :: Services :: SageMaker Runtime diff --git a/services/savingsplans/pom.xml b/services/savingsplans/pom.xml index 9a56be84cc9b..5cb7dda078be 100644 --- a/services/savingsplans/pom.xml +++ b/services/savingsplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 savingsplans AWS Java SDK :: Services :: Savingsplans diff --git a/services/scheduler/pom.xml b/services/scheduler/pom.xml index 9ba90c9f80f4..a7dbb44973b7 100644 --- a/services/scheduler/pom.xml +++ b/services/scheduler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 scheduler AWS Java SDK :: Services :: Scheduler diff --git a/services/schemas/pom.xml b/services/schemas/pom.xml index 2d8b9f7735d1..bdbf83e41a6e 100644 --- a/services/schemas/pom.xml +++ b/services/schemas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 schemas AWS Java SDK :: Services :: Schemas diff --git a/services/secretsmanager/pom.xml b/services/secretsmanager/pom.xml index 7943c1c3f8c0..87a2d9315b9f 100644 --- a/services/secretsmanager/pom.xml +++ b/services/secretsmanager/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 secretsmanager AWS Java SDK :: Services :: AWS Secrets Manager diff --git a/services/securityhub/pom.xml b/services/securityhub/pom.xml index 6635a745f829..fb26f056fda1 100644 --- a/services/securityhub/pom.xml +++ b/services/securityhub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 securityhub AWS Java SDK :: Services :: SecurityHub diff --git a/services/securitylake/pom.xml b/services/securitylake/pom.xml index 3b436b12e11d..1c19c78faff4 100644 --- a/services/securitylake/pom.xml +++ b/services/securitylake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 securitylake AWS Java SDK :: Services :: Security Lake diff --git a/services/serverlessapplicationrepository/pom.xml b/services/serverlessapplicationrepository/pom.xml index 8054dc5e6ec2..88920ec5cb7a 100644 --- a/services/serverlessapplicationrepository/pom.xml +++ b/services/serverlessapplicationrepository/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19-SNAPSHOT + 2.27.19 4.0.0 serverlessapplicationrepository diff --git a/services/servicecatalog/pom.xml b/services/servicecatalog/pom.xml index f2b45bdb86db..943a4469151a 100644 --- a/services/servicecatalog/pom.xml +++ b/services/servicecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 servicecatalog AWS Java SDK :: Services :: AWS Service Catalog diff --git a/services/servicecatalogappregistry/pom.xml b/services/servicecatalogappregistry/pom.xml index 9fb42d918eae..30499af4a98f 100644 --- a/services/servicecatalogappregistry/pom.xml +++ b/services/servicecatalogappregistry/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 servicecatalogappregistry AWS Java SDK :: Services :: Service Catalog App Registry diff --git a/services/servicediscovery/pom.xml b/services/servicediscovery/pom.xml index b410519d9624..775cade3ccb7 100644 --- a/services/servicediscovery/pom.xml +++ b/services/servicediscovery/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19-SNAPSHOT + 2.27.19 4.0.0 servicediscovery diff --git a/services/servicequotas/pom.xml b/services/servicequotas/pom.xml index c7ca83c71f36..a6384766bdca 100644 --- a/services/servicequotas/pom.xml +++ b/services/servicequotas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 servicequotas AWS Java SDK :: Services :: Service Quotas diff --git a/services/ses/pom.xml b/services/ses/pom.xml index 24cf037e035a..6f41bbcefa60 100644 --- a/services/ses/pom.xml +++ b/services/ses/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 ses AWS Java SDK :: Services :: Amazon SES diff --git a/services/sesv2/pom.xml b/services/sesv2/pom.xml index 4ce345e1c4b8..154ad73a94de 100644 --- a/services/sesv2/pom.xml +++ b/services/sesv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 sesv2 AWS Java SDK :: Services :: SESv2 diff --git a/services/sfn/pom.xml b/services/sfn/pom.xml index e29bb0c65a3f..903971d8a066 100644 --- a/services/sfn/pom.xml +++ b/services/sfn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 sfn AWS Java SDK :: Services :: AWS Step Functions diff --git a/services/shield/pom.xml b/services/shield/pom.xml index 9a8f28af9b7f..bcc0e4e29503 100644 --- a/services/shield/pom.xml +++ b/services/shield/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 shield AWS Java SDK :: Services :: AWS Shield diff --git a/services/signer/pom.xml b/services/signer/pom.xml index cfd2a7dc3151..5832ac31f6c7 100644 --- a/services/signer/pom.xml +++ b/services/signer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 signer AWS Java SDK :: Services :: Signer diff --git a/services/simspaceweaver/pom.xml b/services/simspaceweaver/pom.xml index c347cb0fb0df..af80aab7e135 100644 --- a/services/simspaceweaver/pom.xml +++ b/services/simspaceweaver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 simspaceweaver AWS Java SDK :: Services :: Sim Space Weaver diff --git a/services/sms/pom.xml b/services/sms/pom.xml index d32339ca06ca..185c77e143ca 100644 --- a/services/sms/pom.xml +++ b/services/sms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 sms AWS Java SDK :: Services :: AWS Server Migration diff --git a/services/snowball/pom.xml b/services/snowball/pom.xml index 048a636b4a2e..222197c6cac0 100644 --- a/services/snowball/pom.xml +++ b/services/snowball/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 snowball AWS Java SDK :: Services :: Amazon Snowball diff --git a/services/snowdevicemanagement/pom.xml b/services/snowdevicemanagement/pom.xml index 790503be687c..ff0638de7d59 100644 --- a/services/snowdevicemanagement/pom.xml +++ b/services/snowdevicemanagement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 snowdevicemanagement AWS Java SDK :: Services :: Snow Device Management diff --git a/services/sns/pom.xml b/services/sns/pom.xml index 8be2fe1cd25c..bbfebffd945c 100644 --- a/services/sns/pom.xml +++ b/services/sns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 sns AWS Java SDK :: Services :: Amazon SNS diff --git a/services/sqs/pom.xml b/services/sqs/pom.xml index 2b88ef43675a..85117e50358f 100644 --- a/services/sqs/pom.xml +++ b/services/sqs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 sqs AWS Java SDK :: Services :: Amazon SQS diff --git a/services/ssm/pom.xml b/services/ssm/pom.xml index 90199b410024..117e5a059d97 100644 --- a/services/ssm/pom.xml +++ b/services/ssm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 ssm AWS Java SDK :: Services :: AWS Simple Systems Management (SSM) diff --git a/services/ssmcontacts/pom.xml b/services/ssmcontacts/pom.xml index 2c15297b313b..175a3089cd99 100644 --- a/services/ssmcontacts/pom.xml +++ b/services/ssmcontacts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 ssmcontacts AWS Java SDK :: Services :: SSM Contacts diff --git a/services/ssmincidents/pom.xml b/services/ssmincidents/pom.xml index 3fc66d1ebded..e5a729d9f4e1 100644 --- a/services/ssmincidents/pom.xml +++ b/services/ssmincidents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 ssmincidents AWS Java SDK :: Services :: SSM Incidents diff --git a/services/ssmquicksetup/pom.xml b/services/ssmquicksetup/pom.xml index 2be4befaa1d8..3077d9b4d4d7 100644 --- a/services/ssmquicksetup/pom.xml +++ b/services/ssmquicksetup/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 ssmquicksetup AWS Java SDK :: Services :: SSM Quick Setup diff --git a/services/ssmsap/pom.xml b/services/ssmsap/pom.xml index ec9d65aecf60..cd0465eaf5f6 100644 --- a/services/ssmsap/pom.xml +++ b/services/ssmsap/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 ssmsap AWS Java SDK :: Services :: Ssm Sap diff --git a/services/sso/pom.xml b/services/sso/pom.xml index 110254b5d568..b254ca692eb3 100644 --- a/services/sso/pom.xml +++ b/services/sso/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 sso AWS Java SDK :: Services :: SSO diff --git a/services/ssoadmin/pom.xml b/services/ssoadmin/pom.xml index 21a1268fd090..dabdebc8a65f 100644 --- a/services/ssoadmin/pom.xml +++ b/services/ssoadmin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 ssoadmin AWS Java SDK :: Services :: SSO Admin diff --git a/services/ssooidc/pom.xml b/services/ssooidc/pom.xml index bc1058a94ffe..90fac813e10c 100644 --- a/services/ssooidc/pom.xml +++ b/services/ssooidc/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 ssooidc AWS Java SDK :: Services :: SSO OIDC diff --git a/services/storagegateway/pom.xml b/services/storagegateway/pom.xml index c6dd2ac89b80..5d7838bef40f 100644 --- a/services/storagegateway/pom.xml +++ b/services/storagegateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 storagegateway AWS Java SDK :: Services :: AWS Storage Gateway diff --git a/services/sts/pom.xml b/services/sts/pom.xml index 343baebd3fec..41b51404b298 100644 --- a/services/sts/pom.xml +++ b/services/sts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 sts AWS Java SDK :: Services :: AWS STS diff --git a/services/supplychain/pom.xml b/services/supplychain/pom.xml index bdf2ec0fd6ed..10edb1314ae0 100644 --- a/services/supplychain/pom.xml +++ b/services/supplychain/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 supplychain AWS Java SDK :: Services :: Supply Chain diff --git a/services/support/pom.xml b/services/support/pom.xml index 25b7f141d56d..95154e5dd746 100644 --- a/services/support/pom.xml +++ b/services/support/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 support AWS Java SDK :: Services :: AWS Support diff --git a/services/supportapp/pom.xml b/services/supportapp/pom.xml index 97385c06b677..418771659dc6 100644 --- a/services/supportapp/pom.xml +++ b/services/supportapp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 supportapp AWS Java SDK :: Services :: Support App diff --git a/services/swf/pom.xml b/services/swf/pom.xml index aaa762664b05..4141da255c2f 100644 --- a/services/swf/pom.xml +++ b/services/swf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 swf AWS Java SDK :: Services :: Amazon SWF diff --git a/services/synthetics/pom.xml b/services/synthetics/pom.xml index 0d1449b0fabf..837f9d8320df 100644 --- a/services/synthetics/pom.xml +++ b/services/synthetics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 synthetics AWS Java SDK :: Services :: Synthetics diff --git a/services/taxsettings/pom.xml b/services/taxsettings/pom.xml index 1abce9bf0f84..19787ddd698b 100644 --- a/services/taxsettings/pom.xml +++ b/services/taxsettings/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 taxsettings AWS Java SDK :: Services :: Tax Settings diff --git a/services/textract/pom.xml b/services/textract/pom.xml index c0a68783b693..f71652bcb63f 100644 --- a/services/textract/pom.xml +++ b/services/textract/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 textract AWS Java SDK :: Services :: Textract diff --git a/services/timestreaminfluxdb/pom.xml b/services/timestreaminfluxdb/pom.xml index 83fe14a313de..3ca2624b4f4e 100644 --- a/services/timestreaminfluxdb/pom.xml +++ b/services/timestreaminfluxdb/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 timestreaminfluxdb AWS Java SDK :: Services :: Timestream Influx DB diff --git a/services/timestreamquery/pom.xml b/services/timestreamquery/pom.xml index 2ce8ee83ca18..c16c8d09ffba 100644 --- a/services/timestreamquery/pom.xml +++ b/services/timestreamquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 timestreamquery AWS Java SDK :: Services :: Timestream Query diff --git a/services/timestreamwrite/pom.xml b/services/timestreamwrite/pom.xml index 8177d72518c9..f1b0b75b652e 100644 --- a/services/timestreamwrite/pom.xml +++ b/services/timestreamwrite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 timestreamwrite AWS Java SDK :: Services :: Timestream Write diff --git a/services/tnb/pom.xml b/services/tnb/pom.xml index ebc70f4b6bd1..310827288380 100644 --- a/services/tnb/pom.xml +++ b/services/tnb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 tnb AWS Java SDK :: Services :: Tnb diff --git a/services/transcribe/pom.xml b/services/transcribe/pom.xml index 482b0689726d..06d444a923fe 100644 --- a/services/transcribe/pom.xml +++ b/services/transcribe/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 transcribe AWS Java SDK :: Services :: Transcribe diff --git a/services/transcribestreaming/pom.xml b/services/transcribestreaming/pom.xml index 6e276357e522..9ec5116af2e2 100644 --- a/services/transcribestreaming/pom.xml +++ b/services/transcribestreaming/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 transcribestreaming AWS Java SDK :: Services :: AWS Transcribe Streaming diff --git a/services/transfer/pom.xml b/services/transfer/pom.xml index 5bd67d0974e2..6ff05d88f3c0 100644 --- a/services/transfer/pom.xml +++ b/services/transfer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 transfer AWS Java SDK :: Services :: Transfer diff --git a/services/translate/pom.xml b/services/translate/pom.xml index 52da4fe24de4..fc010f7f9df2 100644 --- a/services/translate/pom.xml +++ b/services/translate/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19-SNAPSHOT + 2.27.19 4.0.0 translate diff --git a/services/trustedadvisor/pom.xml b/services/trustedadvisor/pom.xml index f13855acfbdb..c28b62654983 100644 --- a/services/trustedadvisor/pom.xml +++ b/services/trustedadvisor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 trustedadvisor AWS Java SDK :: Services :: Trusted Advisor diff --git a/services/verifiedpermissions/pom.xml b/services/verifiedpermissions/pom.xml index 031a2f12660a..f9bf6eed377d 100644 --- a/services/verifiedpermissions/pom.xml +++ b/services/verifiedpermissions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 verifiedpermissions AWS Java SDK :: Services :: Verified Permissions diff --git a/services/voiceid/pom.xml b/services/voiceid/pom.xml index 40e094c379e1..1f0174c595f4 100644 --- a/services/voiceid/pom.xml +++ b/services/voiceid/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 voiceid AWS Java SDK :: Services :: Voice ID diff --git a/services/vpclattice/pom.xml b/services/vpclattice/pom.xml index 9005c8ff9d07..4634de7d3476 100644 --- a/services/vpclattice/pom.xml +++ b/services/vpclattice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 vpclattice AWS Java SDK :: Services :: VPC Lattice diff --git a/services/waf/pom.xml b/services/waf/pom.xml index 39d43fe040dd..35ebf348b73d 100644 --- a/services/waf/pom.xml +++ b/services/waf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 waf AWS Java SDK :: Services :: AWS WAF diff --git a/services/wafv2/pom.xml b/services/wafv2/pom.xml index 5a575fc420ed..bf6698e5e43b 100644 --- a/services/wafv2/pom.xml +++ b/services/wafv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 wafv2 AWS Java SDK :: Services :: WAFV2 diff --git a/services/wellarchitected/pom.xml b/services/wellarchitected/pom.xml index 91d4354ad63c..2cf796651917 100644 --- a/services/wellarchitected/pom.xml +++ b/services/wellarchitected/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 wellarchitected AWS Java SDK :: Services :: Well Architected diff --git a/services/wisdom/pom.xml b/services/wisdom/pom.xml index a595b69d45af..4a60ab1ef179 100644 --- a/services/wisdom/pom.xml +++ b/services/wisdom/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 wisdom AWS Java SDK :: Services :: Wisdom diff --git a/services/workdocs/pom.xml b/services/workdocs/pom.xml index 4169490009c5..d3f2056e5bb3 100644 --- a/services/workdocs/pom.xml +++ b/services/workdocs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 workdocs AWS Java SDK :: Services :: Amazon WorkDocs diff --git a/services/worklink/pom.xml b/services/worklink/pom.xml index e136a2add462..c467fea93e89 100644 --- a/services/worklink/pom.xml +++ b/services/worklink/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 worklink AWS Java SDK :: Services :: WorkLink diff --git a/services/workmail/pom.xml b/services/workmail/pom.xml index 99719015a452..afa7b87f6489 100644 --- a/services/workmail/pom.xml +++ b/services/workmail/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19-SNAPSHOT + 2.27.19 4.0.0 workmail diff --git a/services/workmailmessageflow/pom.xml b/services/workmailmessageflow/pom.xml index bbe77be08af4..28c7b28df631 100644 --- a/services/workmailmessageflow/pom.xml +++ b/services/workmailmessageflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 workmailmessageflow AWS Java SDK :: Services :: WorkMailMessageFlow diff --git a/services/workspaces/pom.xml b/services/workspaces/pom.xml index 326d48caeac7..54fa5ab12bfb 100644 --- a/services/workspaces/pom.xml +++ b/services/workspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 workspaces AWS Java SDK :: Services :: Amazon WorkSpaces diff --git a/services/workspacesthinclient/pom.xml b/services/workspacesthinclient/pom.xml index 5135c94a232b..3e2b6d862f26 100644 --- a/services/workspacesthinclient/pom.xml +++ b/services/workspacesthinclient/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 workspacesthinclient AWS Java SDK :: Services :: Work Spaces Thin Client diff --git a/services/workspacesweb/pom.xml b/services/workspacesweb/pom.xml index 06c9899ead41..01805415b697 100644 --- a/services/workspacesweb/pom.xml +++ b/services/workspacesweb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 workspacesweb AWS Java SDK :: Services :: Work Spaces Web diff --git a/services/xray/pom.xml b/services/xray/pom.xml index 30553cba9dc2..13d0b7b39ca0 100644 --- a/services/xray/pom.xml +++ b/services/xray/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19-SNAPSHOT + 2.27.19 xray AWS Java SDK :: Services :: AWS X-Ray diff --git a/test/auth-tests/pom.xml b/test/auth-tests/pom.xml index ceeb9af01649..0d22a520e1ea 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.27.19-SNAPSHOT + 2.27.19 ../../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 ff3ccb9f1156..7905d368be88 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.27.19-SNAPSHOT + 2.27.19 ../../pom.xml 4.0.0 diff --git a/test/bundle-shading-tests/pom.xml b/test/bundle-shading-tests/pom.xml index b3f0ac869829..434e1ac9943c 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.27.19-SNAPSHOT + 2.27.19 ../../pom.xml 4.0.0 diff --git a/test/codegen-generated-classes-test/pom.xml b/test/codegen-generated-classes-test/pom.xml index a4ed3cfaa36b..3602ed71d155 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.27.19-SNAPSHOT + 2.27.19 ../../pom.xml diff --git a/test/crt-unavailable-tests/pom.xml b/test/crt-unavailable-tests/pom.xml index a91ba8c37a08..c6990f8c1fdf 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.27.19-SNAPSHOT + 2.27.19 ../../pom.xml 4.0.0 diff --git a/test/http-client-tests/pom.xml b/test/http-client-tests/pom.xml index 156c3ed0b58d..27f146c9d201 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.27.19-SNAPSHOT + 2.27.19 ../../pom.xml http-client-tests diff --git a/test/module-path-tests/pom.xml b/test/module-path-tests/pom.xml index f265c99c6525..4ebb7cedf69b 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.27.19-SNAPSHOT + 2.27.19 ../../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 510a070a7ab2..e0f2b37abb13 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.27.19-SNAPSHOT + 2.27.19 ../../pom.xml diff --git a/test/protocol-tests-core/pom.xml b/test/protocol-tests-core/pom.xml index 26881ef60894..866199f2cfbd 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.27.19-SNAPSHOT + 2.27.19 ../../pom.xml 4.0.0 diff --git a/test/protocol-tests/pom.xml b/test/protocol-tests/pom.xml index e52c3e3d7d1e..a9903bb5aeb5 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.27.19-SNAPSHOT + 2.27.19 ../../pom.xml 4.0.0 diff --git a/test/region-testing/pom.xml b/test/region-testing/pom.xml index 39191bdbd8c9..e7fa0024ce58 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.27.19-SNAPSHOT + 2.27.19 ../../pom.xml 4.0.0 diff --git a/test/ruleset-testing-core/pom.xml b/test/ruleset-testing-core/pom.xml index a8bd6ee7d1d1..48fbe1d0293f 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.27.19-SNAPSHOT + 2.27.19 ../../pom.xml 4.0.0 diff --git a/test/s3-benchmarks/pom.xml b/test/s3-benchmarks/pom.xml index 1a4ef0b23790..41417724993a 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.27.19-SNAPSHOT + 2.27.19 ../../pom.xml 4.0.0 diff --git a/test/sdk-benchmarks/pom.xml b/test/sdk-benchmarks/pom.xml index 2d404f626cf3..3e5d24e3b7dd 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.27.19-SNAPSHOT + 2.27.19 ../../pom.xml diff --git a/test/sdk-native-image-test/pom.xml b/test/sdk-native-image-test/pom.xml index b652ce1441a7..283987d89b50 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.27.19-SNAPSHOT + 2.27.19 ../../pom.xml 4.0.0 diff --git a/test/service-test-utils/pom.xml b/test/service-test-utils/pom.xml index afdaa422fdac..f7dd7c18d062 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.27.19-SNAPSHOT + 2.27.19 ../../pom.xml service-test-utils diff --git a/test/stability-tests/pom.xml b/test/stability-tests/pom.xml index a4ef7ccf6a0d..bbb3d8c2db5f 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.27.19-SNAPSHOT + 2.27.19 ../../pom.xml 4.0.0 diff --git a/test/test-utils/pom.xml b/test/test-utils/pom.xml index db23e3f49715..a7fc7f1ecf0f 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.27.19-SNAPSHOT + 2.27.19 ../../pom.xml test-utils diff --git a/test/tests-coverage-reporting/pom.xml b/test/tests-coverage-reporting/pom.xml index 518a808c2106..0fa017e175bd 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.27.19-SNAPSHOT + 2.27.19 ../../pom.xml 4.0.0 diff --git a/test/v2-migration-tests/pom.xml b/test/v2-migration-tests/pom.xml index 6079198ee25e..b85f74152352 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.27.19-SNAPSHOT + 2.27.19 ../.. diff --git a/third-party/pom.xml b/third-party/pom.xml index 2bfe5be53915..10bfc898d4c6 100644 --- a/third-party/pom.xml +++ b/third-party/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.19-SNAPSHOT + 2.27.19 third-party diff --git a/third-party/third-party-jackson-core/pom.xml b/third-party/third-party-jackson-core/pom.xml index 0c412bec6c0f..0622d7978dae 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.27.19-SNAPSHOT + 2.27.19 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 7f12d7e58713..4324713b22ca 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.27.19-SNAPSHOT + 2.27.19 4.0.0 diff --git a/third-party/third-party-slf4j-api/pom.xml b/third-party/third-party-slf4j-api/pom.xml index b14be680e100..58dc49a2f637 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.27.19-SNAPSHOT + 2.27.19 4.0.0 diff --git a/utils/pom.xml b/utils/pom.xml index e013577c7769..ea6f5c231280 100644 --- a/utils/pom.xml +++ b/utils/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.19-SNAPSHOT + 2.27.19 4.0.0 diff --git a/v2-migration/pom.xml b/v2-migration/pom.xml index def5b4d3a04a..6531e8a8a505 100644 --- a/v2-migration/pom.xml +++ b/v2-migration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.19-SNAPSHOT + 2.27.19 ../pom.xml From f8b41631506f7821a7ae707c6bbb9d8da918e662 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Wed, 4 Sep 2024 18:53:39 +0000 Subject: [PATCH 020/108] Update to next snapshot version: 2.27.20-SNAPSHOT --- 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/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 +- metric-publishers/cloudwatch-metric-publisher/pom.xml | 2 +- metric-publishers/pom.xml | 2 +- pom.xml | 4 ++-- 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 +- services-custom/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/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 +- services/licensemanagerlinuxsubscriptions/pom.xml | 2 +- services/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/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 +- services/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/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/worklink/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 +- test/bundle-logging-bridge-binding-test/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 +- test/old-client-version-compatibility-test/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 +- third-party/third-party-jackson-dataformat-cbor/pom.xml | 2 +- third-party/third-party-slf4j-api/pom.xml | 2 +- utils/pom.xml | 2 +- v2-migration/pom.xml | 2 +- 469 files changed, 470 insertions(+), 470 deletions(-) diff --git a/archetypes/archetype-app-quickstart/pom.xml b/archetypes/archetype-app-quickstart/pom.xml index 2955aa609f59..9a3bb5f4ce56 100644 --- a/archetypes/archetype-app-quickstart/pom.xml +++ b/archetypes/archetype-app-quickstart/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.19 + 2.27.20-SNAPSHOT 4.0.0 diff --git a/archetypes/archetype-lambda/pom.xml b/archetypes/archetype-lambda/pom.xml index af1de2b574c3..568e54bb0af2 100644 --- a/archetypes/archetype-lambda/pom.xml +++ b/archetypes/archetype-lambda/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.19 + 2.27.20-SNAPSHOT 4.0.0 archetype-lambda diff --git a/archetypes/archetype-tools/pom.xml b/archetypes/archetype-tools/pom.xml index f780ca32a6dc..1587691ba250 100644 --- a/archetypes/archetype-tools/pom.xml +++ b/archetypes/archetype-tools/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.19 + 2.27.20-SNAPSHOT 4.0.0 diff --git a/archetypes/pom.xml b/archetypes/pom.xml index 250d9d857857..bb92b42506a5 100644 --- a/archetypes/pom.xml +++ b/archetypes/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.19 + 2.27.20-SNAPSHOT 4.0.0 archetypes diff --git a/aws-sdk-java/pom.xml b/aws-sdk-java/pom.xml index 9f23065408cf..8e1e6e15a546 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.27.19 + 2.27.20-SNAPSHOT ../pom.xml aws-sdk-java diff --git a/bom-internal/pom.xml b/bom-internal/pom.xml index 35621220d0b5..0fc7f03e7fa4 100644 --- a/bom-internal/pom.xml +++ b/bom-internal/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.19 + 2.27.20-SNAPSHOT 4.0.0 diff --git a/bom/pom.xml b/bom/pom.xml index ab12ae33d46c..279e3a103797 100644 --- a/bom/pom.xml +++ b/bom/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.19 + 2.27.20-SNAPSHOT ../pom.xml bom diff --git a/bundle-logging-bridge/pom.xml b/bundle-logging-bridge/pom.xml index 258c50d1c642..1393453a103f 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.27.19 + 2.27.20-SNAPSHOT bundle-logging-bridge jar diff --git a/bundle-sdk/pom.xml b/bundle-sdk/pom.xml index cf06520e11e0..9600783e2277 100644 --- a/bundle-sdk/pom.xml +++ b/bundle-sdk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.19 + 2.27.20-SNAPSHOT bundle-sdk jar diff --git a/bundle/pom.xml b/bundle/pom.xml index c98ec56aefae..f565afc24826 100644 --- a/bundle/pom.xml +++ b/bundle/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.19 + 2.27.20-SNAPSHOT bundle jar diff --git a/codegen-lite-maven-plugin/pom.xml b/codegen-lite-maven-plugin/pom.xml index 467dd2a2200d..857ccd81be89 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.27.19 + 2.27.20-SNAPSHOT ../pom.xml codegen-lite-maven-plugin diff --git a/codegen-lite/pom.xml b/codegen-lite/pom.xml index a7f52d582374..a82995099a2b 100644 --- a/codegen-lite/pom.xml +++ b/codegen-lite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.19 + 2.27.20-SNAPSHOT codegen-lite AWS Java SDK :: Code Generator Lite diff --git a/codegen-maven-plugin/pom.xml b/codegen-maven-plugin/pom.xml index 383ff5de02e0..340bd9125186 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.27.19 + 2.27.20-SNAPSHOT ../pom.xml codegen-maven-plugin diff --git a/codegen/pom.xml b/codegen/pom.xml index 647a090b1597..a38ab4e40ae9 100644 --- a/codegen/pom.xml +++ b/codegen/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.19 + 2.27.20-SNAPSHOT codegen AWS Java SDK :: Code Generator diff --git a/core/annotations/pom.xml b/core/annotations/pom.xml index 53d614cae843..211a1c53d6b3 100644 --- a/core/annotations/pom.xml +++ b/core/annotations/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.19 + 2.27.20-SNAPSHOT 4.0.0 diff --git a/core/arns/pom.xml b/core/arns/pom.xml index 2f47cb83234d..d49bcda23637 100644 --- a/core/arns/pom.xml +++ b/core/arns/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.19 + 2.27.20-SNAPSHOT 4.0.0 diff --git a/core/auth-crt/pom.xml b/core/auth-crt/pom.xml index 419aac233ec0..b609f394e989 100644 --- a/core/auth-crt/pom.xml +++ b/core/auth-crt/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.19 + 2.27.20-SNAPSHOT auth-crt diff --git a/core/auth/pom.xml b/core/auth/pom.xml index 406fb3e038c1..bd180dfa9a4a 100644 --- a/core/auth/pom.xml +++ b/core/auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.19 + 2.27.20-SNAPSHOT auth diff --git a/core/aws-core/pom.xml b/core/aws-core/pom.xml index 4e37d55267e1..4956dcbc16fe 100644 --- a/core/aws-core/pom.xml +++ b/core/aws-core/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.19 + 2.27.20-SNAPSHOT aws-core diff --git a/core/checksums-spi/pom.xml b/core/checksums-spi/pom.xml index 0ffdecefa0d0..90bf85dfbfb9 100644 --- a/core/checksums-spi/pom.xml +++ b/core/checksums-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.19 + 2.27.20-SNAPSHOT checksums-spi diff --git a/core/checksums/pom.xml b/core/checksums/pom.xml index 76e95a85ec83..ae33d9897098 100644 --- a/core/checksums/pom.xml +++ b/core/checksums/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.19 + 2.27.20-SNAPSHOT checksums diff --git a/core/crt-core/pom.xml b/core/crt-core/pom.xml index a21c500ac80e..0d4a0b0f64cb 100644 --- a/core/crt-core/pom.xml +++ b/core/crt-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.27.19 + 2.27.20-SNAPSHOT crt-core diff --git a/core/endpoints-spi/pom.xml b/core/endpoints-spi/pom.xml index 5778a701093e..821834430349 100644 --- a/core/endpoints-spi/pom.xml +++ b/core/endpoints-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.19 + 2.27.20-SNAPSHOT 4.0.0 diff --git a/core/http-auth-aws-crt/pom.xml b/core/http-auth-aws-crt/pom.xml index 4b381ef84ae0..0e9ddecb6524 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.27.19 + 2.27.20-SNAPSHOT http-auth-aws-crt diff --git a/core/http-auth-aws-eventstream/pom.xml b/core/http-auth-aws-eventstream/pom.xml index 4fff0e2151cb..52fd804c5eb9 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.27.19 + 2.27.20-SNAPSHOT http-auth-aws-eventstream diff --git a/core/http-auth-aws/pom.xml b/core/http-auth-aws/pom.xml index 900604f6e1f9..8ad24ccbfddf 100644 --- a/core/http-auth-aws/pom.xml +++ b/core/http-auth-aws/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.19 + 2.27.20-SNAPSHOT http-auth-aws diff --git a/core/http-auth-spi/pom.xml b/core/http-auth-spi/pom.xml index daa7064145bb..781986bcfa41 100644 --- a/core/http-auth-spi/pom.xml +++ b/core/http-auth-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.19 + 2.27.20-SNAPSHOT http-auth-spi diff --git a/core/http-auth/pom.xml b/core/http-auth/pom.xml index 69912d7cd1bb..664580084597 100644 --- a/core/http-auth/pom.xml +++ b/core/http-auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.19 + 2.27.20-SNAPSHOT http-auth diff --git a/core/identity-spi/pom.xml b/core/identity-spi/pom.xml index 15ca5187b6fc..fb1536663782 100644 --- a/core/identity-spi/pom.xml +++ b/core/identity-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.19 + 2.27.20-SNAPSHOT identity-spi diff --git a/core/imds/pom.xml b/core/imds/pom.xml index f4bc19dec426..900b876cd0f6 100644 --- a/core/imds/pom.xml +++ b/core/imds/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.19 + 2.27.20-SNAPSHOT 4.0.0 imds diff --git a/core/json-utils/pom.xml b/core/json-utils/pom.xml index 8e480e842b11..6c23b8aa92a0 100644 --- a/core/json-utils/pom.xml +++ b/core/json-utils/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.19 + 2.27.20-SNAPSHOT 4.0.0 diff --git a/core/metrics-spi/pom.xml b/core/metrics-spi/pom.xml index 33a4f388699c..c7ff945007d0 100644 --- a/core/metrics-spi/pom.xml +++ b/core/metrics-spi/pom.xml @@ -5,7 +5,7 @@ core software.amazon.awssdk - 2.27.19 + 2.27.20-SNAPSHOT 4.0.0 diff --git a/core/pom.xml b/core/pom.xml index 4a70cbc3bb47..b8e87bf2acb7 100644 --- a/core/pom.xml +++ b/core/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.19 + 2.27.20-SNAPSHOT core diff --git a/core/profiles/pom.xml b/core/profiles/pom.xml index 0aedb4e0d192..6db69051c247 100644 --- a/core/profiles/pom.xml +++ b/core/profiles/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.19 + 2.27.20-SNAPSHOT profiles diff --git a/core/protocols/aws-cbor-protocol/pom.xml b/core/protocols/aws-cbor-protocol/pom.xml index 549fb9da23bf..0e5e49bd852b 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.27.19 + 2.27.20-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-json-protocol/pom.xml b/core/protocols/aws-json-protocol/pom.xml index c9e2129ecd66..e19b0e038ef6 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.27.19 + 2.27.20-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-query-protocol/pom.xml b/core/protocols/aws-query-protocol/pom.xml index 2c951d5ea694..738865132b65 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.27.19 + 2.27.20-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-xml-protocol/pom.xml b/core/protocols/aws-xml-protocol/pom.xml index 86d005b42f67..792550beec2f 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.27.19 + 2.27.20-SNAPSHOT 4.0.0 diff --git a/core/protocols/pom.xml b/core/protocols/pom.xml index 78db3e238db2..d59238e129ac 100644 --- a/core/protocols/pom.xml +++ b/core/protocols/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.19 + 2.27.20-SNAPSHOT 4.0.0 diff --git a/core/protocols/protocol-core/pom.xml b/core/protocols/protocol-core/pom.xml index c469f47ba522..76ff427237c6 100644 --- a/core/protocols/protocol-core/pom.xml +++ b/core/protocols/protocol-core/pom.xml @@ -20,7 +20,7 @@ protocols software.amazon.awssdk - 2.27.19 + 2.27.20-SNAPSHOT 4.0.0 diff --git a/core/regions/pom.xml b/core/regions/pom.xml index fdf7448de559..1ac9c612a3a5 100644 --- a/core/regions/pom.xml +++ b/core/regions/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.19 + 2.27.20-SNAPSHOT regions diff --git a/core/retries-spi/pom.xml b/core/retries-spi/pom.xml index 8226f0bb119c..94f7a5a3a3be 100644 --- a/core/retries-spi/pom.xml +++ b/core/retries-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.19 + 2.27.20-SNAPSHOT 4.0.0 diff --git a/core/retries/pom.xml b/core/retries/pom.xml index fd358b6d8701..d79a3cf70d14 100644 --- a/core/retries/pom.xml +++ b/core/retries/pom.xml @@ -21,7 +21,7 @@ core software.amazon.awssdk - 2.27.19 + 2.27.20-SNAPSHOT 4.0.0 diff --git a/core/sdk-core/pom.xml b/core/sdk-core/pom.xml index f81129008db0..fba177d173fa 100644 --- a/core/sdk-core/pom.xml +++ b/core/sdk-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.27.19 + 2.27.20-SNAPSHOT sdk-core AWS Java SDK :: SDK Core diff --git a/http-client-spi/pom.xml b/http-client-spi/pom.xml index ac5fb0ac389c..4594a8488ae1 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.27.19 + 2.27.20-SNAPSHOT http-client-spi AWS Java SDK :: HTTP Client Interface diff --git a/http-clients/apache-client/pom.xml b/http-clients/apache-client/pom.xml index 4588dd20a73b..f6fb372d3431 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.27.19 + 2.27.20-SNAPSHOT apache-client diff --git a/http-clients/aws-crt-client/pom.xml b/http-clients/aws-crt-client/pom.xml index 950f7e68d98f..8455af9c1c26 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.27.19 + 2.27.20-SNAPSHOT 4.0.0 diff --git a/http-clients/netty-nio-client/pom.xml b/http-clients/netty-nio-client/pom.xml index 8c57f8d96763..7d82d9feadf3 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.27.19 + 2.27.20-SNAPSHOT 4.0.0 diff --git a/http-clients/pom.xml b/http-clients/pom.xml index b4d0592b9928..2489fdb9aca5 100644 --- a/http-clients/pom.xml +++ b/http-clients/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.19 + 2.27.20-SNAPSHOT 4.0.0 diff --git a/http-clients/url-connection-client/pom.xml b/http-clients/url-connection-client/pom.xml index 33f31b38ed4d..92c8efc76254 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.27.19 + 2.27.20-SNAPSHOT 4.0.0 diff --git a/metric-publishers/cloudwatch-metric-publisher/pom.xml b/metric-publishers/cloudwatch-metric-publisher/pom.xml index 209748ef878d..70a10459b1e5 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.27.19 + 2.27.20-SNAPSHOT cloudwatch-metric-publisher diff --git a/metric-publishers/pom.xml b/metric-publishers/pom.xml index 89a2d300dfb3..6bdb6f72ca29 100644 --- a/metric-publishers/pom.xml +++ b/metric-publishers/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.19 + 2.27.20-SNAPSHOT metric-publishers diff --git a/pom.xml b/pom.xml index 160d74af813c..4e93d9e92615 100644 --- a/pom.xml +++ b/pom.xml @@ -20,7 +20,7 @@ 4.0.0 software.amazon.awssdk aws-sdk-java-pom - 2.27.19 + 2.27.20-SNAPSHOT pom AWS Java SDK :: Parent The Amazon Web Services SDK for Java provides Java APIs @@ -99,7 +99,7 @@ ${project.version} - 2.27.18 + 2.27.19 2.15.2 2.15.2 2.13.2 diff --git a/release-scripts/pom.xml b/release-scripts/pom.xml index 87b1fd631f58..22164173dfff 100644 --- a/release-scripts/pom.xml +++ b/release-scripts/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.19 + 2.27.20-SNAPSHOT ../pom.xml release-scripts diff --git a/services-custom/dynamodb-enhanced/pom.xml b/services-custom/dynamodb-enhanced/pom.xml index 5ce0e0c13460..18ff60edad7c 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.27.19 + 2.27.20-SNAPSHOT dynamodb-enhanced AWS Java SDK :: DynamoDB :: Enhanced Client diff --git a/services-custom/iam-policy-builder/pom.xml b/services-custom/iam-policy-builder/pom.xml index c0a415ed983e..69f454801645 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.27.19 + 2.27.20-SNAPSHOT ../../pom.xml iam-policy-builder diff --git a/services-custom/pom.xml b/services-custom/pom.xml index 07a56c9ca843..270b14c49af0 100644 --- a/services-custom/pom.xml +++ b/services-custom/pom.xml @@ -19,7 +19,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.19 + 2.27.20-SNAPSHOT services-custom AWS Java SDK :: Custom Services diff --git a/services-custom/s3-event-notifications/pom.xml b/services-custom/s3-event-notifications/pom.xml index 6130a6434139..98f41cf0ab2f 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.27.19 + 2.27.20-SNAPSHOT ../../pom.xml s3-event-notifications diff --git a/services-custom/s3-transfer-manager/pom.xml b/services-custom/s3-transfer-manager/pom.xml index b4f9c9835d27..ebf29f6c7f69 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.27.19 + 2.27.20-SNAPSHOT ../../pom.xml s3-transfer-manager diff --git a/services/accessanalyzer/pom.xml b/services/accessanalyzer/pom.xml index 8ac36e7e6257..4548852ce230 100644 --- a/services/accessanalyzer/pom.xml +++ b/services/accessanalyzer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT accessanalyzer AWS Java SDK :: Services :: AccessAnalyzer diff --git a/services/account/pom.xml b/services/account/pom.xml index 499215356c22..dc06856d7179 100644 --- a/services/account/pom.xml +++ b/services/account/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT account AWS Java SDK :: Services :: Account diff --git a/services/acm/pom.xml b/services/acm/pom.xml index 3ee5aedc522a..f5efbfc060b3 100644 --- a/services/acm/pom.xml +++ b/services/acm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT acm AWS Java SDK :: Services :: AWS Certificate Manager diff --git a/services/acmpca/pom.xml b/services/acmpca/pom.xml index d7c91c17dca4..0737373a1103 100644 --- a/services/acmpca/pom.xml +++ b/services/acmpca/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT acmpca AWS Java SDK :: Services :: ACM PCA diff --git a/services/amp/pom.xml b/services/amp/pom.xml index a836beeab6bd..ef456834a6f3 100644 --- a/services/amp/pom.xml +++ b/services/amp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT amp AWS Java SDK :: Services :: Amp diff --git a/services/amplify/pom.xml b/services/amplify/pom.xml index 0f2450336663..3fc7e69da769 100644 --- a/services/amplify/pom.xml +++ b/services/amplify/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT amplify AWS Java SDK :: Services :: Amplify diff --git a/services/amplifybackend/pom.xml b/services/amplifybackend/pom.xml index 395e4000bf5b..e9b0b36a28fb 100644 --- a/services/amplifybackend/pom.xml +++ b/services/amplifybackend/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT amplifybackend AWS Java SDK :: Services :: Amplify Backend diff --git a/services/amplifyuibuilder/pom.xml b/services/amplifyuibuilder/pom.xml index 83bb188251ef..38e9536aaecd 100644 --- a/services/amplifyuibuilder/pom.xml +++ b/services/amplifyuibuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT amplifyuibuilder AWS Java SDK :: Services :: Amplify UI Builder diff --git a/services/apigateway/pom.xml b/services/apigateway/pom.xml index 6157229e3537..616aeec8e026 100644 --- a/services/apigateway/pom.xml +++ b/services/apigateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT apigateway AWS Java SDK :: Services :: Amazon API Gateway diff --git a/services/apigatewaymanagementapi/pom.xml b/services/apigatewaymanagementapi/pom.xml index 3be5fe51f0ec..ce0d7e6888cd 100644 --- a/services/apigatewaymanagementapi/pom.xml +++ b/services/apigatewaymanagementapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT apigatewaymanagementapi AWS Java SDK :: Services :: ApiGatewayManagementApi diff --git a/services/apigatewayv2/pom.xml b/services/apigatewayv2/pom.xml index 49bed7e186a2..e8ddf440491e 100644 --- a/services/apigatewayv2/pom.xml +++ b/services/apigatewayv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT apigatewayv2 AWS Java SDK :: Services :: ApiGatewayV2 diff --git a/services/appconfig/pom.xml b/services/appconfig/pom.xml index a51a8df0f13e..482c169922b4 100644 --- a/services/appconfig/pom.xml +++ b/services/appconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT appconfig AWS Java SDK :: Services :: AppConfig diff --git a/services/appconfigdata/pom.xml b/services/appconfigdata/pom.xml index df7689e67c83..29d3298fb98e 100644 --- a/services/appconfigdata/pom.xml +++ b/services/appconfigdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT appconfigdata AWS Java SDK :: Services :: App Config Data diff --git a/services/appfabric/pom.xml b/services/appfabric/pom.xml index 3412bf07a540..24e556981bb7 100644 --- a/services/appfabric/pom.xml +++ b/services/appfabric/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT appfabric AWS Java SDK :: Services :: App Fabric diff --git a/services/appflow/pom.xml b/services/appflow/pom.xml index e12e1e7a1d19..5b274522d1ab 100644 --- a/services/appflow/pom.xml +++ b/services/appflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT appflow AWS Java SDK :: Services :: Appflow diff --git a/services/appintegrations/pom.xml b/services/appintegrations/pom.xml index 5afce15a095d..2812cd4e5473 100644 --- a/services/appintegrations/pom.xml +++ b/services/appintegrations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT appintegrations AWS Java SDK :: Services :: App Integrations diff --git a/services/applicationautoscaling/pom.xml b/services/applicationautoscaling/pom.xml index 551caf9ec46b..566296d96c4a 100644 --- a/services/applicationautoscaling/pom.xml +++ b/services/applicationautoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT applicationautoscaling AWS Java SDK :: Services :: AWS Application Auto Scaling diff --git a/services/applicationcostprofiler/pom.xml b/services/applicationcostprofiler/pom.xml index 1db86f1eb545..b51ffafcae28 100644 --- a/services/applicationcostprofiler/pom.xml +++ b/services/applicationcostprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT applicationcostprofiler AWS Java SDK :: Services :: Application Cost Profiler diff --git a/services/applicationdiscovery/pom.xml b/services/applicationdiscovery/pom.xml index 98f7e6c7bef3..07736bedd7ba 100644 --- a/services/applicationdiscovery/pom.xml +++ b/services/applicationdiscovery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT applicationdiscovery AWS Java SDK :: Services :: AWS Application Discovery Service diff --git a/services/applicationinsights/pom.xml b/services/applicationinsights/pom.xml index bbab9523b154..5e623a3338b8 100644 --- a/services/applicationinsights/pom.xml +++ b/services/applicationinsights/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT applicationinsights AWS Java SDK :: Services :: Application Insights diff --git a/services/applicationsignals/pom.xml b/services/applicationsignals/pom.xml index 3fbda38fbb21..1de2b35887f6 100644 --- a/services/applicationsignals/pom.xml +++ b/services/applicationsignals/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT applicationsignals AWS Java SDK :: Services :: Application Signals diff --git a/services/appmesh/pom.xml b/services/appmesh/pom.xml index 0cdda9e455ee..811caf94c910 100644 --- a/services/appmesh/pom.xml +++ b/services/appmesh/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT appmesh AWS Java SDK :: Services :: App Mesh diff --git a/services/apprunner/pom.xml b/services/apprunner/pom.xml index 8d9c96eff19c..c813f9ee5a94 100644 --- a/services/apprunner/pom.xml +++ b/services/apprunner/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT apprunner AWS Java SDK :: Services :: App Runner diff --git a/services/appstream/pom.xml b/services/appstream/pom.xml index 6984490be9ae..ac00d8d60b8b 100644 --- a/services/appstream/pom.xml +++ b/services/appstream/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT appstream AWS Java SDK :: Services :: Amazon AppStream diff --git a/services/appsync/pom.xml b/services/appsync/pom.xml index cb01ab31e07f..298535b0f9c0 100644 --- a/services/appsync/pom.xml +++ b/services/appsync/pom.xml @@ -21,7 +21,7 @@ services software.amazon.awssdk - 2.27.19 + 2.27.20-SNAPSHOT appsync diff --git a/services/apptest/pom.xml b/services/apptest/pom.xml index 3c6c13df3a40..79270d63147e 100644 --- a/services/apptest/pom.xml +++ b/services/apptest/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT apptest AWS Java SDK :: Services :: App Test diff --git a/services/arczonalshift/pom.xml b/services/arczonalshift/pom.xml index 712152cbab97..a8636df7c813 100644 --- a/services/arczonalshift/pom.xml +++ b/services/arczonalshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT arczonalshift AWS Java SDK :: Services :: ARC Zonal Shift diff --git a/services/artifact/pom.xml b/services/artifact/pom.xml index f24c4b21e42e..a0f28b529de2 100644 --- a/services/artifact/pom.xml +++ b/services/artifact/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT artifact AWS Java SDK :: Services :: Artifact diff --git a/services/athena/pom.xml b/services/athena/pom.xml index 313e671e079a..9d70309ce9ec 100644 --- a/services/athena/pom.xml +++ b/services/athena/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT athena AWS Java SDK :: Services :: Amazon Athena diff --git a/services/auditmanager/pom.xml b/services/auditmanager/pom.xml index d9b05090c1f4..ac6a07dfbbf3 100644 --- a/services/auditmanager/pom.xml +++ b/services/auditmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT auditmanager AWS Java SDK :: Services :: Audit Manager diff --git a/services/autoscaling/pom.xml b/services/autoscaling/pom.xml index 7f418becf95a..706486f1bc2e 100644 --- a/services/autoscaling/pom.xml +++ b/services/autoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT autoscaling AWS Java SDK :: Services :: Auto Scaling diff --git a/services/autoscalingplans/pom.xml b/services/autoscalingplans/pom.xml index 7fcba415d439..f7e9c9b7d8b1 100644 --- a/services/autoscalingplans/pom.xml +++ b/services/autoscalingplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT autoscalingplans AWS Java SDK :: Services :: Auto Scaling Plans diff --git a/services/b2bi/pom.xml b/services/b2bi/pom.xml index c73472fa663f..70d0fe3c974e 100644 --- a/services/b2bi/pom.xml +++ b/services/b2bi/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT b2bi AWS Java SDK :: Services :: B2 Bi diff --git a/services/backup/pom.xml b/services/backup/pom.xml index 955f0dafc283..572923043f14 100644 --- a/services/backup/pom.xml +++ b/services/backup/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT backup AWS Java SDK :: Services :: Backup diff --git a/services/backupgateway/pom.xml b/services/backupgateway/pom.xml index b16fff8cc11e..8b6d39dd6092 100644 --- a/services/backupgateway/pom.xml +++ b/services/backupgateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT backupgateway AWS Java SDK :: Services :: Backup Gateway diff --git a/services/batch/pom.xml b/services/batch/pom.xml index 5bc4e7f3dd74..9c8dedd2bad8 100644 --- a/services/batch/pom.xml +++ b/services/batch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT batch AWS Java SDK :: Services :: AWS Batch diff --git a/services/bcmdataexports/pom.xml b/services/bcmdataexports/pom.xml index dce5057dda5d..ccf404019f0c 100644 --- a/services/bcmdataexports/pom.xml +++ b/services/bcmdataexports/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT bcmdataexports AWS Java SDK :: Services :: BCM Data Exports diff --git a/services/bedrock/pom.xml b/services/bedrock/pom.xml index 598e4fdee372..69c3b5aa73be 100644 --- a/services/bedrock/pom.xml +++ b/services/bedrock/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT bedrock AWS Java SDK :: Services :: Bedrock diff --git a/services/bedrockagent/pom.xml b/services/bedrockagent/pom.xml index 34d895dfed1f..7060fe2c6820 100644 --- a/services/bedrockagent/pom.xml +++ b/services/bedrockagent/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT bedrockagent AWS Java SDK :: Services :: Bedrock Agent diff --git a/services/bedrockagentruntime/pom.xml b/services/bedrockagentruntime/pom.xml index 4364d9db61fe..6be537c4efd4 100644 --- a/services/bedrockagentruntime/pom.xml +++ b/services/bedrockagentruntime/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT bedrockagentruntime AWS Java SDK :: Services :: Bedrock Agent Runtime diff --git a/services/bedrockruntime/pom.xml b/services/bedrockruntime/pom.xml index 62eae0d86c78..243b02208c0a 100644 --- a/services/bedrockruntime/pom.xml +++ b/services/bedrockruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT bedrockruntime AWS Java SDK :: Services :: Bedrock Runtime diff --git a/services/billingconductor/pom.xml b/services/billingconductor/pom.xml index 332d6703d352..605eaacd1498 100644 --- a/services/billingconductor/pom.xml +++ b/services/billingconductor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT billingconductor AWS Java SDK :: Services :: Billingconductor diff --git a/services/braket/pom.xml b/services/braket/pom.xml index 8eb801b4f788..d353c6cbd765 100644 --- a/services/braket/pom.xml +++ b/services/braket/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT braket AWS Java SDK :: Services :: Braket diff --git a/services/budgets/pom.xml b/services/budgets/pom.xml index 3cf913eba99d..1c5b36566625 100644 --- a/services/budgets/pom.xml +++ b/services/budgets/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT budgets AWS Java SDK :: Services :: AWS Budgets diff --git a/services/chatbot/pom.xml b/services/chatbot/pom.xml index 632827776d3b..586c79b6fef5 100644 --- a/services/chatbot/pom.xml +++ b/services/chatbot/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT chatbot AWS Java SDK :: Services :: Chatbot diff --git a/services/chime/pom.xml b/services/chime/pom.xml index 85539de61233..c587388b7713 100644 --- a/services/chime/pom.xml +++ b/services/chime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT chime AWS Java SDK :: Services :: Chime diff --git a/services/chimesdkidentity/pom.xml b/services/chimesdkidentity/pom.xml index 77068ae1805e..4ee7cfce6743 100644 --- a/services/chimesdkidentity/pom.xml +++ b/services/chimesdkidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT chimesdkidentity AWS Java SDK :: Services :: Chime SDK Identity diff --git a/services/chimesdkmediapipelines/pom.xml b/services/chimesdkmediapipelines/pom.xml index 0a68a358ab89..2a93306bcc3e 100644 --- a/services/chimesdkmediapipelines/pom.xml +++ b/services/chimesdkmediapipelines/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT chimesdkmediapipelines AWS Java SDK :: Services :: Chime SDK Media Pipelines diff --git a/services/chimesdkmeetings/pom.xml b/services/chimesdkmeetings/pom.xml index 3e7bd2ad29b1..c44ab57cb922 100644 --- a/services/chimesdkmeetings/pom.xml +++ b/services/chimesdkmeetings/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT chimesdkmeetings AWS Java SDK :: Services :: Chime SDK Meetings diff --git a/services/chimesdkmessaging/pom.xml b/services/chimesdkmessaging/pom.xml index 0f59270e431f..ee6f831e6ed6 100644 --- a/services/chimesdkmessaging/pom.xml +++ b/services/chimesdkmessaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT chimesdkmessaging AWS Java SDK :: Services :: Chime SDK Messaging diff --git a/services/chimesdkvoice/pom.xml b/services/chimesdkvoice/pom.xml index 0a110e835793..79780d61cb81 100644 --- a/services/chimesdkvoice/pom.xml +++ b/services/chimesdkvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT chimesdkvoice AWS Java SDK :: Services :: Chime SDK Voice diff --git a/services/cleanrooms/pom.xml b/services/cleanrooms/pom.xml index 4b6c5b2c7778..55abe2fae12b 100644 --- a/services/cleanrooms/pom.xml +++ b/services/cleanrooms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT cleanrooms AWS Java SDK :: Services :: Clean Rooms diff --git a/services/cleanroomsml/pom.xml b/services/cleanroomsml/pom.xml index b2bbadc454ea..c3c5dd3e6f3c 100644 --- a/services/cleanroomsml/pom.xml +++ b/services/cleanroomsml/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT cleanroomsml AWS Java SDK :: Services :: Clean Rooms ML diff --git a/services/cloud9/pom.xml b/services/cloud9/pom.xml index 03b9463334f7..b65fe8431900 100644 --- a/services/cloud9/pom.xml +++ b/services/cloud9/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19 + 2.27.20-SNAPSHOT 4.0.0 cloud9 diff --git a/services/cloudcontrol/pom.xml b/services/cloudcontrol/pom.xml index aaeaa87aab5d..68247c36bf65 100644 --- a/services/cloudcontrol/pom.xml +++ b/services/cloudcontrol/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT cloudcontrol AWS Java SDK :: Services :: Cloud Control diff --git a/services/clouddirectory/pom.xml b/services/clouddirectory/pom.xml index 6d3401576b50..f28c66647264 100644 --- a/services/clouddirectory/pom.xml +++ b/services/clouddirectory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT clouddirectory AWS Java SDK :: Services :: Amazon CloudDirectory diff --git a/services/cloudformation/pom.xml b/services/cloudformation/pom.xml index 709a2f1c2623..8d9b87cc6d94 100644 --- a/services/cloudformation/pom.xml +++ b/services/cloudformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT cloudformation AWS Java SDK :: Services :: AWS CloudFormation diff --git a/services/cloudfront/pom.xml b/services/cloudfront/pom.xml index 7138429e11a8..f5e3c6cc25cb 100644 --- a/services/cloudfront/pom.xml +++ b/services/cloudfront/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT cloudfront AWS Java SDK :: Services :: Amazon CloudFront diff --git a/services/cloudfrontkeyvaluestore/pom.xml b/services/cloudfrontkeyvaluestore/pom.xml index bc995248eee3..5e428b448912 100644 --- a/services/cloudfrontkeyvaluestore/pom.xml +++ b/services/cloudfrontkeyvaluestore/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT cloudfrontkeyvaluestore AWS Java SDK :: Services :: Cloud Front Key Value Store diff --git a/services/cloudhsm/pom.xml b/services/cloudhsm/pom.xml index fa7c7ab34cde..4217eb3d8e45 100644 --- a/services/cloudhsm/pom.xml +++ b/services/cloudhsm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT cloudhsm AWS Java SDK :: Services :: AWS CloudHSM diff --git a/services/cloudhsmv2/pom.xml b/services/cloudhsmv2/pom.xml index 91e8b8efc261..003371aca1a2 100644 --- a/services/cloudhsmv2/pom.xml +++ b/services/cloudhsmv2/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19 + 2.27.20-SNAPSHOT 4.0.0 cloudhsmv2 diff --git a/services/cloudsearch/pom.xml b/services/cloudsearch/pom.xml index d287438ba55e..b1bbbc1a14db 100644 --- a/services/cloudsearch/pom.xml +++ b/services/cloudsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT cloudsearch AWS Java SDK :: Services :: Amazon CloudSearch diff --git a/services/cloudsearchdomain/pom.xml b/services/cloudsearchdomain/pom.xml index 02a1a63c85b7..ec93996264fb 100644 --- a/services/cloudsearchdomain/pom.xml +++ b/services/cloudsearchdomain/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT cloudsearchdomain AWS Java SDK :: Services :: Amazon CloudSearch Domain diff --git a/services/cloudtrail/pom.xml b/services/cloudtrail/pom.xml index f6b4ec8e9e5b..c559d2857c0d 100644 --- a/services/cloudtrail/pom.xml +++ b/services/cloudtrail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT cloudtrail AWS Java SDK :: Services :: AWS CloudTrail diff --git a/services/cloudtraildata/pom.xml b/services/cloudtraildata/pom.xml index db804961ea4b..cfea28bffcf6 100644 --- a/services/cloudtraildata/pom.xml +++ b/services/cloudtraildata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT cloudtraildata AWS Java SDK :: Services :: Cloud Trail Data diff --git a/services/cloudwatch/pom.xml b/services/cloudwatch/pom.xml index ae871d67a56e..65ea4cb066d4 100644 --- a/services/cloudwatch/pom.xml +++ b/services/cloudwatch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT cloudwatch AWS Java SDK :: Services :: Amazon CloudWatch diff --git a/services/cloudwatchevents/pom.xml b/services/cloudwatchevents/pom.xml index dd8f13f0393e..d929d831dc66 100644 --- a/services/cloudwatchevents/pom.xml +++ b/services/cloudwatchevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT cloudwatchevents AWS Java SDK :: Services :: Amazon CloudWatch Events diff --git a/services/cloudwatchlogs/pom.xml b/services/cloudwatchlogs/pom.xml index 019bb6859c70..65e60370f1f8 100644 --- a/services/cloudwatchlogs/pom.xml +++ b/services/cloudwatchlogs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT cloudwatchlogs AWS Java SDK :: Services :: Amazon CloudWatch Logs diff --git a/services/codeartifact/pom.xml b/services/codeartifact/pom.xml index 0d1a24118cc6..ee5d7c244055 100644 --- a/services/codeartifact/pom.xml +++ b/services/codeartifact/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT codeartifact AWS Java SDK :: Services :: Codeartifact diff --git a/services/codebuild/pom.xml b/services/codebuild/pom.xml index 40c348198a37..d3ae2b40ec6b 100644 --- a/services/codebuild/pom.xml +++ b/services/codebuild/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT codebuild AWS Java SDK :: Services :: AWS Code Build diff --git a/services/codecatalyst/pom.xml b/services/codecatalyst/pom.xml index 2efef2978b35..ca24069c68a2 100644 --- a/services/codecatalyst/pom.xml +++ b/services/codecatalyst/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT codecatalyst AWS Java SDK :: Services :: Code Catalyst diff --git a/services/codecommit/pom.xml b/services/codecommit/pom.xml index 820f38541db6..9aca9f083438 100644 --- a/services/codecommit/pom.xml +++ b/services/codecommit/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT codecommit AWS Java SDK :: Services :: AWS CodeCommit diff --git a/services/codeconnections/pom.xml b/services/codeconnections/pom.xml index 963b771384f8..5f10ae8e943f 100644 --- a/services/codeconnections/pom.xml +++ b/services/codeconnections/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT codeconnections AWS Java SDK :: Services :: Code Connections diff --git a/services/codedeploy/pom.xml b/services/codedeploy/pom.xml index 2feba9dedc8b..1302e87487f5 100644 --- a/services/codedeploy/pom.xml +++ b/services/codedeploy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT codedeploy AWS Java SDK :: Services :: AWS CodeDeploy diff --git a/services/codeguruprofiler/pom.xml b/services/codeguruprofiler/pom.xml index 075adf9161dc..ffe110e802be 100644 --- a/services/codeguruprofiler/pom.xml +++ b/services/codeguruprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT codeguruprofiler AWS Java SDK :: Services :: CodeGuruProfiler diff --git a/services/codegurureviewer/pom.xml b/services/codegurureviewer/pom.xml index 876e3c0e7b28..8c5a65d1a4bb 100644 --- a/services/codegurureviewer/pom.xml +++ b/services/codegurureviewer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT codegurureviewer AWS Java SDK :: Services :: CodeGuru Reviewer diff --git a/services/codegurusecurity/pom.xml b/services/codegurusecurity/pom.xml index 12ac2c2a4dfb..c9a0518bdda6 100644 --- a/services/codegurusecurity/pom.xml +++ b/services/codegurusecurity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT codegurusecurity AWS Java SDK :: Services :: Code Guru Security diff --git a/services/codepipeline/pom.xml b/services/codepipeline/pom.xml index 91b6c5065e13..edf5bb611667 100644 --- a/services/codepipeline/pom.xml +++ b/services/codepipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT codepipeline AWS Java SDK :: Services :: AWS CodePipeline diff --git a/services/codestarconnections/pom.xml b/services/codestarconnections/pom.xml index 3f493314edca..1407f4070965 100644 --- a/services/codestarconnections/pom.xml +++ b/services/codestarconnections/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT codestarconnections AWS Java SDK :: Services :: CodeStar connections diff --git a/services/codestarnotifications/pom.xml b/services/codestarnotifications/pom.xml index 0d345cbac22c..3c07793cee74 100644 --- a/services/codestarnotifications/pom.xml +++ b/services/codestarnotifications/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT codestarnotifications AWS Java SDK :: Services :: Codestar Notifications diff --git a/services/cognitoidentity/pom.xml b/services/cognitoidentity/pom.xml index 5a6ddc3f76aa..f3223b47983c 100644 --- a/services/cognitoidentity/pom.xml +++ b/services/cognitoidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT cognitoidentity AWS Java SDK :: Services :: Amazon Cognito Identity diff --git a/services/cognitoidentityprovider/pom.xml b/services/cognitoidentityprovider/pom.xml index ba681a39dc60..22b8cffc2f29 100644 --- a/services/cognitoidentityprovider/pom.xml +++ b/services/cognitoidentityprovider/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT cognitoidentityprovider AWS Java SDK :: Services :: Amazon Cognito Identity Provider Service diff --git a/services/cognitosync/pom.xml b/services/cognitosync/pom.xml index 553f303451a9..e96d9416603d 100644 --- a/services/cognitosync/pom.xml +++ b/services/cognitosync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT cognitosync AWS Java SDK :: Services :: Amazon Cognito Sync diff --git a/services/comprehend/pom.xml b/services/comprehend/pom.xml index 8a40ab2437f4..d530de0801e2 100644 --- a/services/comprehend/pom.xml +++ b/services/comprehend/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19 + 2.27.20-SNAPSHOT 4.0.0 comprehend diff --git a/services/comprehendmedical/pom.xml b/services/comprehendmedical/pom.xml index e2580281f816..c5b8e10c4a2a 100644 --- a/services/comprehendmedical/pom.xml +++ b/services/comprehendmedical/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT comprehendmedical AWS Java SDK :: Services :: ComprehendMedical diff --git a/services/computeoptimizer/pom.xml b/services/computeoptimizer/pom.xml index 82396b2fd09f..4c37493aea9b 100644 --- a/services/computeoptimizer/pom.xml +++ b/services/computeoptimizer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT computeoptimizer AWS Java SDK :: Services :: Compute Optimizer diff --git a/services/config/pom.xml b/services/config/pom.xml index 3a661be36797..896e09546462 100644 --- a/services/config/pom.xml +++ b/services/config/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT config AWS Java SDK :: Services :: AWS Config diff --git a/services/connect/pom.xml b/services/connect/pom.xml index 815f661aa176..ecf15330af2f 100644 --- a/services/connect/pom.xml +++ b/services/connect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT connect AWS Java SDK :: Services :: Connect diff --git a/services/connectcampaigns/pom.xml b/services/connectcampaigns/pom.xml index 7a89c230286b..3a0701f69fa4 100644 --- a/services/connectcampaigns/pom.xml +++ b/services/connectcampaigns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT connectcampaigns AWS Java SDK :: Services :: Connect Campaigns diff --git a/services/connectcases/pom.xml b/services/connectcases/pom.xml index b1b6993f78fd..08f6d17613c1 100644 --- a/services/connectcases/pom.xml +++ b/services/connectcases/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT connectcases AWS Java SDK :: Services :: Connect Cases diff --git a/services/connectcontactlens/pom.xml b/services/connectcontactlens/pom.xml index 4f484a4e484e..15968a51f34f 100644 --- a/services/connectcontactlens/pom.xml +++ b/services/connectcontactlens/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT connectcontactlens AWS Java SDK :: Services :: Connect Contact Lens diff --git a/services/connectparticipant/pom.xml b/services/connectparticipant/pom.xml index bf125ffa6937..af515e300f8d 100644 --- a/services/connectparticipant/pom.xml +++ b/services/connectparticipant/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT connectparticipant AWS Java SDK :: Services :: ConnectParticipant diff --git a/services/controlcatalog/pom.xml b/services/controlcatalog/pom.xml index 1374e53fe968..e8f2a92e77ef 100644 --- a/services/controlcatalog/pom.xml +++ b/services/controlcatalog/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT controlcatalog AWS Java SDK :: Services :: Control Catalog diff --git a/services/controltower/pom.xml b/services/controltower/pom.xml index 3316757e3cd0..1106b6ce0015 100644 --- a/services/controltower/pom.xml +++ b/services/controltower/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT controltower AWS Java SDK :: Services :: Control Tower diff --git a/services/costandusagereport/pom.xml b/services/costandusagereport/pom.xml index 76ad1efedd13..93e8cb0607b3 100644 --- a/services/costandusagereport/pom.xml +++ b/services/costandusagereport/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT costandusagereport AWS Java SDK :: Services :: AWS Cost and Usage Report diff --git a/services/costexplorer/pom.xml b/services/costexplorer/pom.xml index d0c7cb387ab2..281d2ffad56c 100644 --- a/services/costexplorer/pom.xml +++ b/services/costexplorer/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19 + 2.27.20-SNAPSHOT 4.0.0 costexplorer diff --git a/services/costoptimizationhub/pom.xml b/services/costoptimizationhub/pom.xml index ed4a87e800e5..0d272b8992ad 100644 --- a/services/costoptimizationhub/pom.xml +++ b/services/costoptimizationhub/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT costoptimizationhub AWS Java SDK :: Services :: Cost Optimization Hub diff --git a/services/customerprofiles/pom.xml b/services/customerprofiles/pom.xml index 8e834abb4870..05b1833da853 100644 --- a/services/customerprofiles/pom.xml +++ b/services/customerprofiles/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT customerprofiles AWS Java SDK :: Services :: Customer Profiles diff --git a/services/databasemigration/pom.xml b/services/databasemigration/pom.xml index 37bc769b88e9..d548ae0c4534 100644 --- a/services/databasemigration/pom.xml +++ b/services/databasemigration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT databasemigration AWS Java SDK :: Services :: AWS Database Migration Service diff --git a/services/databrew/pom.xml b/services/databrew/pom.xml index 817a4987b82f..54fd9d17425b 100644 --- a/services/databrew/pom.xml +++ b/services/databrew/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT databrew AWS Java SDK :: Services :: Data Brew diff --git a/services/dataexchange/pom.xml b/services/dataexchange/pom.xml index e5bb63bdec7c..564535000042 100644 --- a/services/dataexchange/pom.xml +++ b/services/dataexchange/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT dataexchange AWS Java SDK :: Services :: DataExchange diff --git a/services/datapipeline/pom.xml b/services/datapipeline/pom.xml index 48dcfeb693a0..347b461cf54b 100644 --- a/services/datapipeline/pom.xml +++ b/services/datapipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT datapipeline AWS Java SDK :: Services :: AWS Data Pipeline diff --git a/services/datasync/pom.xml b/services/datasync/pom.xml index 3f6c9ff98b36..96115c67d50b 100644 --- a/services/datasync/pom.xml +++ b/services/datasync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT datasync AWS Java SDK :: Services :: DataSync diff --git a/services/datazone/pom.xml b/services/datazone/pom.xml index b27b546d6c3d..0f61afa431a8 100644 --- a/services/datazone/pom.xml +++ b/services/datazone/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT datazone AWS Java SDK :: Services :: Data Zone diff --git a/services/dax/pom.xml b/services/dax/pom.xml index b4e8dc99ebcb..a5c0f1ef0302 100644 --- a/services/dax/pom.xml +++ b/services/dax/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT dax AWS Java SDK :: Services :: Amazon DynamoDB Accelerator (DAX) diff --git a/services/deadline/pom.xml b/services/deadline/pom.xml index c8562bc84a18..616ddca9533f 100644 --- a/services/deadline/pom.xml +++ b/services/deadline/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT deadline AWS Java SDK :: Services :: Deadline diff --git a/services/detective/pom.xml b/services/detective/pom.xml index d2f833f16873..b499299c8cd6 100644 --- a/services/detective/pom.xml +++ b/services/detective/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT detective AWS Java SDK :: Services :: Detective diff --git a/services/devicefarm/pom.xml b/services/devicefarm/pom.xml index 4d8501935753..d6f6143a629c 100644 --- a/services/devicefarm/pom.xml +++ b/services/devicefarm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT devicefarm AWS Java SDK :: Services :: AWS Device Farm diff --git a/services/devopsguru/pom.xml b/services/devopsguru/pom.xml index 777b678acc96..373f7e4da516 100644 --- a/services/devopsguru/pom.xml +++ b/services/devopsguru/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT devopsguru AWS Java SDK :: Services :: Dev Ops Guru diff --git a/services/directconnect/pom.xml b/services/directconnect/pom.xml index 129e8ec67f7c..4665a1632da4 100644 --- a/services/directconnect/pom.xml +++ b/services/directconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT directconnect AWS Java SDK :: Services :: AWS Direct Connect diff --git a/services/directory/pom.xml b/services/directory/pom.xml index 165f74c63b68..780bcd0406b2 100644 --- a/services/directory/pom.xml +++ b/services/directory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT directory AWS Java SDK :: Services :: AWS Directory Service diff --git a/services/dlm/pom.xml b/services/dlm/pom.xml index a13703de9b19..fb1f21953a67 100644 --- a/services/dlm/pom.xml +++ b/services/dlm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT dlm AWS Java SDK :: Services :: DLM diff --git a/services/docdb/pom.xml b/services/docdb/pom.xml index 3cb126f065fe..4d2332ec8225 100644 --- a/services/docdb/pom.xml +++ b/services/docdb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT docdb AWS Java SDK :: Services :: DocDB diff --git a/services/docdbelastic/pom.xml b/services/docdbelastic/pom.xml index c8d32b2c70b0..a65be4432784 100644 --- a/services/docdbelastic/pom.xml +++ b/services/docdbelastic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT docdbelastic AWS Java SDK :: Services :: Doc DB Elastic diff --git a/services/drs/pom.xml b/services/drs/pom.xml index 0af34ebf6986..26c55017038a 100644 --- a/services/drs/pom.xml +++ b/services/drs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT drs AWS Java SDK :: Services :: Drs diff --git a/services/dynamodb/pom.xml b/services/dynamodb/pom.xml index c637b3236f4f..3071c4a21813 100644 --- a/services/dynamodb/pom.xml +++ b/services/dynamodb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT dynamodb AWS Java SDK :: Services :: Amazon DynamoDB diff --git a/services/ebs/pom.xml b/services/ebs/pom.xml index 6ac5b2613c85..7abf1c91f52b 100644 --- a/services/ebs/pom.xml +++ b/services/ebs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT ebs AWS Java SDK :: Services :: EBS diff --git a/services/ec2/pom.xml b/services/ec2/pom.xml index 973bc281adb5..52fde6ace8a2 100644 --- a/services/ec2/pom.xml +++ b/services/ec2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT ec2 AWS Java SDK :: Services :: Amazon EC2 diff --git a/services/ec2instanceconnect/pom.xml b/services/ec2instanceconnect/pom.xml index 013a30e4a71f..00d6339f1b9a 100644 --- a/services/ec2instanceconnect/pom.xml +++ b/services/ec2instanceconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT ec2instanceconnect AWS Java SDK :: Services :: EC2 Instance Connect diff --git a/services/ecr/pom.xml b/services/ecr/pom.xml index 6f0e097b58e5..473695a1b45a 100644 --- a/services/ecr/pom.xml +++ b/services/ecr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT ecr AWS Java SDK :: Services :: Amazon EC2 Container Registry diff --git a/services/ecrpublic/pom.xml b/services/ecrpublic/pom.xml index ba5a4c23fe44..c0d5f97178a5 100644 --- a/services/ecrpublic/pom.xml +++ b/services/ecrpublic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT ecrpublic AWS Java SDK :: Services :: ECR PUBLIC diff --git a/services/ecs/pom.xml b/services/ecs/pom.xml index 549a41187e97..072046852ea0 100644 --- a/services/ecs/pom.xml +++ b/services/ecs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT ecs AWS Java SDK :: Services :: Amazon EC2 Container Service diff --git a/services/efs/pom.xml b/services/efs/pom.xml index 5a29ab46c4a4..6ecbc2569946 100644 --- a/services/efs/pom.xml +++ b/services/efs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT efs AWS Java SDK :: Services :: Amazon Elastic File System diff --git a/services/eks/pom.xml b/services/eks/pom.xml index 8a4d43432708..947ed85a006c 100644 --- a/services/eks/pom.xml +++ b/services/eks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT eks AWS Java SDK :: Services :: EKS diff --git a/services/eksauth/pom.xml b/services/eksauth/pom.xml index fd53f998f395..6f1c9c367923 100644 --- a/services/eksauth/pom.xml +++ b/services/eksauth/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT eksauth AWS Java SDK :: Services :: EKS Auth diff --git a/services/elasticache/pom.xml b/services/elasticache/pom.xml index 6df40231fc35..a2ae76fdeea9 100644 --- a/services/elasticache/pom.xml +++ b/services/elasticache/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT elasticache AWS Java SDK :: Services :: Amazon ElastiCache diff --git a/services/elasticbeanstalk/pom.xml b/services/elasticbeanstalk/pom.xml index cfc01d3aefb7..da41b77fd28a 100644 --- a/services/elasticbeanstalk/pom.xml +++ b/services/elasticbeanstalk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT elasticbeanstalk AWS Java SDK :: Services :: AWS Elastic Beanstalk diff --git a/services/elasticinference/pom.xml b/services/elasticinference/pom.xml index 51a8a6f0988b..e3b1495aaaf1 100644 --- a/services/elasticinference/pom.xml +++ b/services/elasticinference/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT elasticinference AWS Java SDK :: Services :: Elastic Inference diff --git a/services/elasticloadbalancing/pom.xml b/services/elasticloadbalancing/pom.xml index a9814e3c4490..fee6bf8250f5 100644 --- a/services/elasticloadbalancing/pom.xml +++ b/services/elasticloadbalancing/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT elasticloadbalancing AWS Java SDK :: Services :: Elastic Load Balancing diff --git a/services/elasticloadbalancingv2/pom.xml b/services/elasticloadbalancingv2/pom.xml index ff1a5f6220c9..842b6bee8186 100644 --- a/services/elasticloadbalancingv2/pom.xml +++ b/services/elasticloadbalancingv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT elasticloadbalancingv2 AWS Java SDK :: Services :: Elastic Load Balancing V2 diff --git a/services/elasticsearch/pom.xml b/services/elasticsearch/pom.xml index c79f623eb3f7..b6335e325c7f 100644 --- a/services/elasticsearch/pom.xml +++ b/services/elasticsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT elasticsearch AWS Java SDK :: Services :: Amazon Elasticsearch Service diff --git a/services/elastictranscoder/pom.xml b/services/elastictranscoder/pom.xml index c92e76bd1e7f..57f091efd30d 100644 --- a/services/elastictranscoder/pom.xml +++ b/services/elastictranscoder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT elastictranscoder AWS Java SDK :: Services :: Amazon Elastic Transcoder diff --git a/services/emr/pom.xml b/services/emr/pom.xml index 7b05745a3c31..aaf9be2d0213 100644 --- a/services/emr/pom.xml +++ b/services/emr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT emr AWS Java SDK :: Services :: Amazon EMR diff --git a/services/emrcontainers/pom.xml b/services/emrcontainers/pom.xml index ac77705b6078..74c5a6afa937 100644 --- a/services/emrcontainers/pom.xml +++ b/services/emrcontainers/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT emrcontainers AWS Java SDK :: Services :: EMR Containers diff --git a/services/emrserverless/pom.xml b/services/emrserverless/pom.xml index 612c3ba0cc43..272b5f16bef5 100644 --- a/services/emrserverless/pom.xml +++ b/services/emrserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT emrserverless AWS Java SDK :: Services :: EMR Serverless diff --git a/services/entityresolution/pom.xml b/services/entityresolution/pom.xml index 575db7e7a550..bf50a7cf9aca 100644 --- a/services/entityresolution/pom.xml +++ b/services/entityresolution/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT entityresolution AWS Java SDK :: Services :: Entity Resolution diff --git a/services/eventbridge/pom.xml b/services/eventbridge/pom.xml index df839f529dba..6b5aca077776 100644 --- a/services/eventbridge/pom.xml +++ b/services/eventbridge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT eventbridge AWS Java SDK :: Services :: EventBridge diff --git a/services/evidently/pom.xml b/services/evidently/pom.xml index a964939e1e45..e713b3554f25 100644 --- a/services/evidently/pom.xml +++ b/services/evidently/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT evidently AWS Java SDK :: Services :: Evidently diff --git a/services/finspace/pom.xml b/services/finspace/pom.xml index 676efd607b11..08bf28e6734f 100644 --- a/services/finspace/pom.xml +++ b/services/finspace/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT finspace AWS Java SDK :: Services :: Finspace diff --git a/services/finspacedata/pom.xml b/services/finspacedata/pom.xml index 045deaaca33e..5eb488845c3f 100644 --- a/services/finspacedata/pom.xml +++ b/services/finspacedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT finspacedata AWS Java SDK :: Services :: Finspace Data diff --git a/services/firehose/pom.xml b/services/firehose/pom.xml index 99a76b4c3912..6228052841dd 100644 --- a/services/firehose/pom.xml +++ b/services/firehose/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT firehose AWS Java SDK :: Services :: Amazon Kinesis Firehose diff --git a/services/fis/pom.xml b/services/fis/pom.xml index 350c1d0857c5..e63dde2f2045 100644 --- a/services/fis/pom.xml +++ b/services/fis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT fis AWS Java SDK :: Services :: Fis diff --git a/services/fms/pom.xml b/services/fms/pom.xml index db1bf50a1236..7863406eb675 100644 --- a/services/fms/pom.xml +++ b/services/fms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT fms AWS Java SDK :: Services :: FMS diff --git a/services/forecast/pom.xml b/services/forecast/pom.xml index a1b37609e119..326fd4cb3aed 100644 --- a/services/forecast/pom.xml +++ b/services/forecast/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT forecast AWS Java SDK :: Services :: Forecast diff --git a/services/forecastquery/pom.xml b/services/forecastquery/pom.xml index d976af7ef00e..7a336c0eb57c 100644 --- a/services/forecastquery/pom.xml +++ b/services/forecastquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT forecastquery AWS Java SDK :: Services :: Forecastquery diff --git a/services/frauddetector/pom.xml b/services/frauddetector/pom.xml index 4d66d49f1738..c14199d0f5a6 100644 --- a/services/frauddetector/pom.xml +++ b/services/frauddetector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT frauddetector AWS Java SDK :: Services :: FraudDetector diff --git a/services/freetier/pom.xml b/services/freetier/pom.xml index ce792a2b5cd1..86cf2fb7bb44 100644 --- a/services/freetier/pom.xml +++ b/services/freetier/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT freetier AWS Java SDK :: Services :: Free Tier diff --git a/services/fsx/pom.xml b/services/fsx/pom.xml index b447ba3716d1..3d95f15da35a 100644 --- a/services/fsx/pom.xml +++ b/services/fsx/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT fsx AWS Java SDK :: Services :: FSx diff --git a/services/gamelift/pom.xml b/services/gamelift/pom.xml index 10d455880246..2f26a14808c4 100644 --- a/services/gamelift/pom.xml +++ b/services/gamelift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT gamelift AWS Java SDK :: Services :: AWS GameLift diff --git a/services/glacier/pom.xml b/services/glacier/pom.xml index 86ebadd884c7..a864a83963e7 100644 --- a/services/glacier/pom.xml +++ b/services/glacier/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT glacier AWS Java SDK :: Services :: Amazon Glacier diff --git a/services/globalaccelerator/pom.xml b/services/globalaccelerator/pom.xml index 979f8cfa1cc6..2a31ff18186a 100644 --- a/services/globalaccelerator/pom.xml +++ b/services/globalaccelerator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT globalaccelerator AWS Java SDK :: Services :: Global Accelerator diff --git a/services/glue/pom.xml b/services/glue/pom.xml index a149b9876add..fe1e65c9d2eb 100644 --- a/services/glue/pom.xml +++ b/services/glue/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19 + 2.27.20-SNAPSHOT 4.0.0 glue diff --git a/services/grafana/pom.xml b/services/grafana/pom.xml index af965067b663..74c74fb2a2ab 100644 --- a/services/grafana/pom.xml +++ b/services/grafana/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT grafana AWS Java SDK :: Services :: Grafana diff --git a/services/greengrass/pom.xml b/services/greengrass/pom.xml index f816d29bd9ce..130c9bf61266 100644 --- a/services/greengrass/pom.xml +++ b/services/greengrass/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT greengrass AWS Java SDK :: Services :: AWS Greengrass diff --git a/services/greengrassv2/pom.xml b/services/greengrassv2/pom.xml index 2f11ed869315..745ce3fd0b4f 100644 --- a/services/greengrassv2/pom.xml +++ b/services/greengrassv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT greengrassv2 AWS Java SDK :: Services :: Greengrass V2 diff --git a/services/groundstation/pom.xml b/services/groundstation/pom.xml index 924d739a5c5f..1a9e0d681f1e 100644 --- a/services/groundstation/pom.xml +++ b/services/groundstation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT groundstation AWS Java SDK :: Services :: GroundStation diff --git a/services/guardduty/pom.xml b/services/guardduty/pom.xml index 84f81d3c8af4..4b0d751cc210 100644 --- a/services/guardduty/pom.xml +++ b/services/guardduty/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19 + 2.27.20-SNAPSHOT 4.0.0 guardduty diff --git a/services/health/pom.xml b/services/health/pom.xml index 6c7460eb7a3b..70f173d12dcc 100644 --- a/services/health/pom.xml +++ b/services/health/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT health AWS Java SDK :: Services :: AWS Health APIs and Notifications diff --git a/services/healthlake/pom.xml b/services/healthlake/pom.xml index 0c11efb8bbc0..c135da561031 100644 --- a/services/healthlake/pom.xml +++ b/services/healthlake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT healthlake AWS Java SDK :: Services :: Health Lake diff --git a/services/iam/pom.xml b/services/iam/pom.xml index a9b593273978..eac9be93bf6d 100644 --- a/services/iam/pom.xml +++ b/services/iam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT iam AWS Java SDK :: Services :: AWS IAM diff --git a/services/identitystore/pom.xml b/services/identitystore/pom.xml index b3efdb931e95..3927cf91a6d9 100644 --- a/services/identitystore/pom.xml +++ b/services/identitystore/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT identitystore AWS Java SDK :: Services :: Identitystore diff --git a/services/imagebuilder/pom.xml b/services/imagebuilder/pom.xml index 3aad681f6b36..1d36cf401fd6 100644 --- a/services/imagebuilder/pom.xml +++ b/services/imagebuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT imagebuilder AWS Java SDK :: Services :: Imagebuilder diff --git a/services/inspector/pom.xml b/services/inspector/pom.xml index 1cfda5dae6ca..b56814dc3e97 100644 --- a/services/inspector/pom.xml +++ b/services/inspector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT inspector AWS Java SDK :: Services :: Amazon Inspector Service diff --git a/services/inspector2/pom.xml b/services/inspector2/pom.xml index 159ed196440a..ab28d0e0719c 100644 --- a/services/inspector2/pom.xml +++ b/services/inspector2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT inspector2 AWS Java SDK :: Services :: Inspector2 diff --git a/services/inspectorscan/pom.xml b/services/inspectorscan/pom.xml index a003ead58adc..f06caf768788 100644 --- a/services/inspectorscan/pom.xml +++ b/services/inspectorscan/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT inspectorscan AWS Java SDK :: Services :: Inspector Scan diff --git a/services/internetmonitor/pom.xml b/services/internetmonitor/pom.xml index b7d4378f818a..9da0bd893bb5 100644 --- a/services/internetmonitor/pom.xml +++ b/services/internetmonitor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT internetmonitor AWS Java SDK :: Services :: Internet Monitor diff --git a/services/iot/pom.xml b/services/iot/pom.xml index f53ad926c5c0..ce82ca31544f 100644 --- a/services/iot/pom.xml +++ b/services/iot/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT iot AWS Java SDK :: Services :: AWS IoT diff --git a/services/iot1clickdevices/pom.xml b/services/iot1clickdevices/pom.xml index bdddf5a6f927..7f430b3cff5b 100644 --- a/services/iot1clickdevices/pom.xml +++ b/services/iot1clickdevices/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT iot1clickdevices AWS Java SDK :: Services :: IoT 1Click Devices Service diff --git a/services/iot1clickprojects/pom.xml b/services/iot1clickprojects/pom.xml index 65164ffff7b7..8a1d8ae078a5 100644 --- a/services/iot1clickprojects/pom.xml +++ b/services/iot1clickprojects/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT iot1clickprojects AWS Java SDK :: Services :: IoT 1Click Projects diff --git a/services/iotanalytics/pom.xml b/services/iotanalytics/pom.xml index 6e3f0f650c79..82691a19fd30 100644 --- a/services/iotanalytics/pom.xml +++ b/services/iotanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT iotanalytics AWS Java SDK :: Services :: IoTAnalytics diff --git a/services/iotdataplane/pom.xml b/services/iotdataplane/pom.xml index 9e848badde84..81d5145e14a8 100644 --- a/services/iotdataplane/pom.xml +++ b/services/iotdataplane/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT iotdataplane AWS Java SDK :: Services :: AWS IoT Data Plane diff --git a/services/iotdeviceadvisor/pom.xml b/services/iotdeviceadvisor/pom.xml index fe35b00a0ee0..a8f30926ce36 100644 --- a/services/iotdeviceadvisor/pom.xml +++ b/services/iotdeviceadvisor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT iotdeviceadvisor AWS Java SDK :: Services :: Iot Device Advisor diff --git a/services/iotevents/pom.xml b/services/iotevents/pom.xml index 74dd863da128..4013168f82de 100644 --- a/services/iotevents/pom.xml +++ b/services/iotevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT iotevents AWS Java SDK :: Services :: IoT Events diff --git a/services/ioteventsdata/pom.xml b/services/ioteventsdata/pom.xml index c423646f58b7..f4ac838b65b3 100644 --- a/services/ioteventsdata/pom.xml +++ b/services/ioteventsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT ioteventsdata AWS Java SDK :: Services :: IoT Events Data diff --git a/services/iotfleethub/pom.xml b/services/iotfleethub/pom.xml index 589566d99ac6..20e6f1854f9f 100644 --- a/services/iotfleethub/pom.xml +++ b/services/iotfleethub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT iotfleethub AWS Java SDK :: Services :: Io T Fleet Hub diff --git a/services/iotfleetwise/pom.xml b/services/iotfleetwise/pom.xml index 1a9dd1966c25..0948cbc28584 100644 --- a/services/iotfleetwise/pom.xml +++ b/services/iotfleetwise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT iotfleetwise AWS Java SDK :: Services :: Io T Fleet Wise diff --git a/services/iotjobsdataplane/pom.xml b/services/iotjobsdataplane/pom.xml index 832205c173f9..338215bf0619 100644 --- a/services/iotjobsdataplane/pom.xml +++ b/services/iotjobsdataplane/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT iotjobsdataplane AWS Java SDK :: Services :: IoT Jobs Data Plane diff --git a/services/iotsecuretunneling/pom.xml b/services/iotsecuretunneling/pom.xml index 2f859dab5c16..27a72b7ea7fb 100644 --- a/services/iotsecuretunneling/pom.xml +++ b/services/iotsecuretunneling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT iotsecuretunneling AWS Java SDK :: Services :: IoTSecureTunneling diff --git a/services/iotsitewise/pom.xml b/services/iotsitewise/pom.xml index af575ff8c0f6..7a0d735523ea 100644 --- a/services/iotsitewise/pom.xml +++ b/services/iotsitewise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT iotsitewise AWS Java SDK :: Services :: Io T Site Wise diff --git a/services/iotthingsgraph/pom.xml b/services/iotthingsgraph/pom.xml index cf72c51d0e71..2db4ee118f39 100644 --- a/services/iotthingsgraph/pom.xml +++ b/services/iotthingsgraph/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT iotthingsgraph AWS Java SDK :: Services :: IoTThingsGraph diff --git a/services/iottwinmaker/pom.xml b/services/iottwinmaker/pom.xml index 37ebd0ad451f..72793a9568bd 100644 --- a/services/iottwinmaker/pom.xml +++ b/services/iottwinmaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT iottwinmaker AWS Java SDK :: Services :: Io T Twin Maker diff --git a/services/iotwireless/pom.xml b/services/iotwireless/pom.xml index da7660d17de4..dd62e3a9b218 100644 --- a/services/iotwireless/pom.xml +++ b/services/iotwireless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT iotwireless AWS Java SDK :: Services :: IoT Wireless diff --git a/services/ivs/pom.xml b/services/ivs/pom.xml index 19cc7a044520..4e93a7bbb0f5 100644 --- a/services/ivs/pom.xml +++ b/services/ivs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT ivs AWS Java SDK :: Services :: Ivs diff --git a/services/ivschat/pom.xml b/services/ivschat/pom.xml index aa2a9de719f3..a5e5d90cdde1 100644 --- a/services/ivschat/pom.xml +++ b/services/ivschat/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT ivschat AWS Java SDK :: Services :: Ivschat diff --git a/services/ivsrealtime/pom.xml b/services/ivsrealtime/pom.xml index a5920d318d1d..950617ab9433 100644 --- a/services/ivsrealtime/pom.xml +++ b/services/ivsrealtime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT ivsrealtime AWS Java SDK :: Services :: IVS Real Time diff --git a/services/kafka/pom.xml b/services/kafka/pom.xml index 764a6660628f..66c229b2a82a 100644 --- a/services/kafka/pom.xml +++ b/services/kafka/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT kafka AWS Java SDK :: Services :: Kafka diff --git a/services/kafkaconnect/pom.xml b/services/kafkaconnect/pom.xml index fd8931a64927..c96f57f9a5de 100644 --- a/services/kafkaconnect/pom.xml +++ b/services/kafkaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT kafkaconnect AWS Java SDK :: Services :: Kafka Connect diff --git a/services/kendra/pom.xml b/services/kendra/pom.xml index 395f4b54aac3..242eaf636853 100644 --- a/services/kendra/pom.xml +++ b/services/kendra/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT kendra AWS Java SDK :: Services :: Kendra diff --git a/services/kendraranking/pom.xml b/services/kendraranking/pom.xml index 223f7f426a86..246fe828d586 100644 --- a/services/kendraranking/pom.xml +++ b/services/kendraranking/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT kendraranking AWS Java SDK :: Services :: Kendra Ranking diff --git a/services/keyspaces/pom.xml b/services/keyspaces/pom.xml index 530f6b12d7f0..e930a9d913ee 100644 --- a/services/keyspaces/pom.xml +++ b/services/keyspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT keyspaces AWS Java SDK :: Services :: Keyspaces diff --git a/services/kinesis/pom.xml b/services/kinesis/pom.xml index 7da1a249eaeb..43f09711d7ec 100644 --- a/services/kinesis/pom.xml +++ b/services/kinesis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT kinesis AWS Java SDK :: Services :: Amazon Kinesis diff --git a/services/kinesisanalytics/pom.xml b/services/kinesisanalytics/pom.xml index 5fbd46146825..778c80ba7bed 100644 --- a/services/kinesisanalytics/pom.xml +++ b/services/kinesisanalytics/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT kinesisanalytics AWS Java SDK :: Services :: Amazon Kinesis Analytics diff --git a/services/kinesisanalyticsv2/pom.xml b/services/kinesisanalyticsv2/pom.xml index 32b042e944cf..071c7f32ae07 100644 --- a/services/kinesisanalyticsv2/pom.xml +++ b/services/kinesisanalyticsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT kinesisanalyticsv2 AWS Java SDK :: Services :: Kinesis Analytics V2 diff --git a/services/kinesisvideo/pom.xml b/services/kinesisvideo/pom.xml index cfa2cea6d15e..c296cffa7d83 100644 --- a/services/kinesisvideo/pom.xml +++ b/services/kinesisvideo/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19 + 2.27.20-SNAPSHOT 4.0.0 kinesisvideo diff --git a/services/kinesisvideoarchivedmedia/pom.xml b/services/kinesisvideoarchivedmedia/pom.xml index ecfacb4fefbf..c7e211ed639a 100644 --- a/services/kinesisvideoarchivedmedia/pom.xml +++ b/services/kinesisvideoarchivedmedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT kinesisvideoarchivedmedia AWS Java SDK :: Services :: Kinesis Video Archived Media diff --git a/services/kinesisvideomedia/pom.xml b/services/kinesisvideomedia/pom.xml index a4a0ca5b4da5..461b689fbdce 100644 --- a/services/kinesisvideomedia/pom.xml +++ b/services/kinesisvideomedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT kinesisvideomedia AWS Java SDK :: Services :: Kinesis Video Media diff --git a/services/kinesisvideosignaling/pom.xml b/services/kinesisvideosignaling/pom.xml index f27b04204031..03009278e840 100644 --- a/services/kinesisvideosignaling/pom.xml +++ b/services/kinesisvideosignaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT kinesisvideosignaling AWS Java SDK :: Services :: Kinesis Video Signaling diff --git a/services/kinesisvideowebrtcstorage/pom.xml b/services/kinesisvideowebrtcstorage/pom.xml index e245507eb12d..008a7eca22d3 100644 --- a/services/kinesisvideowebrtcstorage/pom.xml +++ b/services/kinesisvideowebrtcstorage/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT kinesisvideowebrtcstorage AWS Java SDK :: Services :: Kinesis Video Web RTC Storage diff --git a/services/kms/pom.xml b/services/kms/pom.xml index 45ff2ab03050..88d51e5c0133 100644 --- a/services/kms/pom.xml +++ b/services/kms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT kms AWS Java SDK :: Services :: AWS KMS diff --git a/services/lakeformation/pom.xml b/services/lakeformation/pom.xml index 01e109d89d42..2a05aea58845 100644 --- a/services/lakeformation/pom.xml +++ b/services/lakeformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT lakeformation AWS Java SDK :: Services :: LakeFormation diff --git a/services/lambda/pom.xml b/services/lambda/pom.xml index aa51e51c1378..512e67365ad4 100644 --- a/services/lambda/pom.xml +++ b/services/lambda/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT lambda AWS Java SDK :: Services :: AWS Lambda diff --git a/services/launchwizard/pom.xml b/services/launchwizard/pom.xml index 698ea9c9087c..c1a98552456c 100644 --- a/services/launchwizard/pom.xml +++ b/services/launchwizard/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT launchwizard AWS Java SDK :: Services :: Launch Wizard diff --git a/services/lexmodelbuilding/pom.xml b/services/lexmodelbuilding/pom.xml index 4be3e311f866..0678ec2d5b4c 100644 --- a/services/lexmodelbuilding/pom.xml +++ b/services/lexmodelbuilding/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT lexmodelbuilding AWS Java SDK :: Services :: Amazon Lex Model Building diff --git a/services/lexmodelsv2/pom.xml b/services/lexmodelsv2/pom.xml index 0020b34fa3c0..854c01993a74 100644 --- a/services/lexmodelsv2/pom.xml +++ b/services/lexmodelsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT lexmodelsv2 AWS Java SDK :: Services :: Lex Models V2 diff --git a/services/lexruntime/pom.xml b/services/lexruntime/pom.xml index ab376a163ec0..fec876bb2b79 100644 --- a/services/lexruntime/pom.xml +++ b/services/lexruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT lexruntime AWS Java SDK :: Services :: Amazon Lex Runtime diff --git a/services/lexruntimev2/pom.xml b/services/lexruntimev2/pom.xml index 44053ed533d1..5b73e68a4564 100644 --- a/services/lexruntimev2/pom.xml +++ b/services/lexruntimev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT lexruntimev2 AWS Java SDK :: Services :: Lex Runtime V2 diff --git a/services/licensemanager/pom.xml b/services/licensemanager/pom.xml index 816ae5c95f06..939976e17cbc 100644 --- a/services/licensemanager/pom.xml +++ b/services/licensemanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT licensemanager AWS Java SDK :: Services :: License Manager diff --git a/services/licensemanagerlinuxsubscriptions/pom.xml b/services/licensemanagerlinuxsubscriptions/pom.xml index 4f86f5c2d495..5277c0f743e5 100644 --- a/services/licensemanagerlinuxsubscriptions/pom.xml +++ b/services/licensemanagerlinuxsubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT licensemanagerlinuxsubscriptions AWS Java SDK :: Services :: License Manager Linux Subscriptions diff --git a/services/licensemanagerusersubscriptions/pom.xml b/services/licensemanagerusersubscriptions/pom.xml index 9cec150dff9c..79218178d07c 100644 --- a/services/licensemanagerusersubscriptions/pom.xml +++ b/services/licensemanagerusersubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT licensemanagerusersubscriptions AWS Java SDK :: Services :: License Manager User Subscriptions diff --git a/services/lightsail/pom.xml b/services/lightsail/pom.xml index 22edc406c986..c0bf8ac92108 100644 --- a/services/lightsail/pom.xml +++ b/services/lightsail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT lightsail AWS Java SDK :: Services :: Amazon Lightsail diff --git a/services/location/pom.xml b/services/location/pom.xml index 4e5f89fcfc43..9b1e5489bc0d 100644 --- a/services/location/pom.xml +++ b/services/location/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT location AWS Java SDK :: Services :: Location diff --git a/services/lookoutequipment/pom.xml b/services/lookoutequipment/pom.xml index 79f2165055d6..90c41bc638de 100644 --- a/services/lookoutequipment/pom.xml +++ b/services/lookoutequipment/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT lookoutequipment AWS Java SDK :: Services :: Lookout Equipment diff --git a/services/lookoutmetrics/pom.xml b/services/lookoutmetrics/pom.xml index 7d1b827f967d..874bf6bfa625 100644 --- a/services/lookoutmetrics/pom.xml +++ b/services/lookoutmetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT lookoutmetrics AWS Java SDK :: Services :: Lookout Metrics diff --git a/services/lookoutvision/pom.xml b/services/lookoutvision/pom.xml index 0bbb48d8e84f..0e56b285f51b 100644 --- a/services/lookoutvision/pom.xml +++ b/services/lookoutvision/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT lookoutvision AWS Java SDK :: Services :: Lookout Vision diff --git a/services/m2/pom.xml b/services/m2/pom.xml index 8946b28620f1..fb6023b54b16 100644 --- a/services/m2/pom.xml +++ b/services/m2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT m2 AWS Java SDK :: Services :: M2 diff --git a/services/machinelearning/pom.xml b/services/machinelearning/pom.xml index d38a73c1c726..6c3257af3b10 100644 --- a/services/machinelearning/pom.xml +++ b/services/machinelearning/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT machinelearning AWS Java SDK :: Services :: Amazon Machine Learning diff --git a/services/macie2/pom.xml b/services/macie2/pom.xml index 389687929876..969783510acf 100644 --- a/services/macie2/pom.xml +++ b/services/macie2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT macie2 AWS Java SDK :: Services :: Macie2 diff --git a/services/mailmanager/pom.xml b/services/mailmanager/pom.xml index 5d1532a93d2e..8e8551b71ccb 100644 --- a/services/mailmanager/pom.xml +++ b/services/mailmanager/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT mailmanager AWS Java SDK :: Services :: Mail Manager diff --git a/services/managedblockchain/pom.xml b/services/managedblockchain/pom.xml index 4cf4ff0b502f..9a2492375705 100644 --- a/services/managedblockchain/pom.xml +++ b/services/managedblockchain/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT managedblockchain AWS Java SDK :: Services :: ManagedBlockchain diff --git a/services/managedblockchainquery/pom.xml b/services/managedblockchainquery/pom.xml index 253fdbba3cd3..eae00c88ee7d 100644 --- a/services/managedblockchainquery/pom.xml +++ b/services/managedblockchainquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT managedblockchainquery AWS Java SDK :: Services :: Managed Blockchain Query diff --git a/services/marketplaceagreement/pom.xml b/services/marketplaceagreement/pom.xml index 755ce3b34358..e718361ac516 100644 --- a/services/marketplaceagreement/pom.xml +++ b/services/marketplaceagreement/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT marketplaceagreement AWS Java SDK :: Services :: Marketplace Agreement diff --git a/services/marketplacecatalog/pom.xml b/services/marketplacecatalog/pom.xml index 3873c2529a53..38f1004af733 100644 --- a/services/marketplacecatalog/pom.xml +++ b/services/marketplacecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT marketplacecatalog AWS Java SDK :: Services :: Marketplace Catalog diff --git a/services/marketplacecommerceanalytics/pom.xml b/services/marketplacecommerceanalytics/pom.xml index 2f6bfe7b1b2d..4f2bc948cef6 100644 --- a/services/marketplacecommerceanalytics/pom.xml +++ b/services/marketplacecommerceanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT marketplacecommerceanalytics AWS Java SDK :: Services :: AWS Marketplace Commerce Analytics diff --git a/services/marketplacedeployment/pom.xml b/services/marketplacedeployment/pom.xml index 7f9955151b0c..38a39c33f2e3 100644 --- a/services/marketplacedeployment/pom.xml +++ b/services/marketplacedeployment/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT marketplacedeployment AWS Java SDK :: Services :: Marketplace Deployment diff --git a/services/marketplaceentitlement/pom.xml b/services/marketplaceentitlement/pom.xml index a48f5670e9b6..96dec2258a5f 100644 --- a/services/marketplaceentitlement/pom.xml +++ b/services/marketplaceentitlement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT marketplaceentitlement AWS Java SDK :: Services :: AWS Marketplace Entitlement diff --git a/services/marketplacemetering/pom.xml b/services/marketplacemetering/pom.xml index 7a7bb368cb8b..bb8cd2047b54 100644 --- a/services/marketplacemetering/pom.xml +++ b/services/marketplacemetering/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT marketplacemetering AWS Java SDK :: Services :: AWS Marketplace Metering Service diff --git a/services/mediaconnect/pom.xml b/services/mediaconnect/pom.xml index b6a7b54916d0..e377d9d05653 100644 --- a/services/mediaconnect/pom.xml +++ b/services/mediaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT mediaconnect AWS Java SDK :: Services :: MediaConnect diff --git a/services/mediaconvert/pom.xml b/services/mediaconvert/pom.xml index 39b5ece2416a..bcfd15f4d163 100644 --- a/services/mediaconvert/pom.xml +++ b/services/mediaconvert/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19 + 2.27.20-SNAPSHOT 4.0.0 mediaconvert diff --git a/services/medialive/pom.xml b/services/medialive/pom.xml index e1942a242d86..a4ba7ec7f1a2 100644 --- a/services/medialive/pom.xml +++ b/services/medialive/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19 + 2.27.20-SNAPSHOT 4.0.0 medialive diff --git a/services/mediapackage/pom.xml b/services/mediapackage/pom.xml index 4d9af4a4a03e..aa9f87a08b50 100644 --- a/services/mediapackage/pom.xml +++ b/services/mediapackage/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19 + 2.27.20-SNAPSHOT 4.0.0 mediapackage diff --git a/services/mediapackagev2/pom.xml b/services/mediapackagev2/pom.xml index fbbcce1c1e55..0d73bfe22ede 100644 --- a/services/mediapackagev2/pom.xml +++ b/services/mediapackagev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT mediapackagev2 AWS Java SDK :: Services :: Media Package V2 diff --git a/services/mediapackagevod/pom.xml b/services/mediapackagevod/pom.xml index 2032b0953645..efa568a0151d 100644 --- a/services/mediapackagevod/pom.xml +++ b/services/mediapackagevod/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT mediapackagevod AWS Java SDK :: Services :: MediaPackage Vod diff --git a/services/mediastore/pom.xml b/services/mediastore/pom.xml index 0b4365449d8f..956f735cf061 100644 --- a/services/mediastore/pom.xml +++ b/services/mediastore/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19 + 2.27.20-SNAPSHOT 4.0.0 mediastore diff --git a/services/mediastoredata/pom.xml b/services/mediastoredata/pom.xml index 8d9b2b834099..a4068c73dac8 100644 --- a/services/mediastoredata/pom.xml +++ b/services/mediastoredata/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19 + 2.27.20-SNAPSHOT 4.0.0 mediastoredata diff --git a/services/mediatailor/pom.xml b/services/mediatailor/pom.xml index 0e14e41b244c..e381caf68601 100644 --- a/services/mediatailor/pom.xml +++ b/services/mediatailor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT mediatailor AWS Java SDK :: Services :: MediaTailor diff --git a/services/medicalimaging/pom.xml b/services/medicalimaging/pom.xml index 66718e842ea3..b535fd7e4af0 100644 --- a/services/medicalimaging/pom.xml +++ b/services/medicalimaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT medicalimaging AWS Java SDK :: Services :: Medical Imaging diff --git a/services/memorydb/pom.xml b/services/memorydb/pom.xml index d6d5787a3c4b..ea3a1280938b 100644 --- a/services/memorydb/pom.xml +++ b/services/memorydb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT memorydb AWS Java SDK :: Services :: Memory DB diff --git a/services/mgn/pom.xml b/services/mgn/pom.xml index b2c538de77f7..299e37b88753 100644 --- a/services/mgn/pom.xml +++ b/services/mgn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT mgn AWS Java SDK :: Services :: Mgn diff --git a/services/migrationhub/pom.xml b/services/migrationhub/pom.xml index 880e7a37e58f..b31989837a45 100644 --- a/services/migrationhub/pom.xml +++ b/services/migrationhub/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19 + 2.27.20-SNAPSHOT 4.0.0 migrationhub diff --git a/services/migrationhubconfig/pom.xml b/services/migrationhubconfig/pom.xml index 57b61934da39..2e6d13085100 100644 --- a/services/migrationhubconfig/pom.xml +++ b/services/migrationhubconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT migrationhubconfig AWS Java SDK :: Services :: MigrationHub Config diff --git a/services/migrationhuborchestrator/pom.xml b/services/migrationhuborchestrator/pom.xml index 074928942893..e3fb8fa1be94 100644 --- a/services/migrationhuborchestrator/pom.xml +++ b/services/migrationhuborchestrator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT migrationhuborchestrator AWS Java SDK :: Services :: Migration Hub Orchestrator diff --git a/services/migrationhubrefactorspaces/pom.xml b/services/migrationhubrefactorspaces/pom.xml index d5bc7c37b91d..a1bb0222e681 100644 --- a/services/migrationhubrefactorspaces/pom.xml +++ b/services/migrationhubrefactorspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT migrationhubrefactorspaces AWS Java SDK :: Services :: Migration Hub Refactor Spaces diff --git a/services/migrationhubstrategy/pom.xml b/services/migrationhubstrategy/pom.xml index aa50ddf81a2a..2748e6e53041 100644 --- a/services/migrationhubstrategy/pom.xml +++ b/services/migrationhubstrategy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT migrationhubstrategy AWS Java SDK :: Services :: Migration Hub Strategy diff --git a/services/mq/pom.xml b/services/mq/pom.xml index 7749d160a22f..65af1f092701 100644 --- a/services/mq/pom.xml +++ b/services/mq/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19 + 2.27.20-SNAPSHOT 4.0.0 mq diff --git a/services/mturk/pom.xml b/services/mturk/pom.xml index baea3e6e0560..205643ebb3fd 100644 --- a/services/mturk/pom.xml +++ b/services/mturk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT mturk AWS Java SDK :: Services :: Amazon Mechanical Turk Requester diff --git a/services/mwaa/pom.xml b/services/mwaa/pom.xml index 0d0de2a21dc9..d450166fc932 100644 --- a/services/mwaa/pom.xml +++ b/services/mwaa/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT mwaa AWS Java SDK :: Services :: MWAA diff --git a/services/neptune/pom.xml b/services/neptune/pom.xml index 37e224e21ea8..badc087613d4 100644 --- a/services/neptune/pom.xml +++ b/services/neptune/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT neptune AWS Java SDK :: Services :: Neptune diff --git a/services/neptunedata/pom.xml b/services/neptunedata/pom.xml index afe80ca884bb..4c848d7abc7c 100644 --- a/services/neptunedata/pom.xml +++ b/services/neptunedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT neptunedata AWS Java SDK :: Services :: Neptunedata diff --git a/services/neptunegraph/pom.xml b/services/neptunegraph/pom.xml index 415f8299199a..74618c4acf2c 100644 --- a/services/neptunegraph/pom.xml +++ b/services/neptunegraph/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT neptunegraph AWS Java SDK :: Services :: Neptune Graph diff --git a/services/networkfirewall/pom.xml b/services/networkfirewall/pom.xml index 420b9d0db642..d87fb7b9fcf3 100644 --- a/services/networkfirewall/pom.xml +++ b/services/networkfirewall/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT networkfirewall AWS Java SDK :: Services :: Network Firewall diff --git a/services/networkmanager/pom.xml b/services/networkmanager/pom.xml index 1c81ad8cd0bf..73ced6d04da3 100644 --- a/services/networkmanager/pom.xml +++ b/services/networkmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT networkmanager AWS Java SDK :: Services :: NetworkManager diff --git a/services/networkmonitor/pom.xml b/services/networkmonitor/pom.xml index 4f75e257c405..c5d110eb067f 100644 --- a/services/networkmonitor/pom.xml +++ b/services/networkmonitor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT networkmonitor AWS Java SDK :: Services :: Network Monitor diff --git a/services/nimble/pom.xml b/services/nimble/pom.xml index 75d7461fe4b6..3ece4d73eecc 100644 --- a/services/nimble/pom.xml +++ b/services/nimble/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT nimble AWS Java SDK :: Services :: Nimble diff --git a/services/oam/pom.xml b/services/oam/pom.xml index 589707d9a3af..c626a5d49010 100644 --- a/services/oam/pom.xml +++ b/services/oam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT oam AWS Java SDK :: Services :: OAM diff --git a/services/omics/pom.xml b/services/omics/pom.xml index 6292618b1d55..854de22bb029 100644 --- a/services/omics/pom.xml +++ b/services/omics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT omics AWS Java SDK :: Services :: Omics diff --git a/services/opensearch/pom.xml b/services/opensearch/pom.xml index 3132e9bdfa17..f75495321994 100644 --- a/services/opensearch/pom.xml +++ b/services/opensearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT opensearch AWS Java SDK :: Services :: Open Search diff --git a/services/opensearchserverless/pom.xml b/services/opensearchserverless/pom.xml index 1f0e36781232..b0325790ee05 100644 --- a/services/opensearchserverless/pom.xml +++ b/services/opensearchserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT opensearchserverless AWS Java SDK :: Services :: Open Search Serverless diff --git a/services/opsworks/pom.xml b/services/opsworks/pom.xml index 061de8f52f39..b1b5f924b0d8 100644 --- a/services/opsworks/pom.xml +++ b/services/opsworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT opsworks AWS Java SDK :: Services :: AWS OpsWorks diff --git a/services/opsworkscm/pom.xml b/services/opsworkscm/pom.xml index 5d22da8fcce1..e3b4418cad8e 100644 --- a/services/opsworkscm/pom.xml +++ b/services/opsworkscm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT opsworkscm AWS Java SDK :: Services :: AWS OpsWorks for Chef Automate diff --git a/services/organizations/pom.xml b/services/organizations/pom.xml index ba5f6f8fdbdc..2baed407db0b 100644 --- a/services/organizations/pom.xml +++ b/services/organizations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT organizations AWS Java SDK :: Services :: AWS Organizations diff --git a/services/osis/pom.xml b/services/osis/pom.xml index 4022ae681c06..c29c60027037 100644 --- a/services/osis/pom.xml +++ b/services/osis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT osis AWS Java SDK :: Services :: OSIS diff --git a/services/outposts/pom.xml b/services/outposts/pom.xml index 55eab782915e..d4f8010498ca 100644 --- a/services/outposts/pom.xml +++ b/services/outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT outposts AWS Java SDK :: Services :: Outposts diff --git a/services/panorama/pom.xml b/services/panorama/pom.xml index 79039397365e..aa192ef0f373 100644 --- a/services/panorama/pom.xml +++ b/services/panorama/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT panorama AWS Java SDK :: Services :: Panorama diff --git a/services/paymentcryptography/pom.xml b/services/paymentcryptography/pom.xml index 8da18d9d3705..ef0ee2080781 100644 --- a/services/paymentcryptography/pom.xml +++ b/services/paymentcryptography/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT paymentcryptography AWS Java SDK :: Services :: Payment Cryptography diff --git a/services/paymentcryptographydata/pom.xml b/services/paymentcryptographydata/pom.xml index 2da5e6440a13..2f7d0caee45b 100644 --- a/services/paymentcryptographydata/pom.xml +++ b/services/paymentcryptographydata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT paymentcryptographydata AWS Java SDK :: Services :: Payment Cryptography Data diff --git a/services/pcaconnectorad/pom.xml b/services/pcaconnectorad/pom.xml index 390eb4e31674..a7f4ef030b82 100644 --- a/services/pcaconnectorad/pom.xml +++ b/services/pcaconnectorad/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT pcaconnectorad AWS Java SDK :: Services :: Pca Connector Ad diff --git a/services/pcaconnectorscep/pom.xml b/services/pcaconnectorscep/pom.xml index c2ceb3fd775c..04fae601c053 100644 --- a/services/pcaconnectorscep/pom.xml +++ b/services/pcaconnectorscep/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT pcaconnectorscep AWS Java SDK :: Services :: Pca Connector Scep diff --git a/services/pcs/pom.xml b/services/pcs/pom.xml index 157b62bd5bad..e7857cc95339 100644 --- a/services/pcs/pom.xml +++ b/services/pcs/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT pcs AWS Java SDK :: Services :: PCS diff --git a/services/personalize/pom.xml b/services/personalize/pom.xml index 1d88df8b10b4..b9a981ccbe93 100644 --- a/services/personalize/pom.xml +++ b/services/personalize/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT personalize AWS Java SDK :: Services :: Personalize diff --git a/services/personalizeevents/pom.xml b/services/personalizeevents/pom.xml index a6f225fc73e6..1f2bb78349e8 100644 --- a/services/personalizeevents/pom.xml +++ b/services/personalizeevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT personalizeevents AWS Java SDK :: Services :: Personalize Events diff --git a/services/personalizeruntime/pom.xml b/services/personalizeruntime/pom.xml index 5f9f6aa9bbfe..5b55883e4c07 100644 --- a/services/personalizeruntime/pom.xml +++ b/services/personalizeruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT personalizeruntime AWS Java SDK :: Services :: Personalize Runtime diff --git a/services/pi/pom.xml b/services/pi/pom.xml index bbdc3592df0f..8ddf5ac4b869 100644 --- a/services/pi/pom.xml +++ b/services/pi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT pi AWS Java SDK :: Services :: PI diff --git a/services/pinpoint/pom.xml b/services/pinpoint/pom.xml index 3c80f13b964d..75800b13c2d9 100644 --- a/services/pinpoint/pom.xml +++ b/services/pinpoint/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT pinpoint AWS Java SDK :: Services :: Amazon Pinpoint diff --git a/services/pinpointemail/pom.xml b/services/pinpointemail/pom.xml index b9f1853a20c8..03b12618e6bb 100644 --- a/services/pinpointemail/pom.xml +++ b/services/pinpointemail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT pinpointemail AWS Java SDK :: Services :: Pinpoint Email diff --git a/services/pinpointsmsvoice/pom.xml b/services/pinpointsmsvoice/pom.xml index 383e9e5474fe..95146ce19423 100644 --- a/services/pinpointsmsvoice/pom.xml +++ b/services/pinpointsmsvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT pinpointsmsvoice AWS Java SDK :: Services :: Pinpoint SMS Voice diff --git a/services/pinpointsmsvoicev2/pom.xml b/services/pinpointsmsvoicev2/pom.xml index 566b6ef2a8d4..781bf70a2ca8 100644 --- a/services/pinpointsmsvoicev2/pom.xml +++ b/services/pinpointsmsvoicev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT pinpointsmsvoicev2 AWS Java SDK :: Services :: Pinpoint SMS Voice V2 diff --git a/services/pipes/pom.xml b/services/pipes/pom.xml index 75dbc74f8381..3352c36cef93 100644 --- a/services/pipes/pom.xml +++ b/services/pipes/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT pipes AWS Java SDK :: Services :: Pipes diff --git a/services/polly/pom.xml b/services/polly/pom.xml index e902147ec11d..cb79f2596f0c 100644 --- a/services/polly/pom.xml +++ b/services/polly/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT polly AWS Java SDK :: Services :: Amazon Polly diff --git a/services/pom.xml b/services/pom.xml index b5814056670f..542c793d9c52 100644 --- a/services/pom.xml +++ b/services/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.19 + 2.27.20-SNAPSHOT services AWS Java SDK :: Services diff --git a/services/pricing/pom.xml b/services/pricing/pom.xml index 6acc93ed5123..2341d152035c 100644 --- a/services/pricing/pom.xml +++ b/services/pricing/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19 + 2.27.20-SNAPSHOT 4.0.0 pricing diff --git a/services/privatenetworks/pom.xml b/services/privatenetworks/pom.xml index f9bf6fea208b..be3a565e1772 100644 --- a/services/privatenetworks/pom.xml +++ b/services/privatenetworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT privatenetworks AWS Java SDK :: Services :: Private Networks diff --git a/services/proton/pom.xml b/services/proton/pom.xml index ab936c74185e..a3f26adcbbbb 100644 --- a/services/proton/pom.xml +++ b/services/proton/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT proton AWS Java SDK :: Services :: Proton diff --git a/services/qapps/pom.xml b/services/qapps/pom.xml index b4ab7ab576e0..bc8d04764ab9 100644 --- a/services/qapps/pom.xml +++ b/services/qapps/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT qapps AWS Java SDK :: Services :: Q Apps diff --git a/services/qbusiness/pom.xml b/services/qbusiness/pom.xml index b7a2ee29e677..5df762a31949 100644 --- a/services/qbusiness/pom.xml +++ b/services/qbusiness/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT qbusiness AWS Java SDK :: Services :: Q Business diff --git a/services/qconnect/pom.xml b/services/qconnect/pom.xml index c3773ea52f1b..fb1bcfeddde2 100644 --- a/services/qconnect/pom.xml +++ b/services/qconnect/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT qconnect AWS Java SDK :: Services :: Q Connect diff --git a/services/qldb/pom.xml b/services/qldb/pom.xml index 354bee1488d5..1a0869379492 100644 --- a/services/qldb/pom.xml +++ b/services/qldb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT qldb AWS Java SDK :: Services :: QLDB diff --git a/services/qldbsession/pom.xml b/services/qldbsession/pom.xml index 99e3d3dbfa69..04b2f098bc07 100644 --- a/services/qldbsession/pom.xml +++ b/services/qldbsession/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT qldbsession AWS Java SDK :: Services :: QLDB Session diff --git a/services/quicksight/pom.xml b/services/quicksight/pom.xml index 97117a4e702a..42316f8e307d 100644 --- a/services/quicksight/pom.xml +++ b/services/quicksight/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT quicksight AWS Java SDK :: Services :: QuickSight diff --git a/services/ram/pom.xml b/services/ram/pom.xml index 75632e33bc56..821f82cef841 100644 --- a/services/ram/pom.xml +++ b/services/ram/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT ram AWS Java SDK :: Services :: RAM diff --git a/services/rbin/pom.xml b/services/rbin/pom.xml index 643cbf8e01be..1d2e3dfd3632 100644 --- a/services/rbin/pom.xml +++ b/services/rbin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT rbin AWS Java SDK :: Services :: Rbin diff --git a/services/rds/pom.xml b/services/rds/pom.xml index d01bd7134267..9ff43aa417db 100644 --- a/services/rds/pom.xml +++ b/services/rds/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT rds AWS Java SDK :: Services :: Amazon RDS diff --git a/services/rdsdata/pom.xml b/services/rdsdata/pom.xml index de1604460c81..012a70601bd0 100644 --- a/services/rdsdata/pom.xml +++ b/services/rdsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT rdsdata AWS Java SDK :: Services :: RDS Data diff --git a/services/redshift/pom.xml b/services/redshift/pom.xml index ef6e43668fd3..fa92a92fb2d8 100644 --- a/services/redshift/pom.xml +++ b/services/redshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT redshift AWS Java SDK :: Services :: Amazon Redshift diff --git a/services/redshiftdata/pom.xml b/services/redshiftdata/pom.xml index fede24c10219..af02daa65e8f 100644 --- a/services/redshiftdata/pom.xml +++ b/services/redshiftdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT redshiftdata AWS Java SDK :: Services :: Redshift Data diff --git a/services/redshiftserverless/pom.xml b/services/redshiftserverless/pom.xml index 7f2b55adf2f9..aa016961ffed 100644 --- a/services/redshiftserverless/pom.xml +++ b/services/redshiftserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT redshiftserverless AWS Java SDK :: Services :: Redshift Serverless diff --git a/services/rekognition/pom.xml b/services/rekognition/pom.xml index cd7137712340..a005f6eac621 100644 --- a/services/rekognition/pom.xml +++ b/services/rekognition/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT rekognition AWS Java SDK :: Services :: Amazon Rekognition diff --git a/services/repostspace/pom.xml b/services/repostspace/pom.xml index 728736a130c4..56e464c32815 100644 --- a/services/repostspace/pom.xml +++ b/services/repostspace/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT repostspace AWS Java SDK :: Services :: Repostspace diff --git a/services/resiliencehub/pom.xml b/services/resiliencehub/pom.xml index 7e90db9574a8..3e3f6fbe2cf6 100644 --- a/services/resiliencehub/pom.xml +++ b/services/resiliencehub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT resiliencehub AWS Java SDK :: Services :: Resiliencehub diff --git a/services/resourceexplorer2/pom.xml b/services/resourceexplorer2/pom.xml index 575e6865cb84..0619e5a64e2e 100644 --- a/services/resourceexplorer2/pom.xml +++ b/services/resourceexplorer2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT resourceexplorer2 AWS Java SDK :: Services :: Resource Explorer 2 diff --git a/services/resourcegroups/pom.xml b/services/resourcegroups/pom.xml index d0af9acdac31..10f72b4c5624 100644 --- a/services/resourcegroups/pom.xml +++ b/services/resourcegroups/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19 + 2.27.20-SNAPSHOT 4.0.0 resourcegroups diff --git a/services/resourcegroupstaggingapi/pom.xml b/services/resourcegroupstaggingapi/pom.xml index 494f7b68e9b1..d2784184cef6 100644 --- a/services/resourcegroupstaggingapi/pom.xml +++ b/services/resourcegroupstaggingapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT resourcegroupstaggingapi AWS Java SDK :: Services :: AWS Resource Groups Tagging API diff --git a/services/robomaker/pom.xml b/services/robomaker/pom.xml index 44b669800984..2f222267c43d 100644 --- a/services/robomaker/pom.xml +++ b/services/robomaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT robomaker AWS Java SDK :: Services :: RoboMaker diff --git a/services/rolesanywhere/pom.xml b/services/rolesanywhere/pom.xml index 47455e1e3c7f..27830c41c814 100644 --- a/services/rolesanywhere/pom.xml +++ b/services/rolesanywhere/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT rolesanywhere AWS Java SDK :: Services :: Roles Anywhere diff --git a/services/route53/pom.xml b/services/route53/pom.xml index 4fc4150d7a36..8236a078d309 100644 --- a/services/route53/pom.xml +++ b/services/route53/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT route53 AWS Java SDK :: Services :: Amazon Route53 diff --git a/services/route53domains/pom.xml b/services/route53domains/pom.xml index ae65336bc1d9..80e7056d0eb6 100644 --- a/services/route53domains/pom.xml +++ b/services/route53domains/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT route53domains AWS Java SDK :: Services :: Amazon Route53 Domains diff --git a/services/route53profiles/pom.xml b/services/route53profiles/pom.xml index cbd37d778bed..4f14f5de02c9 100644 --- a/services/route53profiles/pom.xml +++ b/services/route53profiles/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT route53profiles AWS Java SDK :: Services :: Route53 Profiles diff --git a/services/route53recoverycluster/pom.xml b/services/route53recoverycluster/pom.xml index b9e1333f6bdc..b1ed0aeeacd0 100644 --- a/services/route53recoverycluster/pom.xml +++ b/services/route53recoverycluster/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT route53recoverycluster AWS Java SDK :: Services :: Route53 Recovery Cluster diff --git a/services/route53recoverycontrolconfig/pom.xml b/services/route53recoverycontrolconfig/pom.xml index 6a8f925a2784..c079ae186cc2 100644 --- a/services/route53recoverycontrolconfig/pom.xml +++ b/services/route53recoverycontrolconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT route53recoverycontrolconfig AWS Java SDK :: Services :: Route53 Recovery Control Config diff --git a/services/route53recoveryreadiness/pom.xml b/services/route53recoveryreadiness/pom.xml index f7d2e0876574..3d431f061274 100644 --- a/services/route53recoveryreadiness/pom.xml +++ b/services/route53recoveryreadiness/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT route53recoveryreadiness AWS Java SDK :: Services :: Route53 Recovery Readiness diff --git a/services/route53resolver/pom.xml b/services/route53resolver/pom.xml index 79698ebbf3dc..c453a554206c 100644 --- a/services/route53resolver/pom.xml +++ b/services/route53resolver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT route53resolver AWS Java SDK :: Services :: Route53Resolver diff --git a/services/rum/pom.xml b/services/rum/pom.xml index 5b11f22ccc4d..8695b5eadc5f 100644 --- a/services/rum/pom.xml +++ b/services/rum/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT rum AWS Java SDK :: Services :: RUM diff --git a/services/s3/pom.xml b/services/s3/pom.xml index e2029ab1575d..5de879accc34 100644 --- a/services/s3/pom.xml +++ b/services/s3/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT s3 AWS Java SDK :: Services :: Amazon S3 diff --git a/services/s3control/pom.xml b/services/s3control/pom.xml index c79d03b29292..6f7b0f235eeb 100644 --- a/services/s3control/pom.xml +++ b/services/s3control/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT s3control AWS Java SDK :: Services :: Amazon S3 Control diff --git a/services/s3outposts/pom.xml b/services/s3outposts/pom.xml index 4cd62066b436..2dcd4cec3c5a 100644 --- a/services/s3outposts/pom.xml +++ b/services/s3outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT s3outposts AWS Java SDK :: Services :: S3 Outposts diff --git a/services/sagemaker/pom.xml b/services/sagemaker/pom.xml index 64a26e2496fb..5bf1e330b6a3 100644 --- a/services/sagemaker/pom.xml +++ b/services/sagemaker/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19 + 2.27.20-SNAPSHOT 4.0.0 sagemaker diff --git a/services/sagemakera2iruntime/pom.xml b/services/sagemakera2iruntime/pom.xml index fed16055fb3a..29350caba467 100644 --- a/services/sagemakera2iruntime/pom.xml +++ b/services/sagemakera2iruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT sagemakera2iruntime AWS Java SDK :: Services :: SageMaker A2I Runtime diff --git a/services/sagemakeredge/pom.xml b/services/sagemakeredge/pom.xml index 6af7d02979ba..8ce5bad21c9c 100644 --- a/services/sagemakeredge/pom.xml +++ b/services/sagemakeredge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT sagemakeredge AWS Java SDK :: Services :: Sagemaker Edge diff --git a/services/sagemakerfeaturestoreruntime/pom.xml b/services/sagemakerfeaturestoreruntime/pom.xml index ae6eca182e27..c744be54739b 100644 --- a/services/sagemakerfeaturestoreruntime/pom.xml +++ b/services/sagemakerfeaturestoreruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT sagemakerfeaturestoreruntime AWS Java SDK :: Services :: Sage Maker Feature Store Runtime diff --git a/services/sagemakergeospatial/pom.xml b/services/sagemakergeospatial/pom.xml index 294a0926a3c5..528d692a97ac 100644 --- a/services/sagemakergeospatial/pom.xml +++ b/services/sagemakergeospatial/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT sagemakergeospatial AWS Java SDK :: Services :: Sage Maker Geospatial diff --git a/services/sagemakermetrics/pom.xml b/services/sagemakermetrics/pom.xml index 6080561070cc..8c4268874477 100644 --- a/services/sagemakermetrics/pom.xml +++ b/services/sagemakermetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT sagemakermetrics AWS Java SDK :: Services :: Sage Maker Metrics diff --git a/services/sagemakerruntime/pom.xml b/services/sagemakerruntime/pom.xml index 159c3834ffbb..28d1f50bd415 100644 --- a/services/sagemakerruntime/pom.xml +++ b/services/sagemakerruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT sagemakerruntime AWS Java SDK :: Services :: SageMaker Runtime diff --git a/services/savingsplans/pom.xml b/services/savingsplans/pom.xml index 5cb7dda078be..cb1d1fb0b0ce 100644 --- a/services/savingsplans/pom.xml +++ b/services/savingsplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT savingsplans AWS Java SDK :: Services :: Savingsplans diff --git a/services/scheduler/pom.xml b/services/scheduler/pom.xml index a7dbb44973b7..a561b8d43214 100644 --- a/services/scheduler/pom.xml +++ b/services/scheduler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT scheduler AWS Java SDK :: Services :: Scheduler diff --git a/services/schemas/pom.xml b/services/schemas/pom.xml index bdbf83e41a6e..0f7decf44c6e 100644 --- a/services/schemas/pom.xml +++ b/services/schemas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT schemas AWS Java SDK :: Services :: Schemas diff --git a/services/secretsmanager/pom.xml b/services/secretsmanager/pom.xml index 87a2d9315b9f..c462d79f03ba 100644 --- a/services/secretsmanager/pom.xml +++ b/services/secretsmanager/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT secretsmanager AWS Java SDK :: Services :: AWS Secrets Manager diff --git a/services/securityhub/pom.xml b/services/securityhub/pom.xml index fb26f056fda1..e40a688ebea3 100644 --- a/services/securityhub/pom.xml +++ b/services/securityhub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT securityhub AWS Java SDK :: Services :: SecurityHub diff --git a/services/securitylake/pom.xml b/services/securitylake/pom.xml index 1c19c78faff4..3ca4f11d99e0 100644 --- a/services/securitylake/pom.xml +++ b/services/securitylake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT securitylake AWS Java SDK :: Services :: Security Lake diff --git a/services/serverlessapplicationrepository/pom.xml b/services/serverlessapplicationrepository/pom.xml index 88920ec5cb7a..5ad92ae7764b 100644 --- a/services/serverlessapplicationrepository/pom.xml +++ b/services/serverlessapplicationrepository/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19 + 2.27.20-SNAPSHOT 4.0.0 serverlessapplicationrepository diff --git a/services/servicecatalog/pom.xml b/services/servicecatalog/pom.xml index 943a4469151a..8d74aee4b415 100644 --- a/services/servicecatalog/pom.xml +++ b/services/servicecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT servicecatalog AWS Java SDK :: Services :: AWS Service Catalog diff --git a/services/servicecatalogappregistry/pom.xml b/services/servicecatalogappregistry/pom.xml index 30499af4a98f..2cbb20dedc71 100644 --- a/services/servicecatalogappregistry/pom.xml +++ b/services/servicecatalogappregistry/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT servicecatalogappregistry AWS Java SDK :: Services :: Service Catalog App Registry diff --git a/services/servicediscovery/pom.xml b/services/servicediscovery/pom.xml index 775cade3ccb7..1043475103c7 100644 --- a/services/servicediscovery/pom.xml +++ b/services/servicediscovery/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19 + 2.27.20-SNAPSHOT 4.0.0 servicediscovery diff --git a/services/servicequotas/pom.xml b/services/servicequotas/pom.xml index a6384766bdca..f550a2a32021 100644 --- a/services/servicequotas/pom.xml +++ b/services/servicequotas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT servicequotas AWS Java SDK :: Services :: Service Quotas diff --git a/services/ses/pom.xml b/services/ses/pom.xml index 6f41bbcefa60..d1aaef751a07 100644 --- a/services/ses/pom.xml +++ b/services/ses/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT ses AWS Java SDK :: Services :: Amazon SES diff --git a/services/sesv2/pom.xml b/services/sesv2/pom.xml index 154ad73a94de..46c0c8598187 100644 --- a/services/sesv2/pom.xml +++ b/services/sesv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT sesv2 AWS Java SDK :: Services :: SESv2 diff --git a/services/sfn/pom.xml b/services/sfn/pom.xml index 903971d8a066..b370378d02a0 100644 --- a/services/sfn/pom.xml +++ b/services/sfn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT sfn AWS Java SDK :: Services :: AWS Step Functions diff --git a/services/shield/pom.xml b/services/shield/pom.xml index bcc0e4e29503..87c814177df4 100644 --- a/services/shield/pom.xml +++ b/services/shield/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT shield AWS Java SDK :: Services :: AWS Shield diff --git a/services/signer/pom.xml b/services/signer/pom.xml index 5832ac31f6c7..3b6c5f966179 100644 --- a/services/signer/pom.xml +++ b/services/signer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT signer AWS Java SDK :: Services :: Signer diff --git a/services/simspaceweaver/pom.xml b/services/simspaceweaver/pom.xml index af80aab7e135..df70041d2982 100644 --- a/services/simspaceweaver/pom.xml +++ b/services/simspaceweaver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT simspaceweaver AWS Java SDK :: Services :: Sim Space Weaver diff --git a/services/sms/pom.xml b/services/sms/pom.xml index 185c77e143ca..c8f3a14cd270 100644 --- a/services/sms/pom.xml +++ b/services/sms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT sms AWS Java SDK :: Services :: AWS Server Migration diff --git a/services/snowball/pom.xml b/services/snowball/pom.xml index 222197c6cac0..9dc68199bb9e 100644 --- a/services/snowball/pom.xml +++ b/services/snowball/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT snowball AWS Java SDK :: Services :: Amazon Snowball diff --git a/services/snowdevicemanagement/pom.xml b/services/snowdevicemanagement/pom.xml index ff0638de7d59..ec3b01daeba3 100644 --- a/services/snowdevicemanagement/pom.xml +++ b/services/snowdevicemanagement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT snowdevicemanagement AWS Java SDK :: Services :: Snow Device Management diff --git a/services/sns/pom.xml b/services/sns/pom.xml index bbfebffd945c..149e619ce77f 100644 --- a/services/sns/pom.xml +++ b/services/sns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT sns AWS Java SDK :: Services :: Amazon SNS diff --git a/services/sqs/pom.xml b/services/sqs/pom.xml index 85117e50358f..426a9d03d7ad 100644 --- a/services/sqs/pom.xml +++ b/services/sqs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT sqs AWS Java SDK :: Services :: Amazon SQS diff --git a/services/ssm/pom.xml b/services/ssm/pom.xml index 117e5a059d97..dc21d5e1c1bf 100644 --- a/services/ssm/pom.xml +++ b/services/ssm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT ssm AWS Java SDK :: Services :: AWS Simple Systems Management (SSM) diff --git a/services/ssmcontacts/pom.xml b/services/ssmcontacts/pom.xml index 175a3089cd99..bc61d06132c6 100644 --- a/services/ssmcontacts/pom.xml +++ b/services/ssmcontacts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT ssmcontacts AWS Java SDK :: Services :: SSM Contacts diff --git a/services/ssmincidents/pom.xml b/services/ssmincidents/pom.xml index e5a729d9f4e1..3e08f5f1c365 100644 --- a/services/ssmincidents/pom.xml +++ b/services/ssmincidents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT ssmincidents AWS Java SDK :: Services :: SSM Incidents diff --git a/services/ssmquicksetup/pom.xml b/services/ssmquicksetup/pom.xml index 3077d9b4d4d7..51a0c3e2029f 100644 --- a/services/ssmquicksetup/pom.xml +++ b/services/ssmquicksetup/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT ssmquicksetup AWS Java SDK :: Services :: SSM Quick Setup diff --git a/services/ssmsap/pom.xml b/services/ssmsap/pom.xml index cd0465eaf5f6..d78a4c0984c6 100644 --- a/services/ssmsap/pom.xml +++ b/services/ssmsap/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT ssmsap AWS Java SDK :: Services :: Ssm Sap diff --git a/services/sso/pom.xml b/services/sso/pom.xml index b254ca692eb3..49d795ccbbcb 100644 --- a/services/sso/pom.xml +++ b/services/sso/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT sso AWS Java SDK :: Services :: SSO diff --git a/services/ssoadmin/pom.xml b/services/ssoadmin/pom.xml index dabdebc8a65f..f0e0046185dc 100644 --- a/services/ssoadmin/pom.xml +++ b/services/ssoadmin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT ssoadmin AWS Java SDK :: Services :: SSO Admin diff --git a/services/ssooidc/pom.xml b/services/ssooidc/pom.xml index 90fac813e10c..10c0c5634f68 100644 --- a/services/ssooidc/pom.xml +++ b/services/ssooidc/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT ssooidc AWS Java SDK :: Services :: SSO OIDC diff --git a/services/storagegateway/pom.xml b/services/storagegateway/pom.xml index 5d7838bef40f..515d7c69a4bf 100644 --- a/services/storagegateway/pom.xml +++ b/services/storagegateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT storagegateway AWS Java SDK :: Services :: AWS Storage Gateway diff --git a/services/sts/pom.xml b/services/sts/pom.xml index 41b51404b298..23fac7f7c896 100644 --- a/services/sts/pom.xml +++ b/services/sts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT sts AWS Java SDK :: Services :: AWS STS diff --git a/services/supplychain/pom.xml b/services/supplychain/pom.xml index 10edb1314ae0..1801a34c1c5e 100644 --- a/services/supplychain/pom.xml +++ b/services/supplychain/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT supplychain AWS Java SDK :: Services :: Supply Chain diff --git a/services/support/pom.xml b/services/support/pom.xml index 95154e5dd746..9dbaf90d1c8e 100644 --- a/services/support/pom.xml +++ b/services/support/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT support AWS Java SDK :: Services :: AWS Support diff --git a/services/supportapp/pom.xml b/services/supportapp/pom.xml index 418771659dc6..30b39750c604 100644 --- a/services/supportapp/pom.xml +++ b/services/supportapp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT supportapp AWS Java SDK :: Services :: Support App diff --git a/services/swf/pom.xml b/services/swf/pom.xml index 4141da255c2f..66db6bcf1b67 100644 --- a/services/swf/pom.xml +++ b/services/swf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT swf AWS Java SDK :: Services :: Amazon SWF diff --git a/services/synthetics/pom.xml b/services/synthetics/pom.xml index 837f9d8320df..09ed2ac1f6df 100644 --- a/services/synthetics/pom.xml +++ b/services/synthetics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT synthetics AWS Java SDK :: Services :: Synthetics diff --git a/services/taxsettings/pom.xml b/services/taxsettings/pom.xml index 19787ddd698b..428ae45df205 100644 --- a/services/taxsettings/pom.xml +++ b/services/taxsettings/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT taxsettings AWS Java SDK :: Services :: Tax Settings diff --git a/services/textract/pom.xml b/services/textract/pom.xml index f71652bcb63f..535b3e0eca73 100644 --- a/services/textract/pom.xml +++ b/services/textract/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT textract AWS Java SDK :: Services :: Textract diff --git a/services/timestreaminfluxdb/pom.xml b/services/timestreaminfluxdb/pom.xml index 3ca2624b4f4e..1853283d625b 100644 --- a/services/timestreaminfluxdb/pom.xml +++ b/services/timestreaminfluxdb/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT timestreaminfluxdb AWS Java SDK :: Services :: Timestream Influx DB diff --git a/services/timestreamquery/pom.xml b/services/timestreamquery/pom.xml index c16c8d09ffba..b677730ccdc7 100644 --- a/services/timestreamquery/pom.xml +++ b/services/timestreamquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT timestreamquery AWS Java SDK :: Services :: Timestream Query diff --git a/services/timestreamwrite/pom.xml b/services/timestreamwrite/pom.xml index f1b0b75b652e..f75ac29b90bc 100644 --- a/services/timestreamwrite/pom.xml +++ b/services/timestreamwrite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT timestreamwrite AWS Java SDK :: Services :: Timestream Write diff --git a/services/tnb/pom.xml b/services/tnb/pom.xml index 310827288380..db3384efce3f 100644 --- a/services/tnb/pom.xml +++ b/services/tnb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT tnb AWS Java SDK :: Services :: Tnb diff --git a/services/transcribe/pom.xml b/services/transcribe/pom.xml index 06d444a923fe..3354915f7fea 100644 --- a/services/transcribe/pom.xml +++ b/services/transcribe/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT transcribe AWS Java SDK :: Services :: Transcribe diff --git a/services/transcribestreaming/pom.xml b/services/transcribestreaming/pom.xml index 9ec5116af2e2..cbbd05f4091e 100644 --- a/services/transcribestreaming/pom.xml +++ b/services/transcribestreaming/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT transcribestreaming AWS Java SDK :: Services :: AWS Transcribe Streaming diff --git a/services/transfer/pom.xml b/services/transfer/pom.xml index 6ff05d88f3c0..60137ec5844e 100644 --- a/services/transfer/pom.xml +++ b/services/transfer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT transfer AWS Java SDK :: Services :: Transfer diff --git a/services/translate/pom.xml b/services/translate/pom.xml index fc010f7f9df2..83c4d62c0a36 100644 --- a/services/translate/pom.xml +++ b/services/translate/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19 + 2.27.20-SNAPSHOT 4.0.0 translate diff --git a/services/trustedadvisor/pom.xml b/services/trustedadvisor/pom.xml index c28b62654983..d10032b6b9d5 100644 --- a/services/trustedadvisor/pom.xml +++ b/services/trustedadvisor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT trustedadvisor AWS Java SDK :: Services :: Trusted Advisor diff --git a/services/verifiedpermissions/pom.xml b/services/verifiedpermissions/pom.xml index f9bf6eed377d..7be72849d699 100644 --- a/services/verifiedpermissions/pom.xml +++ b/services/verifiedpermissions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT verifiedpermissions AWS Java SDK :: Services :: Verified Permissions diff --git a/services/voiceid/pom.xml b/services/voiceid/pom.xml index 1f0174c595f4..4d0a76ba8d2b 100644 --- a/services/voiceid/pom.xml +++ b/services/voiceid/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT voiceid AWS Java SDK :: Services :: Voice ID diff --git a/services/vpclattice/pom.xml b/services/vpclattice/pom.xml index 4634de7d3476..320a93a02245 100644 --- a/services/vpclattice/pom.xml +++ b/services/vpclattice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT vpclattice AWS Java SDK :: Services :: VPC Lattice diff --git a/services/waf/pom.xml b/services/waf/pom.xml index 35ebf348b73d..4a7f936b97b5 100644 --- a/services/waf/pom.xml +++ b/services/waf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT waf AWS Java SDK :: Services :: AWS WAF diff --git a/services/wafv2/pom.xml b/services/wafv2/pom.xml index bf6698e5e43b..b285c09b1de6 100644 --- a/services/wafv2/pom.xml +++ b/services/wafv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT wafv2 AWS Java SDK :: Services :: WAFV2 diff --git a/services/wellarchitected/pom.xml b/services/wellarchitected/pom.xml index 2cf796651917..e389e5aee8e3 100644 --- a/services/wellarchitected/pom.xml +++ b/services/wellarchitected/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT wellarchitected AWS Java SDK :: Services :: Well Architected diff --git a/services/wisdom/pom.xml b/services/wisdom/pom.xml index 4a60ab1ef179..aadc4164661e 100644 --- a/services/wisdom/pom.xml +++ b/services/wisdom/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT wisdom AWS Java SDK :: Services :: Wisdom diff --git a/services/workdocs/pom.xml b/services/workdocs/pom.xml index d3f2056e5bb3..4fd9fbc19050 100644 --- a/services/workdocs/pom.xml +++ b/services/workdocs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT workdocs AWS Java SDK :: Services :: Amazon WorkDocs diff --git a/services/worklink/pom.xml b/services/worklink/pom.xml index c467fea93e89..eaeea7c4e135 100644 --- a/services/worklink/pom.xml +++ b/services/worklink/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT worklink AWS Java SDK :: Services :: WorkLink diff --git a/services/workmail/pom.xml b/services/workmail/pom.xml index afa7b87f6489..0a90f3810a16 100644 --- a/services/workmail/pom.xml +++ b/services/workmail/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.19 + 2.27.20-SNAPSHOT 4.0.0 workmail diff --git a/services/workmailmessageflow/pom.xml b/services/workmailmessageflow/pom.xml index 28c7b28df631..cf1e18c71463 100644 --- a/services/workmailmessageflow/pom.xml +++ b/services/workmailmessageflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT workmailmessageflow AWS Java SDK :: Services :: WorkMailMessageFlow diff --git a/services/workspaces/pom.xml b/services/workspaces/pom.xml index 54fa5ab12bfb..eb29bdb30f6a 100644 --- a/services/workspaces/pom.xml +++ b/services/workspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT workspaces AWS Java SDK :: Services :: Amazon WorkSpaces diff --git a/services/workspacesthinclient/pom.xml b/services/workspacesthinclient/pom.xml index 3e2b6d862f26..6609a843785c 100644 --- a/services/workspacesthinclient/pom.xml +++ b/services/workspacesthinclient/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT workspacesthinclient AWS Java SDK :: Services :: Work Spaces Thin Client diff --git a/services/workspacesweb/pom.xml b/services/workspacesweb/pom.xml index 01805415b697..dcb078115c1c 100644 --- a/services/workspacesweb/pom.xml +++ b/services/workspacesweb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT workspacesweb AWS Java SDK :: Services :: Work Spaces Web diff --git a/services/xray/pom.xml b/services/xray/pom.xml index 13d0b7b39ca0..7d93a8276650 100644 --- a/services/xray/pom.xml +++ b/services/xray/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.19 + 2.27.20-SNAPSHOT xray AWS Java SDK :: Services :: AWS X-Ray diff --git a/test/auth-tests/pom.xml b/test/auth-tests/pom.xml index 0d22a520e1ea..5516d2e1b049 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.27.19 + 2.27.20-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/bundle-logging-bridge-binding-test/pom.xml b/test/bundle-logging-bridge-binding-test/pom.xml index 7905d368be88..4b15461d81a9 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.27.19 + 2.27.20-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/bundle-shading-tests/pom.xml b/test/bundle-shading-tests/pom.xml index 434e1ac9943c..4f7e8c34610a 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.27.19 + 2.27.20-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/codegen-generated-classes-test/pom.xml b/test/codegen-generated-classes-test/pom.xml index 3602ed71d155..b956c58861ce 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.27.19 + 2.27.20-SNAPSHOT ../../pom.xml diff --git a/test/crt-unavailable-tests/pom.xml b/test/crt-unavailable-tests/pom.xml index c6990f8c1fdf..0846a4204d9d 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.27.19 + 2.27.20-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/http-client-tests/pom.xml b/test/http-client-tests/pom.xml index 27f146c9d201..ff954c98954c 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.27.19 + 2.27.20-SNAPSHOT ../../pom.xml http-client-tests diff --git a/test/module-path-tests/pom.xml b/test/module-path-tests/pom.xml index 4ebb7cedf69b..933201552c93 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.27.19 + 2.27.20-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/old-client-version-compatibility-test/pom.xml b/test/old-client-version-compatibility-test/pom.xml index e0f2b37abb13..cb8de9f533f9 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.27.19 + 2.27.20-SNAPSHOT ../../pom.xml diff --git a/test/protocol-tests-core/pom.xml b/test/protocol-tests-core/pom.xml index 866199f2cfbd..da2a6aeadec4 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.27.19 + 2.27.20-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/protocol-tests/pom.xml b/test/protocol-tests/pom.xml index a9903bb5aeb5..87eda5635549 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.27.19 + 2.27.20-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/region-testing/pom.xml b/test/region-testing/pom.xml index e7fa0024ce58..19ab9e0865ab 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.27.19 + 2.27.20-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/ruleset-testing-core/pom.xml b/test/ruleset-testing-core/pom.xml index 48fbe1d0293f..8e57c39b68c7 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.27.19 + 2.27.20-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/s3-benchmarks/pom.xml b/test/s3-benchmarks/pom.xml index 41417724993a..7320724e006f 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.27.19 + 2.27.20-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/sdk-benchmarks/pom.xml b/test/sdk-benchmarks/pom.xml index 3e5d24e3b7dd..60ba7c0b3166 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.27.19 + 2.27.20-SNAPSHOT ../../pom.xml diff --git a/test/sdk-native-image-test/pom.xml b/test/sdk-native-image-test/pom.xml index 283987d89b50..4914b2dda090 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.27.19 + 2.27.20-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/service-test-utils/pom.xml b/test/service-test-utils/pom.xml index f7dd7c18d062..ea428e1bb3f5 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.27.19 + 2.27.20-SNAPSHOT ../../pom.xml service-test-utils diff --git a/test/stability-tests/pom.xml b/test/stability-tests/pom.xml index bbb3d8c2db5f..bb7d3178fa91 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.27.19 + 2.27.20-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/test-utils/pom.xml b/test/test-utils/pom.xml index a7fc7f1ecf0f..b82594445dfa 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.27.19 + 2.27.20-SNAPSHOT ../../pom.xml test-utils diff --git a/test/tests-coverage-reporting/pom.xml b/test/tests-coverage-reporting/pom.xml index 0fa017e175bd..b468d4ddcb07 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.27.19 + 2.27.20-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/v2-migration-tests/pom.xml b/test/v2-migration-tests/pom.xml index b85f74152352..0111100ced90 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.27.19 + 2.27.20-SNAPSHOT ../.. diff --git a/third-party/pom.xml b/third-party/pom.xml index 10bfc898d4c6..a26d60d45855 100644 --- a/third-party/pom.xml +++ b/third-party/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.19 + 2.27.20-SNAPSHOT third-party diff --git a/third-party/third-party-jackson-core/pom.xml b/third-party/third-party-jackson-core/pom.xml index 0622d7978dae..bf4b7399f513 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.27.19 + 2.27.20-SNAPSHOT 4.0.0 diff --git a/third-party/third-party-jackson-dataformat-cbor/pom.xml b/third-party/third-party-jackson-dataformat-cbor/pom.xml index 4324713b22ca..d5e613d6f105 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.27.19 + 2.27.20-SNAPSHOT 4.0.0 diff --git a/third-party/third-party-slf4j-api/pom.xml b/third-party/third-party-slf4j-api/pom.xml index 58dc49a2f637..6690a273a51f 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.27.19 + 2.27.20-SNAPSHOT 4.0.0 diff --git a/utils/pom.xml b/utils/pom.xml index ea6f5c231280..6c71d22efd5b 100644 --- a/utils/pom.xml +++ b/utils/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.19 + 2.27.20-SNAPSHOT 4.0.0 diff --git a/v2-migration/pom.xml b/v2-migration/pom.xml index 6531e8a8a505..5490897cd856 100644 --- a/v2-migration/pom.xml +++ b/v2-migration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.19 + 2.27.20-SNAPSHOT ../pom.xml From 547ce18e339be285f14207c901366c0d277f7e88 Mon Sep 17 00:00:00 2001 From: Dongie Agnir <261310+dagnir@users.noreply.github.com> Date: Wed, 4 Sep 2024 13:01:15 -0700 Subject: [PATCH 021/108] Migrate to snippet to avoid HTML formatting issues (#5555) --- .../mapper/annotations/DynamoDbPreserveEmptyObject.java | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/services-custom/dynamodb-enhanced/src/main/java/software/amazon/awssdk/enhanced/dynamodb/mapper/annotations/DynamoDbPreserveEmptyObject.java b/services-custom/dynamodb-enhanced/src/main/java/software/amazon/awssdk/enhanced/dynamodb/mapper/annotations/DynamoDbPreserveEmptyObject.java index c80aa0b1053f..0976d6206338 100644 --- a/services-custom/dynamodb-enhanced/src/main/java/software/amazon/awssdk/enhanced/dynamodb/mapper/annotations/DynamoDbPreserveEmptyObject.java +++ b/services-custom/dynamodb-enhanced/src/main/java/software/amazon/awssdk/enhanced/dynamodb/mapper/annotations/DynamoDbPreserveEmptyObject.java @@ -31,13 +31,13 @@ *

* Example using {@link DynamoDbPreserveEmptyObject}: *

- * 
- * @DynamoDbBean
+ * {@snippet :
+ * @DynamoDbBean
  * public class NestedBean {
  *     private AbstractBean innerBean1;
  *     private AbstractBean innerBean2;
  *
- *     @DynamoDbPreserveEmptyObject
+ *     @DynamoDbPreserveEmptyObject
  *     public AbstractBean getInnerBean1() {
  *         return innerBean1;
  *     }
@@ -69,7 +69,7 @@
  *
  * // innerBean2 w/o @DynamoDbPreserveEmptyObject is mapped to null.
  * assertThat(nestedBean.getInnerBean2(), isNull());
- * 
+ * }
  * 
*/ @SdkPublicApi From 05f765e2f52c7087c6f37a5804c1b7d2fde22abf Mon Sep 17 00:00:00 2001 From: AWS <> Date: Thu, 5 Sep 2024 18:05:59 +0000 Subject: [PATCH 022/108] Amazon SageMaker Service Update: Amazon SageMaker now supports idle shutdown of JupyterLab and CodeEditor applications on SageMaker Studio. --- ...eature-AmazonSageMakerService-b473d8f.json | 6 ++ .../codegen-resources/service-2.json | 92 ++++++++++++++++++- 2 files changed, 95 insertions(+), 3 deletions(-) create mode 100644 .changes/next-release/feature-AmazonSageMakerService-b473d8f.json diff --git a/.changes/next-release/feature-AmazonSageMakerService-b473d8f.json b/.changes/next-release/feature-AmazonSageMakerService-b473d8f.json new file mode 100644 index 000000000000..aec0728c33df --- /dev/null +++ b/.changes/next-release/feature-AmazonSageMakerService-b473d8f.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Amazon SageMaker Service", + "contributor": "", + "description": "Amazon SageMaker now supports idle shutdown of JupyterLab and CodeEditor applications on SageMaker Studio." +} diff --git a/services/sagemaker/src/main/resources/codegen-resources/service-2.json b/services/sagemaker/src/main/resources/codegen-resources/service-2.json index ceebcbf23a46..25495dadcca7 100644 --- a/services/sagemaker/src/main/resources/codegen-resources/service-2.json +++ b/services/sagemaker/src/main/resources/codegen-resources/service-2.json @@ -4896,6 +4896,16 @@ "ml.r6id.32xlarge" ] }, + "AppLifecycleManagement":{ + "type":"structure", + "members":{ + "IdleSettings":{ + "shape":"IdleSettings", + "documentation":"

Settings related to idle shutdown of Studio applications.

" + } + }, + "documentation":"

Settings that are used to configure and manage the lifecycle of Amazon SageMaker Studio applications.

" + }, "AppList":{ "type":"list", "member":{"shape":"AppDetails"} @@ -7246,7 +7256,7 @@ "documentation":"

Details of LifeCycle configuration for the instance group.

" }, "ExecutionRole":{ - "shape":"RoleArn", + "shape":"IAMRoleArn", "documentation":"

The execution role for the instance group to assume.

" }, "ThreadsPerCore":{ @@ -7297,7 +7307,7 @@ "documentation":"

Specifies the LifeCycle configuration for the instance group.

" }, "ExecutionRole":{ - "shape":"RoleArn", + "shape":"IAMRoleArn", "documentation":"

Specifies an IAM execution role to be assumed by the instance group.

" }, "ThreadsPerCore":{ @@ -7630,6 +7640,10 @@ "LifecycleConfigArns":{ "shape":"LifecycleConfigArns", "documentation":"

The Amazon Resource Name (ARN) of the Code Editor application lifecycle configuration.

" + }, + "AppLifecycleManagement":{ + "shape":"AppLifecycleManagement", + "documentation":"

Settings that are used to configure and manage the lifecycle of CodeEditor applications.

" } }, "documentation":"

The Code Editor application settings.

For more information about Code Editor, see Get started with Code Editor in Amazon SageMaker.

" @@ -20818,6 +20832,12 @@ "type":"integer", "min":1 }, + "IAMRoleArn":{ + "type":"string", + "max":2048, + "min":20, + "pattern":"^arn:aws[a-z\\-]*:iam::\\d{12}:role/[\\w+=,.@-]{1,64}$" + }, "IamIdentity":{ "type":"structure", "members":{ @@ -20878,6 +20898,33 @@ "member":{"shape":"IdentityProviderOAuthSetting"}, "max":20 }, + "IdleSettings":{ + "type":"structure", + "members":{ + "LifecycleManagement":{ + "shape":"LifecycleManagement", + "documentation":"

Indicates whether idle shutdown is activated for the application type.

" + }, + "IdleTimeoutInMinutes":{ + "shape":"IdleTimeoutInMinutes", + "documentation":"

The time that SageMaker waits after the application becomes idle before shutting it down.

" + }, + "MinIdleTimeoutInMinutes":{ + "shape":"IdleTimeoutInMinutes", + "documentation":"

The minimum value in minutes that custom idle shutdown can be set to by the user.

" + }, + "MaxIdleTimeoutInMinutes":{ + "shape":"IdleTimeoutInMinutes", + "documentation":"

The maximum value in minutes that custom idle shutdown can be set to by the user.

" + } + }, + "documentation":"

Settings related to idle shutdown of Studio applications.

" + }, + "IdleTimeoutInMinutes":{ + "type":"integer", + "max":525600, + "min":60 + }, "Image":{ "type":"structure", "required":[ @@ -22222,6 +22269,10 @@ "shape":"CodeRepositories", "documentation":"

A list of Git repositories that SageMaker automatically displays to users for cloning in the JupyterLab application.

" }, + "AppLifecycleManagement":{ + "shape":"AppLifecycleManagement", + "documentation":"

Indicates whether idle shutdown is activated for JupyterLab applications.

" + }, "EmrSettings":{ "shape":"EmrSettings", "documentation":"

The configuration parameters that specify the IAM roles assumed by the execution role of SageMaker (assumable roles) and the cluster instances or job execution environments (execution roles or runtime roles) to manage and access resources required for running Amazon EMR clusters or Amazon EMR Serverless applications.

" @@ -22714,6 +22765,13 @@ "type":"list", "member":{"shape":"StudioLifecycleConfigArn"} }, + "LifecycleManagement":{ + "type":"string", + "enum":[ + "ENABLED", + "DISABLED" + ] + }, "LineageEntityParameters":{ "type":"map", "key":{"shape":"StringParameterValue"}, @@ -34634,6 +34692,16 @@ "min":1, "pattern":".*" }, + "SpaceAppLifecycleManagement":{ + "type":"structure", + "members":{ + "IdleSettings":{ + "shape":"SpaceIdleSettings", + "documentation":"

Settings related to idle shutdown of Studio applications.

" + } + }, + "documentation":"

Settings that are used to configure and manage the lifecycle of Amazon SageMaker Studio applications in a space.

" + }, "SpaceArn":{ "type":"string", "max":256, @@ -34642,7 +34710,11 @@ "SpaceCodeEditorAppSettings":{ "type":"structure", "members":{ - "DefaultResourceSpec":{"shape":"ResourceSpec"} + "DefaultResourceSpec":{"shape":"ResourceSpec"}, + "AppLifecycleManagement":{ + "shape":"SpaceAppLifecycleManagement", + "documentation":"

Settings that are used to configure and manage the lifecycle of CodeEditor applications in a space.

" + } }, "documentation":"

The application settings for a Code Editor space.

" }, @@ -34693,6 +34765,16 @@ "max":16384, "min":5 }, + "SpaceIdleSettings":{ + "type":"structure", + "members":{ + "IdleTimeoutInMinutes":{ + "shape":"IdleTimeoutInMinutes", + "documentation":"

The time that SageMaker waits after the application becomes idle before shutting it down.

" + } + }, + "documentation":"

Settings related to idle shutdown of Studio applications in a space.

" + }, "SpaceJupyterLabAppSettings":{ "type":"structure", "members":{ @@ -34700,6 +34782,10 @@ "CodeRepositories":{ "shape":"CodeRepositories", "documentation":"

A list of Git repositories that SageMaker automatically displays to users for cloning in the JupyterLab application.

" + }, + "AppLifecycleManagement":{ + "shape":"SpaceAppLifecycleManagement", + "documentation":"

Settings that are used to configure and manage the lifecycle of JupyterLab applications in a space.

" } }, "documentation":"

The settings for the JupyterLab application within a space.

" From 6cf9500a0c7bf605538731f87701ba93322ffd2d Mon Sep 17 00:00:00 2001 From: AWS <> Date: Thu, 5 Sep 2024 18:06:00 +0000 Subject: [PATCH 023/108] Amazon GameLift Update: Amazon GameLift provides additional events for tracking the fleet creation process. --- .../feature-AmazonGameLift-374931c.json | 6 +++ .../codegen-resources/service-2.json | 52 ++++++++++--------- 2 files changed, 33 insertions(+), 25 deletions(-) create mode 100644 .changes/next-release/feature-AmazonGameLift-374931c.json diff --git a/.changes/next-release/feature-AmazonGameLift-374931c.json b/.changes/next-release/feature-AmazonGameLift-374931c.json new file mode 100644 index 000000000000..f2749af63c64 --- /dev/null +++ b/.changes/next-release/feature-AmazonGameLift-374931c.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Amazon GameLift", + "contributor": "", + "description": "Amazon GameLift provides additional events for tracking the fleet creation process." +} diff --git a/services/gamelift/src/main/resources/codegen-resources/service-2.json b/services/gamelift/src/main/resources/codegen-resources/service-2.json index d91b54b07afa..58f8e5b201d6 100644 --- a/services/gamelift/src/main/resources/codegen-resources/service-2.json +++ b/services/gamelift/src/main/resources/codegen-resources/service-2.json @@ -142,7 +142,7 @@ {"shape":"ConflictException"}, {"shape":"LimitExceededException"} ], - "documentation":"

This operation has been expanded to use with the Amazon GameLift containers feature, which is currently in public preview.

Adds remote locations to an EC2 or container fleet and begins populating the new locations with instances. The new instances conform to the fleet's instance type, auto-scaling, and other configuration settings.

You can't add remote locations to a fleet that resides in an Amazon Web Services Region that doesn't support multiple locations. Fleets created prior to March 2021 can't support multiple locations.

To add fleet locations, specify the fleet to be updated and provide a list of one or more locations.

If successful, this operation returns the list of added locations with their status set to NEW. Amazon GameLift initiates the process of starting an instance in each added location. You can track the status of each new location by monitoring location creation events using DescribeFleetEvents.

Learn more

Setting up fleets

Multi-location fleets

" + "documentation":"

This operation has been expanded to use with the Amazon GameLift containers feature, which is currently in public preview.

Adds remote locations to an EC2 or container fleet and begins populating the new locations with instances. The new instances conform to the fleet's instance type, auto-scaling, and other configuration settings.

You can't add remote locations to a fleet that resides in an Amazon Web Services Region that doesn't support multiple locations. Fleets created prior to March 2021 can't support multiple locations.

To add fleet locations, specify the fleet to be updated and provide a list of one or more locations.

If successful, this operation returns the list of added locations with their status set to NEW. Amazon GameLift initiates the process of starting an instance in each added location. You can track the status of each new location by monitoring location creation events using DescribeFleetEvents.

Learn more

Setting up fleets

Update fleet locations

Amazon GameLift service locations for managed hosting.

" }, "CreateGameServerGroup":{ "name":"CreateGameServerGroup", @@ -746,7 +746,7 @@ {"shape":"NotFoundException"}, {"shape":"UnsupportedRegionException"} ], - "documentation":"

Retrieves information on a fleet's remote locations, including life-cycle status and any suspended fleet activity.

This operation can be used in the following ways:

  • To get data for specific locations, provide a fleet identifier and a list of locations. Location data is returned in the order that it is requested.

  • To get data for all locations, provide a fleet identifier only. Location data is returned in no particular order.

When requesting attributes for multiple locations, use the pagination parameters to retrieve results as a set of sequential pages.

If successful, a LocationAttributes object is returned for each requested location. If the fleet does not have a requested location, no information is returned. This operation does not return the home Region. To get information on a fleet's home Region, call DescribeFleetAttributes.

Learn more

Setting up Amazon GameLift fleets

" + "documentation":"

Retrieves information on a fleet's remote locations, including life-cycle status and any suspended fleet activity.

This operation can be used in the following ways:

  • To get data for specific locations, provide a fleet identifier and a list of locations. Location data is returned in the order that it is requested.

  • To get data for all locations, provide a fleet identifier only. Location data is returned in no particular order.

When requesting attributes for multiple locations, use the pagination parameters to retrieve results as a set of sequential pages.

If successful, a LocationAttributes object is returned for each requested location. If the fleet does not have a requested location, no information is returned. This operation does not return the home Region. To get information on a fleet's home Region, call DescribeFleetAttributes.

Learn more

Setting up Amazon GameLift fleets

Amazon GameLift service locations for managed hosting

" }, "DescribeFleetLocationCapacity":{ "name":"DescribeFleetLocationCapacity", @@ -763,7 +763,7 @@ {"shape":"NotFoundException"}, {"shape":"UnsupportedRegionException"} ], - "documentation":"

Retrieves the resource capacity settings for a fleet location. The data returned includes the current capacity (number of EC2 instances) and some scaling settings for the requested fleet location. For a container fleet, this operation also returns counts for replica container groups.

Use this operation to retrieve capacity information for a fleet's remote location or home Region (you can also retrieve home Region capacity by calling DescribeFleetCapacity).

To retrieve capacity data, identify a fleet and location.

If successful, a FleetCapacity object is returned for the requested fleet location.

Learn more

Setting up Amazon GameLift fleets

GameLift metrics for fleets

" + "documentation":"

Retrieves the resource capacity settings for a fleet location. The data returned includes the current capacity (number of EC2 instances) and some scaling settings for the requested fleet location. For a container fleet, this operation also returns counts for replica container groups.

Use this operation to retrieve capacity information for a fleet's remote location or home Region (you can also retrieve home Region capacity by calling DescribeFleetCapacity).

To retrieve capacity data, identify a fleet and location.

If successful, a FleetCapacity object is returned for the requested fleet location.

Learn more

Setting up Amazon GameLift fleets

Amazon GameLift service locations for managed hosting

GameLift metrics for fleets

" }, "DescribeFleetLocationUtilization":{ "name":"DescribeFleetLocationUtilization", @@ -780,7 +780,7 @@ {"shape":"NotFoundException"}, {"shape":"UnsupportedRegionException"} ], - "documentation":"

Retrieves current usage data for a fleet location. Utilization data provides a snapshot of current game hosting activity at the requested location. Use this operation to retrieve utilization information for a fleet's remote location or home Region (you can also retrieve home Region utilization by calling DescribeFleetUtilization).

To retrieve utilization data, identify a fleet and location.

If successful, a FleetUtilization object is returned for the requested fleet location.

Learn more

Setting up Amazon GameLift fleets

GameLift metrics for fleets

" + "documentation":"

Retrieves current usage data for a fleet location. Utilization data provides a snapshot of current game hosting activity at the requested location. Use this operation to retrieve utilization information for a fleet's remote location or home Region (you can also retrieve home Region utilization by calling DescribeFleetUtilization).

To retrieve utilization data, identify a fleet and location.

If successful, a FleetUtilization object is returned for the requested fleet location.

Learn more

Setting up Amazon GameLift fleets

Amazon GameLift service locations for managed hosting

GameLift metrics for fleets

" }, "DescribeFleetPortSettings":{ "name":"DescribeFleetPortSettings", @@ -1104,7 +1104,7 @@ {"shape":"NotFoundException"}, {"shape":"InternalServiceException"} ], - "documentation":"

This operation has been expanded to use with the Amazon GameLift containers feature, which is currently in public preview.

Requests authorization to remotely connect to a hosting resource in a Amazon GameLift managed fleet. This operation is not used with Amazon GameLift Anywhere fleets

To request access, specify the compute name and the fleet ID. If successful, this operation returns a set of temporary Amazon Web Services credentials, including a two-part access key and a session token.

EC2 fleets

With an EC2 fleet (where compute type is EC2), use these credentials with Amazon EC2 Systems Manager (SSM) to start a session with the compute. For more details, see Starting a session (CLI) in the Amazon EC2 Systems Manager User Guide.

Container fleets

With a container fleet (where compute type is CONTAINER), use these credentials and the target value with SSM to connect to the fleet instance where the container is running. After you're connected to the instance, use Docker commands to interact with the container.

Learn more

" + "documentation":"

This operation has been expanded to use with the Amazon GameLift containers feature, which is currently in public preview.

Requests authorization to remotely connect to a hosting resource in a Amazon GameLift managed fleet. This operation is not used with Amazon GameLift Anywhere fleets

To request access, specify the compute name and the fleet ID. If successful, this operation returns a set of temporary Amazon Web Services credentials, including a two-part access key and a session token.

EC2 fleets

With an EC2 fleet (where compute type is EC2), use these credentials with Amazon EC2 Systems Manager (SSM) to start a session with the compute. For more details, see Starting a session (CLI) in the Amazon EC2 Systems Manager User Guide.

Container fleets

With a container fleet (where compute type is CONTAINER), use these credentials and the target value with SSM to connect to the fleet instance where the container is running. After you're connected to the instance, use Docker commands to interact with the container.

Learn more

" }, "GetComputeAuthToken":{ "name":"GetComputeAuthToken", @@ -2008,7 +2008,7 @@ }, "OperatingSystem":{ "shape":"OperatingSystem", - "documentation":"

Operating system that the game server binaries are built to run on. This value determines the type of fleet resources that you can use for this build.

" + "documentation":"

Operating system that the game server binaries are built to run on. This value determines the type of fleet resources that you can use for this build.

Amazon Linux 2 (AL2) will reach end of support on 6/30/2025. See more details in the Amazon Linux 2 FAQs. For game servers that are hosted on AL2 and use Amazon GameLift server SDK 4.x., first update the game server build to server SDK 5.x, and then deploy to AL2023 instances. See Migrate to Amazon GameLift server SDK version 5.

" }, "CreationTime":{ "shape":"Timestamp", @@ -2154,7 +2154,7 @@ }, "OperatingSystem":{ "shape":"OperatingSystem", - "documentation":"

The type of operating system on the compute resource.

" + "documentation":"

The type of operating system on the compute resource.

Amazon Linux 2 (AL2) will reach end of support on 6/30/2025. See more details in the Amazon Linux 2 FAQs. For game servers that are hosted on AL2 and use Amazon GameLift server SDK 4.x., first update the game server build to server SDK 5.x, and then deploy to AL2023 instances. See Migrate to Amazon GameLift server SDK version 5.

" }, "Type":{ "shape":"EC2InstanceType", @@ -2476,7 +2476,7 @@ }, "OperatingSystem":{ "shape":"ContainerOperatingSystem", - "documentation":"

The platform required for all containers in the container group definition.

" + "documentation":"

The platform required for all containers in the container group definition.

Amazon Linux 2 (AL2) will reach end of support on 6/30/2025. See more details in the Amazon Linux 2 FAQs. For game servers that are hosted on AL2 and use Amazon GameLift server SDK 4.x., first update the game server build to server SDK 5.x, and then deploy to AL2023 instances. See Migrate to Amazon GameLift server SDK version 5.

" }, "Name":{ "shape":"ContainerGroupDefinitionName", @@ -2615,7 +2615,7 @@ "documentation":"

The maximum possible number of replica container groups that each fleet instance can have.

" } }, - "documentation":"

This data type is used with the Amazon GameLift containers feature, which is currently in public preview.

Determines how many replica container groups that Amazon GameLift deploys to each instance in a container fleet.

Amazon GameLift calculates the maximum possible replica groups per instance based on the instance 's CPU and memory resources. When deploying a fleet, Amazon GameLift places replica container groups on each fleet instance based on the following:

  • If no desired value is set, Amazon GameLift places the calculated maximum.

  • If a desired number is set to a value higher than the calculated maximum, Amazon GameLift places the calculated maximum.

  • If a desired number is set to a value lower than the calculated maximum, Amazon GameLift places the desired number.

Part of: ContainerGroupsConfiguration, ContainerGroupsAttributes

Returned by: DescribeFleetAttributes, CreateFleet

" + "documentation":"

This data type is used with the Amazon GameLift containers feature, which is currently in public preview.

Determines how many replica container groups that Amazon GameLift deploys to each instance in a container fleet.

Amazon GameLift calculates the maximum possible replica groups per instance based on the instance 's CPU and memory resources. When deploying a fleet, Amazon GameLift places replica container groups on each fleet instance based on the following:

  • If no desired value is set, Amazon GameLift places the calculated maximum.

  • If a desired number is set to a value higher than the calculated maximum, fleet creation fails..

  • If a desired number is set to a value lower than the calculated maximum, Amazon GameLift places the desired number.

Part of: ContainerGroupsConfiguration, ContainerGroupsAttributes

Returned by: DescribeFleetAttributes, CreateFleet

" }, "ContainerHealthCheck":{ "type":"structure", @@ -2817,7 +2817,7 @@ }, "OperatingSystem":{ "shape":"OperatingSystem", - "documentation":"

The operating system that your game server binaries run on. This value determines the type of fleet resources that you use for this build. If your game build contains multiple executables, they all must run on the same operating system. You must specify a valid operating system in this request. There is no default value. You can't change a build's operating system later.

If you have active fleets using the Windows Server 2012 operating system, you can continue to create new builds using this OS until October 10, 2023, when Microsoft ends its support. All others must use Windows Server 2016 when creating new Windows-based builds.

" + "documentation":"

The operating system that your game server binaries run on. This value determines the type of fleet resources that you use for this build. If your game build contains multiple executables, they all must run on the same operating system. You must specify a valid operating system in this request. There is no default value. You can't change a build's operating system later.

Amazon Linux 2 (AL2) will reach end of support on 6/30/2025. See more details in the Amazon Linux 2 FAQs. For game servers that are hosted on AL2 and use Amazon GameLift server SDK 4.x., first update the game server build to server SDK 5.x, and then deploy to AL2023 instances. See Migrate to Amazon GameLift server SDK version 5.

" }, "Tags":{ "shape":"TagList", @@ -2878,7 +2878,7 @@ }, "OperatingSystem":{ "shape":"ContainerOperatingSystem", - "documentation":"

The platform that is used by containers in the container group definition. All containers in a group must run on the same operating system.

" + "documentation":"

The platform that is used by containers in the container group definition. All containers in a group must run on the same operating system.

Amazon Linux 2 (AL2) will reach end of support on 6/30/2025. See more details in the Amazon Linux 2 FAQs. For game servers that are hosted on AL2 and use Amazon GameLift server SDK 4.x., first update the game server build to server SDK 5.x, and then deploy to AL2023 instances. See Migrate to Amazon GameLift server SDK version 5.

" }, "Tags":{ "shape":"TagList", @@ -2973,7 +2973,7 @@ }, "Locations":{ "shape":"LocationConfigurationList", - "documentation":"

A set of remote locations to deploy additional instances to and manage as part of the fleet. This parameter can only be used when creating fleets in Amazon Web Services Regions that support multiple locations. You can add any Amazon GameLift-supported Amazon Web Services Region as a remote location, in the form of an Amazon Web Services Region code, such as us-west-2 or Local Zone code. To create a fleet with instances in the home Region only, don't set this parameter.

When using this parameter, Amazon GameLift requires you to include your home location in the request.

" + "documentation":"

A set of remote locations to deploy additional instances to and manage as a multi-location fleet. Use this parameter when creating a fleet in Amazon Web Services Regions that support multiple locations. You can add any Amazon Web Services Region or Local Zone that's supported by Amazon GameLift. Provide a list of one or more Amazon Web Services Region codes, such as us-west-2, or Local Zone names. When using this parameter, Amazon GameLift requires you to include your home location in the request. For a list of supported Regions and Local Zones, see Amazon GameLift service locations for managed hosting.

" }, "Tags":{ "shape":"TagList", @@ -3226,7 +3226,7 @@ }, "Tags":{ "shape":"TagList", - "documentation":"

A list of labels to assign to the new matchmaking configuration resource. Tags are developer-defined key-value pairs. Tagging Amazon Web Services resources are useful for resource management, access management and cost allocation. For more information, see Tagging Amazon Web Services Resources in the Amazon Web Services General Rareference.

" + "documentation":"

A list of labels to assign to the new resource. Tags are developer-defined key-value pairs. Tagging Amazon Web Services resources are useful for resource management, access management, and cost allocation. For more information, see Tagging Amazon Web Services Resources in the Amazon Web Services General Rareference.

" } } }, @@ -4924,7 +4924,7 @@ }, "EventCode":{ "shape":"EventCode", - "documentation":"

The type of event being logged.

Fleet state transition events:

  • FLEET_CREATED -- A fleet resource was successfully created with a status of NEW. Event messaging includes the fleet ID.

  • FLEET_STATE_DOWNLOADING -- Fleet status changed from NEW to DOWNLOADING. The compressed build has started downloading to a fleet instance for installation.

  • FLEET_STATE_VALIDATING -- Fleet status changed from DOWNLOADING to VALIDATING. Amazon GameLift has successfully downloaded the build and is now validating the build files.

  • FLEET_STATE_BUILDING -- Fleet status changed from VALIDATING to BUILDING. Amazon GameLift has successfully verified the build files and is now running the installation scripts.

  • FLEET_STATE_ACTIVATING -- Fleet status changed from BUILDING to ACTIVATING. Amazon GameLift is trying to launch an instance and test the connectivity between the build and the Amazon GameLift Service via the Server SDK.

  • FLEET_STATE_ACTIVE -- The fleet's status changed from ACTIVATING to ACTIVE. The fleet is now ready to host game sessions.

  • FLEET_STATE_ERROR -- The Fleet's status changed to ERROR. Describe the fleet event message for more details.

Fleet creation events (ordered by fleet creation activity):

  • FLEET_BINARY_DOWNLOAD_FAILED -- The build failed to download to the fleet instance.

  • FLEET_CREATION_EXTRACTING_BUILD -- The game server build was successfully downloaded to an instance, and the build files are now being extracted from the uploaded build and saved to an instance. Failure at this stage prevents a fleet from moving to ACTIVE status. Logs for this stage display a list of the files that are extracted and saved on the instance. Access the logs by using the URL in PreSignedLogUrl.

  • FLEET_CREATION_RUNNING_INSTALLER -- The game server build files were successfully extracted, and the GameLift is now running the build's install script (if one is included). Failure in this stage prevents a fleet from moving to ACTIVE status. Logs for this stage list the installation steps and whether or not the install completed successfully. Access the logs by using the URL in PreSignedLogUrl.

  • FLEET_CREATION_VALIDATING_RUNTIME_CONFIG -- The build process was successful, and the GameLift is now verifying that the game server launch paths, which are specified in the fleet's runtime configuration, exist. If any listed launch path exists, Amazon GameLift tries to launch a game server process and waits for the process to report ready. Failures in this stage prevent a fleet from moving to ACTIVE status. Logs for this stage list the launch paths in the runtime configuration and indicate whether each is found. Access the logs by using the URL in PreSignedLogUrl.

  • FLEET_VALIDATION_LAUNCH_PATH_NOT_FOUND -- Validation of the runtime configuration failed because the executable specified in a launch path does not exist on the instance.

  • FLEET_VALIDATION_EXECUTABLE_RUNTIME_FAILURE -- Validation of the runtime configuration failed because the executable specified in a launch path failed to run on the fleet instance.

  • FLEET_VALIDATION_TIMED_OUT -- Validation of the fleet at the end of creation timed out. Try fleet creation again.

  • FLEET_ACTIVATION_FAILED -- The fleet failed to successfully complete one of the steps in the fleet activation process. This event code indicates that the game build was successfully downloaded to a fleet instance, built, and validated, but was not able to start a server process. For more information, see Debug Fleet Creation Issues.

  • FLEET_ACTIVATION_FAILED_NO_INSTANCES -- Fleet creation was not able to obtain any instances based on the input fleet attributes. Try again at a different time or choose a different combination of fleet attributes such as fleet type, instance type, etc.

  • FLEET_INITIALIZATION_FAILED -- A generic exception occurred during fleet creation. Describe the fleet event message for more details.

VPC peering events:

  • FLEET_VPC_PEERING_SUCCEEDED -- A VPC peering connection has been established between the VPC for an Amazon GameLift fleet and a VPC in your Amazon Web Services account.

  • FLEET_VPC_PEERING_FAILED -- A requested VPC peering connection has failed. Event details and status information provide additional detail. A common reason for peering failure is that the two VPCs have overlapping CIDR blocks of IPv4 addresses. To resolve this, change the CIDR block for the VPC in your Amazon Web Services account. For more information on VPC peering failures, see https://docs.aws.amazon.com/AmazonVPC/latest/PeeringGuide/invalid-peering-configurations.html

  • FLEET_VPC_PEERING_DELETED -- A VPC peering connection has been successfully deleted.

Spot instance events:

  • INSTANCE_INTERRUPTED -- A spot instance was interrupted by EC2 with a two-minute notification.

  • INSTANCE_RECYCLED -- A spot instance was determined to have a high risk of interruption and is scheduled to be recycled once it has no active game sessions.

Server process events:

  • SERVER_PROCESS_INVALID_PATH -- The game server executable or script could not be found based on the Fleet runtime configuration. Check that the launch path is correct based on the operating system of the Fleet.

  • SERVER_PROCESS_SDK_INITIALIZATION_TIMEOUT -- The server process did not call InitSDK() within the time expected (5 minutes). Check your game session log to see why InitSDK() was not called in time.

  • SERVER_PROCESS_PROCESS_READY_TIMEOUT -- The server process did not call ProcessReady() within the time expected (5 minutes) after calling InitSDK(). Check your game session log to see why ProcessReady() was not called in time.

  • SERVER_PROCESS_CRASHED -- The server process exited without calling ProcessEnding(). Check your game session log to see why ProcessEnding() was not called.

  • SERVER_PROCESS_TERMINATED_UNHEALTHY -- The server process did not report a valid health check for too long and was therefore terminated by GameLift. Check your game session log to see if the thread became stuck processing a synchronous task for too long.

  • SERVER_PROCESS_FORCE_TERMINATED -- The server process did not exit cleanly within the time expected after OnProcessTerminate() was sent. Check your game session log to see why termination took longer than expected.

  • SERVER_PROCESS_PROCESS_EXIT_TIMEOUT -- The server process did not exit cleanly within the time expected (30 seconds) after calling ProcessEnding(). Check your game session log to see why termination took longer than expected.

Game session events:

  • GAME_SESSION_ACTIVATION_TIMEOUT -- GameSession failed to activate within the expected time. Check your game session log to see why ActivateGameSession() took longer to complete than expected.

Other fleet events:

  • FLEET_SCALING_EVENT -- A change was made to the fleet's capacity settings (desired instances, minimum/maximum scaling limits). Event messaging includes the new capacity settings.

  • FLEET_NEW_GAME_SESSION_PROTECTION_POLICY_UPDATED -- A change was made to the fleet's game session protection policy setting. Event messaging includes both the old and new policy setting.

  • FLEET_DELETED -- A request to delete a fleet was initiated.

  • GENERIC_EVENT -- An unspecified event has occurred.

" + "documentation":"

The type of event being logged.

Fleet state transition events:

  • FLEET_CREATED -- A fleet resource was successfully created with a status of NEW. Event messaging includes the fleet ID.

  • FLEET_STATE_DOWNLOADING -- Fleet status changed from NEW to DOWNLOADING. Amazon GameLift is downloading the compressed build and running install scripts.

  • FLEET_STATE_VALIDATING -- Fleet status changed from DOWNLOADING to VALIDATING. Amazon GameLift has successfully installed build and is now validating the build files.

  • FLEET_STATE_BUILDING -- Fleet status changed from VALIDATING to BUILDING. Amazon GameLift has successfully verified the build files and is now launching a fleet instance.

  • FLEET_STATE_ACTIVATING -- Fleet status changed from BUILDING to ACTIVATING. Amazon GameLift is launching a game server process on the fleet instance and is testing its connectivity with the Amazon GameLift service.

  • FLEET_STATE_ACTIVE -- The fleet's status changed from ACTIVATING to ACTIVE. The fleet is now ready to host game sessions.

  • FLEET_STATE_ERROR -- The Fleet's status changed to ERROR. Describe the fleet event message for more details.

Fleet creation events (ordered by fleet creation activity):

  • FLEET_BINARY_DOWNLOAD_FAILED -- The build failed to download to the fleet instance.

  • FLEET_CREATION_EXTRACTING_BUILD -- The game server build was successfully downloaded to an instance, and Amazon GameLiftis now extracting the build files from the uploaded build. Failure at this stage prevents a fleet from moving to ACTIVE status. Logs for this stage display a list of the files that are extracted and saved on the instance. Access the logs by using the URL in PreSignedLogUrl.

  • FLEET_CREATION_RUNNING_INSTALLER -- The game server build files were successfully extracted, and Amazon GameLift is now running the build's install script (if one is included). Failure in this stage prevents a fleet from moving to ACTIVE status. Logs for this stage list the installation steps and whether or not the install completed successfully. Access the logs by using the URL in PreSignedLogUrl.

  • FLEET_CREATION_COMPLETED_INSTALLER -- The game server build files were successfully installed and validation of the installation will begin soon.

  • FLEET_CREATION_FAILED_INSTALLER -- The installed failed while attempting to install the build files. This event indicates that the failure occurred before Amazon GameLift could start validation.

  • FLEET_CREATION_VALIDATING_RUNTIME_CONFIG -- The build process was successful, and the GameLift is now verifying that the game server launch paths, which are specified in the fleet's runtime configuration, exist. If any listed launch path exists, Amazon GameLift tries to launch a game server process and waits for the process to report ready. Failures in this stage prevent a fleet from moving to ACTIVE status. Logs for this stage list the launch paths in the runtime configuration and indicate whether each is found. Access the logs by using the URL in PreSignedLogUrl.

  • FLEET_VALIDATION_LAUNCH_PATH_NOT_FOUND -- Validation of the runtime configuration failed because the executable specified in a launch path does not exist on the instance.

  • FLEET_VALIDATION_EXECUTABLE_RUNTIME_FAILURE -- Validation of the runtime configuration failed because the executable specified in a launch path failed to run on the fleet instance.

  • FLEET_VALIDATION_TIMED_OUT -- Validation of the fleet at the end of creation timed out. Try fleet creation again.

  • FLEET_ACTIVATION_FAILED -- The fleet failed to successfully complete one of the steps in the fleet activation process. This event code indicates that the game build was successfully downloaded to a fleet instance, built, and validated, but was not able to start a server process. For more information, see Debug Fleet Creation Issues.

  • FLEET_ACTIVATION_FAILED_NO_INSTANCES -- Fleet creation was not able to obtain any instances based on the input fleet attributes. Try again at a different time or choose a different combination of fleet attributes such as fleet type, instance type, etc.

  • FLEET_INITIALIZATION_FAILED -- A generic exception occurred during fleet creation. Describe the fleet event message for more details.

VPC peering events:

  • FLEET_VPC_PEERING_SUCCEEDED -- A VPC peering connection has been established between the VPC for an Amazon GameLift fleet and a VPC in your Amazon Web Services account.

  • FLEET_VPC_PEERING_FAILED -- A requested VPC peering connection has failed. Event details and status information provide additional detail. A common reason for peering failure is that the two VPCs have overlapping CIDR blocks of IPv4 addresses. To resolve this, change the CIDR block for the VPC in your Amazon Web Services account. For more information on VPC peering failures, see https://docs.aws.amazon.com/AmazonVPC/latest/PeeringGuide/invalid-peering-configurations.html

  • FLEET_VPC_PEERING_DELETED -- A VPC peering connection has been successfully deleted.

Spot instance events:

  • INSTANCE_INTERRUPTED -- A spot instance was interrupted by EC2 with a two-minute notification.

  • INSTANCE_RECYCLED -- A spot instance was determined to have a high risk of interruption and is scheduled to be recycled once it has no active game sessions.

Server process events:

  • SERVER_PROCESS_INVALID_PATH -- The game server executable or script could not be found based on the Fleet runtime configuration. Check that the launch path is correct based on the operating system of the Fleet.

  • SERVER_PROCESS_SDK_INITIALIZATION_TIMEOUT -- The server process did not call InitSDK() within the time expected (5 minutes). Check your game session log to see why InitSDK() was not called in time.

  • SERVER_PROCESS_PROCESS_READY_TIMEOUT -- The server process did not call ProcessReady() within the time expected (5 minutes) after calling InitSDK(). Check your game session log to see why ProcessReady() was not called in time.

  • SERVER_PROCESS_CRASHED -- The server process exited without calling ProcessEnding(). Check your game session log to see why ProcessEnding() was not called.

  • SERVER_PROCESS_TERMINATED_UNHEALTHY -- The server process did not report a valid health check for too long and was therefore terminated by GameLift. Check your game session log to see if the thread became stuck processing a synchronous task for too long.

  • SERVER_PROCESS_FORCE_TERMINATED -- The server process did not exit cleanly within the time expected after OnProcessTerminate() was sent. Check your game session log to see why termination took longer than expected.

  • SERVER_PROCESS_PROCESS_EXIT_TIMEOUT -- The server process did not exit cleanly within the time expected (30 seconds) after calling ProcessEnding(). Check your game session log to see why termination took longer than expected.

Game session events:

  • GAME_SESSION_ACTIVATION_TIMEOUT -- GameSession failed to activate within the expected time. Check your game session log to see why ActivateGameSession() took longer to complete than expected.

Other fleet events:

  • FLEET_SCALING_EVENT -- A change was made to the fleet's capacity settings (desired instances, minimum/maximum scaling limits). Event messaging includes the new capacity settings.

  • FLEET_NEW_GAME_SESSION_PROTECTION_POLICY_UPDATED -- A change was made to the fleet's game session protection policy setting. Event messaging includes both the old and new policy setting.

  • FLEET_DELETED -- A request to delete a fleet was initiated.

  • GENERIC_EVENT -- An unspecified event has occurred.

" }, "Message":{ "shape":"NonEmptyString", @@ -4981,7 +4981,9 @@ "FLEET_VPC_PEERING_FAILED", "FLEET_VPC_PEERING_DELETED", "INSTANCE_INTERRUPTED", - "INSTANCE_RECYCLED" + "INSTANCE_RECYCLED", + "FLEET_CREATION_COMPLETED_INSTALLER", + "FLEET_CREATION_FAILED_INSTALLER" ] }, "EventCount":{ @@ -5065,7 +5067,7 @@ }, "Status":{ "shape":"FleetStatus", - "documentation":"

Current status of the fleet. Possible fleet statuses include the following:

  • NEW -- A new fleet has been defined and desired instances is set to 1.

  • DOWNLOADING/VALIDATING/BUILDING/ACTIVATING -- Amazon GameLift is setting up the new fleet, creating new instances with the game build or Realtime script and starting server processes.

  • ACTIVE -- Hosts can now accept game sessions.

  • ERROR -- An error occurred when downloading, validating, building, or activating the fleet.

  • DELETING -- Hosts are responding to a delete fleet request.

  • TERMINATED -- The fleet no longer exists.

" + "documentation":"

Current status of the fleet. Possible fleet statuses include the following:

  • NEW -- A new fleet resource has been defined and Amazon GameLift has started creating the fleet. Desired instances is set to 1.

  • DOWNLOADING/VALIDATING/BUILDING -- Amazon GameLift is download the game server build, running install scripts, and then validating the build files. When complete, Amazon GameLift launches a fleet instance.

  • ACTIVATING -- Amazon GameLift is launching a game server process and testing its connectivity with the Amazon GameLift service.

  • ACTIVE -- The fleet is now ready to host game sessions.

  • ERROR -- An error occurred when downloading, validating, building, or activating the fleet.

  • DELETING -- Hosts are responding to a delete fleet request.

  • TERMINATED -- The fleet no longer exists.

" }, "BuildId":{ "shape":"BuildId", @@ -5085,11 +5087,11 @@ }, "ServerLaunchPath":{ "shape":"LaunchPathStringModel", - "documentation":"

This parameter is no longer used. Server launch paths are now defined using the fleet's RuntimeConfiguration . Requests that use this parameter continue to be valid.

" + "documentation":"

This parameter is no longer used. Server launch paths are now defined using the fleet's RuntimeConfiguration. Requests that use this parameter continue to be valid.

" }, "ServerLaunchParameters":{ "shape":"LaunchParametersStringModel", - "documentation":"

This parameter is no longer used. Server launch parameters are now defined using the fleet's runtime configuration . Requests that use this parameter continue to be valid.

" + "documentation":"

This parameter is no longer used. Server launch parameters are now defined using the fleet's runtime configuration. Requests that use this parameter continue to be valid.

" }, "LogPaths":{ "shape":"StringList", @@ -5101,7 +5103,7 @@ }, "OperatingSystem":{ "shape":"OperatingSystem", - "documentation":"

The operating system of the fleet's computing resources. A fleet's operating system is determined by the OS of the build or script that is deployed on this fleet. This attribute is used with fleets where ComputeType is \"EC2\" or \"Container\".

" + "documentation":"

The operating system of the fleet's computing resources. A fleet's operating system is determined by the OS of the build or script that is deployed on this fleet. This attribute is used with fleets where ComputeType is \"EC2\" or \"Container\".

Amazon Linux 2 (AL2) will reach end of support on 6/30/2025. See more details in the Amazon Linux 2 FAQs. For game servers that are hosted on AL2 and use Amazon GameLift server SDK 4.x., first update the game server build to server SDK 5.x, and then deploy to AL2023 instances. See Migrate to Amazon GameLift server SDK version 5.

" }, "ResourceCreationLimitPolicy":{"shape":"ResourceCreationLimitPolicy"}, "MetricGroups":{ @@ -6187,7 +6189,7 @@ }, "OperatingSystem":{ "shape":"OperatingSystem", - "documentation":"

Operating system that is running on this EC2 instance.

" + "documentation":"

Operating system that is running on this EC2 instance.

Amazon Linux 2 (AL2) will reach end of support on 6/30/2025. See more details in the Amazon Linux 2 FAQs. For game servers that are hosted on AL2 and use Amazon GameLift server SDK 4.x., first update the game server build to server SDK 5.x, and then deploy to AL2023 instances. See Migrate to Amazon GameLift server SDK version 5.

" }, "Type":{ "shape":"EC2InstanceType", @@ -6789,7 +6791,7 @@ "members":{ "Location":{ "shape":"LocationStringModel", - "documentation":"

An Amazon Web Services Region code, such as us-west-2.

" + "documentation":"

An Amazon Web Services Region code, such as us-west-2. For a list of supported Regions and Local Zones, see Amazon GameLift service locations for managed hosting.

" } }, "documentation":"

This data type has been expanded to use with the Amazon GameLift containers feature, which is currently in public preview.

A remote location where a multi-location fleet can deploy game servers for game hosting.

" @@ -6831,7 +6833,7 @@ "documentation":"

The Amazon Resource Name (ARN) that is assigned to a Amazon GameLift location resource and uniquely identifies it. ARNs are unique across all Regions. Format is arn:aws:gamelift:<region>::location/location-a1234567-b8c9-0d1e-2fa3-b45c6d7e8912.

" } }, - "documentation":"

Properties of a custom location for use in an Amazon GameLift Anywhere fleet. This data type is returned in response to a call to https://docs.aws.amazon.com/gamelift/latest/apireference/API_CreateLocation.html.

" + "documentation":"

Properties of a custom location for use in an Amazon GameLift Anywhere fleet. This data type is returned in response to a call to CreateLocation.

" }, "LocationModelList":{ "type":"list", @@ -7184,7 +7186,7 @@ "members":{ "Message":{"shape":"NonEmptyString"} }, - "documentation":"

THe requested resources was not found. The resource was either not created yet or deleted.

", + "documentation":"

The requested resources was not found. The resource was either not created yet or deleted.

", "exception":true }, "NotReadyException":{ @@ -7579,11 +7581,11 @@ }, "IpAddress":{ "shape":"IpAddress", - "documentation":"

The IP address of the compute resource. Amazon GameLift requires either a DNS name or IP address.

" + "documentation":"

The IP address of the compute resource. Amazon GameLift requires either a DNS name or IP address. When registering an Anywhere fleet, an IP address is required.

" }, "Location":{ "shape":"LocationStringModel", - "documentation":"

The name of a custom location to associate with the compute resource being registered.

" + "documentation":"

The name of a custom location to associate with the compute resource being registered. This parameter is required when registering a compute for an Anywhere fleet.

" } } }, From c853457ef5b742165ac7b8bd6e32f88113e025c6 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Thu, 5 Sep 2024 18:06:17 +0000 Subject: [PATCH 024/108] AWS CodePipeline Update: Updates to add recent notes to APIs and to replace example S3 bucket names globally. --- .../feature-AWSCodePipeline-30ae0f5.json | 6 ++++++ .../main/resources/codegen-resources/service-2.json | 12 ++++++------ 2 files changed, 12 insertions(+), 6 deletions(-) create mode 100644 .changes/next-release/feature-AWSCodePipeline-30ae0f5.json diff --git a/.changes/next-release/feature-AWSCodePipeline-30ae0f5.json b/.changes/next-release/feature-AWSCodePipeline-30ae0f5.json new file mode 100644 index 000000000000..7db6a9747eb1 --- /dev/null +++ b/.changes/next-release/feature-AWSCodePipeline-30ae0f5.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "AWS CodePipeline", + "contributor": "", + "description": "Updates to add recent notes to APIs and to replace example S3 bucket names globally." +} 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 013a313a9ccc..dc11ae93aa5a 100644 --- a/services/codepipeline/src/main/resources/codegen-resources/service-2.json +++ b/services/codepipeline/src/main/resources/codegen-resources/service-2.json @@ -372,7 +372,7 @@ {"shape":"ValidationException"}, {"shape":"InvalidNextTokenException"} ], - "documentation":"

Gets a listing of all the webhooks in this Amazon Web Services Region for this account. The output lists all webhooks and includes the webhook URL and ARN and the configuration for each webhook.

" + "documentation":"

Gets a listing of all the webhooks in this Amazon Web Services Region for this account. The output lists all webhooks and includes the webhook URL and ARN and the configuration for each webhook.

If a secret token was provided, it will be redacted in the response.

" }, "OverrideStageCondition":{ "name":"OverrideStageCondition", @@ -532,7 +532,7 @@ {"shape":"InvalidTagsException"}, {"shape":"ConcurrentModificationException"} ], - "documentation":"

Defines a webhook and returns a unique webhook URL generated by CodePipeline. This URL can be supplied to third party source hosting providers to call every time there's a code change. When CodePipeline receives a POST request on this URL, the pipeline defined in the webhook is started as long as the POST request satisfied the authentication and filtering requirements supplied when defining the webhook. RegisterWebhookWithThirdParty and DeregisterWebhookWithThirdParty APIs can be used to automatically configure supported third parties to call the generated webhook URL.

" + "documentation":"

Defines a webhook and returns a unique webhook URL generated by CodePipeline. This URL can be supplied to third party source hosting providers to call every time there's a code change. When CodePipeline receives a POST request on this URL, the pipeline defined in the webhook is started as long as the POST request satisfied the authentication and filtering requirements supplied when defining the webhook. RegisterWebhookWithThirdParty and DeregisterWebhookWithThirdParty APIs can be used to automatically configure supported third parties to call the generated webhook URL.

When creating CodePipeline webhooks, do not use your own credentials or reuse the same secret token across multiple webhooks. For optimal security, generate a unique secret token for each webhook you create. The secret token is an arbitrary string that you provide, which GitHub uses to compute and sign the webhook payloads sent to CodePipeline, for protecting the integrity and authenticity of the webhook payloads. Using your own credentials or reusing the same token across multiple webhooks can lead to security vulnerabilities.

If a secret token was provided, it will be redacted in the response.

" }, "RegisterWebhookWithThirdParty":{ "name":"RegisterWebhookWithThirdParty", @@ -4647,7 +4647,7 @@ "members":{ "category":{ "shape":"RuleCategory", - "documentation":"

A category defines what kind of rule can be run in the stage, and constrains the provider type for the rule. Valid categories are limited to one of the following values.

  • INVOKE

  • Approval

  • Rule

" + "documentation":"

A category defines what kind of rule can be run in the stage, and constrains the provider type for the rule. The valid category is Rule.

" }, "owner":{ "shape":"RuleOwner", @@ -4655,7 +4655,7 @@ }, "provider":{ "shape":"RuleProvider", - "documentation":"

The provider of the service being called by the rule. Valid providers are determined by the rulecategory. For example, a managed rule in the Rule category type has an owner of AWS, which would be specified as AWS.

" + "documentation":"

The rule provider, such as the DeploymentWindow rule.

" }, "version":{ "shape":"Version", @@ -5399,7 +5399,7 @@ }, "SecretToken":{ "shape":"WebhookAuthConfigurationSecretToken", - "documentation":"

The property used to configure GitHub authentication. For GITHUB_HMAC, only the SecretToken property must be set.

" + "documentation":"

The property used to configure GitHub authentication. For GITHUB_HMAC, only the SecretToken property must be set.

When creating CodePipeline webhooks, do not use your own credentials or reuse the same secret token across multiple webhooks. For optimal security, generate a unique secret token for each webhook you create. The secret token is an arbitrary string that you provide, which GitHub uses to compute and sign the webhook payloads sent to CodePipeline, for protecting the integrity and authenticity of the webhook payloads. Using your own credentials or reusing the same token across multiple webhooks can lead to security vulnerabilities.

If a secret token was provided, it will be redacted in the response.

" } }, "documentation":"

The authentication applied to incoming webhook trigger requests.

" @@ -5451,7 +5451,7 @@ }, "authentication":{ "shape":"WebhookAuthenticationType", - "documentation":"

Supported options are GITHUB_HMAC, IP, and UNAUTHENTICATED.

  • For information about the authentication scheme implemented by GITHUB_HMAC, see Securing your webhooks on the GitHub Developer website.

  • IP rejects webhooks trigger requests unless they originate from an IP address in the IP range whitelisted in the authentication configuration.

  • UNAUTHENTICATED accepts all webhook trigger requests regardless of origin.

" + "documentation":"

Supported options are GITHUB_HMAC, IP, and UNAUTHENTICATED.

When creating CodePipeline webhooks, do not use your own credentials or reuse the same secret token across multiple webhooks. For optimal security, generate a unique secret token for each webhook you create. The secret token is an arbitrary string that you provide, which GitHub uses to compute and sign the webhook payloads sent to CodePipeline, for protecting the integrity and authenticity of the webhook payloads. Using your own credentials or reusing the same token across multiple webhooks can lead to security vulnerabilities.

If a secret token was provided, it will be redacted in the response.

  • For information about the authentication scheme implemented by GITHUB_HMAC, see Securing your webhooks on the GitHub Developer website.

  • IP rejects webhooks trigger requests unless they originate from an IP address in the IP range whitelisted in the authentication configuration.

  • UNAUTHENTICATED accepts all webhook trigger requests regardless of origin.

" }, "authenticationConfiguration":{ "shape":"WebhookAuthConfiguration", From f1e8cde91f6bc16a86c8a9675953360395d1f7fc Mon Sep 17 00:00:00 2001 From: AWS <> Date: Thu, 5 Sep 2024 18:06:17 +0000 Subject: [PATCH 025/108] Amazon Kinesis Analytics Update: Support for Flink 1.20 in Managed Service for Apache Flink --- .../feature-AmazonKinesisAnalytics-1b157ff.json | 6 ++++++ .../src/main/resources/codegen-resources/service-2.json | 3 ++- 2 files changed, 8 insertions(+), 1 deletion(-) create mode 100644 .changes/next-release/feature-AmazonKinesisAnalytics-1b157ff.json diff --git a/.changes/next-release/feature-AmazonKinesisAnalytics-1b157ff.json b/.changes/next-release/feature-AmazonKinesisAnalytics-1b157ff.json new file mode 100644 index 000000000000..21e6f6bca767 --- /dev/null +++ b/.changes/next-release/feature-AmazonKinesisAnalytics-1b157ff.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Amazon Kinesis Analytics", + "contributor": "", + "description": "Support for Flink 1.20 in Managed Service for Apache Flink" +} diff --git a/services/kinesisanalyticsv2/src/main/resources/codegen-resources/service-2.json b/services/kinesisanalyticsv2/src/main/resources/codegen-resources/service-2.json index c365d3614f11..76500c7d3f05 100644 --- a/services/kinesisanalyticsv2/src/main/resources/codegen-resources/service-2.json +++ b/services/kinesisanalyticsv2/src/main/resources/codegen-resources/service-2.json @@ -3774,7 +3774,8 @@ "FLINK-1_15", "ZEPPELIN-FLINK-3_0", "FLINK-1_18", - "FLINK-1_19" + "FLINK-1_19", + "FLINK-1_20" ] }, "S3ApplicationCodeLocationDescription":{ From bb59f97072ecf19f86c62d419f622968a4e1da81 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Thu, 5 Sep 2024 18:06:20 +0000 Subject: [PATCH 026/108] Amazon Connect Service Update: Amazon Connect Custom Vocabulary now supports Catalan (Spain), Danish (Denmark), Dutch (Netherlands), Finnish (Finland), Indonesian (Indonesia), Malay (Malaysia), Norwegian Bokmal (Norway), Polish (Poland), Swedish (Sweden), and Tagalog/Filipino (Philippines). --- .../feature-AmazonConnectService-e49a2e5.json | 6 ++++++ .../main/resources/codegen-resources/service-2.json | 12 +++++++++++- 2 files changed, 17 insertions(+), 1 deletion(-) create mode 100644 .changes/next-release/feature-AmazonConnectService-e49a2e5.json diff --git a/.changes/next-release/feature-AmazonConnectService-e49a2e5.json b/.changes/next-release/feature-AmazonConnectService-e49a2e5.json new file mode 100644 index 000000000000..037c0c7c5da4 --- /dev/null +++ b/.changes/next-release/feature-AmazonConnectService-e49a2e5.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Amazon Connect Service", + "contributor": "", + "description": "Amazon Connect Custom Vocabulary now supports Catalan (Spain), Danish (Denmark), Dutch (Netherlands), Finnish (Finland), Indonesian (Indonesia), Malay (Malaysia), Norwegian Bokmal (Norway), Polish (Poland), Swedish (Sweden), and Tagalog/Filipino (Philippines)." +} diff --git a/services/connect/src/main/resources/codegen-resources/service-2.json b/services/connect/src/main/resources/codegen-resources/service-2.json index 6af033be3aac..6ae2734b1783 100644 --- a/services/connect/src/main/resources/codegen-resources/service-2.json +++ b/services/connect/src/main/resources/codegen-resources/service-2.json @@ -23815,7 +23815,17 @@ "pt-PT", "zh-CN", "en-NZ", - "en-ZA" + "en-ZA", + "ca-ES", + "da-DK", + "fi-FI", + "id-ID", + "ms-MY", + "nl-NL", + "no-NO", + "pl-PL", + "sv-SE", + "tl-PH" ] }, "VocabularyLastModifiedTime":{"type":"timestamp"}, From ac2e64064d0bfd6c850ef120e13662715f6c1d7f Mon Sep 17 00:00:00 2001 From: AWS <> Date: Thu, 5 Sep 2024 18:06:18 +0000 Subject: [PATCH 027/108] Amazon CloudWatch Application Signals Update: Amazon CloudWatch Application Signals now supports creating Service Level Objectives using a new calculation type. Users can now create SLOs which are configured with request-based SLIs to help meet their specific business requirements. --- ...nCloudWatchApplicationSignals-99a3f96.json | 6 + .../codegen-resources/service-2.json | 203 +++++++++++++++--- 2 files changed, 183 insertions(+), 26 deletions(-) create mode 100644 .changes/next-release/feature-AmazonCloudWatchApplicationSignals-99a3f96.json diff --git a/.changes/next-release/feature-AmazonCloudWatchApplicationSignals-99a3f96.json b/.changes/next-release/feature-AmazonCloudWatchApplicationSignals-99a3f96.json new file mode 100644 index 000000000000..d8a11acfa56e --- /dev/null +++ b/.changes/next-release/feature-AmazonCloudWatchApplicationSignals-99a3f96.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Amazon CloudWatch Application Signals", + "contributor": "", + "description": "Amazon CloudWatch Application Signals now supports creating Service Level Objectives using a new calculation type. Users can now create SLOs which are configured with request-based SLIs to help meet their specific business requirements." +} diff --git a/services/applicationsignals/src/main/resources/codegen-resources/service-2.json b/services/applicationsignals/src/main/resources/codegen-resources/service-2.json index 37a930da0f7b..1d944fe2a187 100644 --- a/services/applicationsignals/src/main/resources/codegen-resources/service-2.json +++ b/services/applicationsignals/src/main/resources/codegen-resources/service-2.json @@ -26,7 +26,7 @@ {"shape":"ValidationException"}, {"shape":"ThrottlingException"} ], - "documentation":"

Use this operation to retrieve one or more service level objective (SLO) budget reports.

An error budget is the amount of time in unhealthy periods that your service can accumulate during an interval before your overall SLO budget health is breached and the SLO is considered to be unmet. For example, an SLO with a threshold of 99.95% and a monthly interval translates to an error budget of 21.9 minutes of downtime in a 30-day month.

Budget reports include a health indicator, the attainment value, and remaining budget.

For more information about SLO error budgets, see SLO concepts.

" + "documentation":"

Use this operation to retrieve one or more service level objective (SLO) budget reports.

An error budget is the amount of time or requests in an unhealthy state that your service can accumulate during an interval before your overall SLO budget health is breached and the SLO is considered to be unmet. For example, an SLO with a threshold of 99.95% and a monthly interval translates to an error budget of 21.9 minutes of downtime in a 30-day month.

Budget reports include a health indicator, the attainment value, and remaining budget.

For more information about SLO error budgets, see SLO concepts.

" }, "CreateServiceLevelObjective":{ "name":"CreateServiceLevelObjective", @@ -44,7 +44,7 @@ {"shape":"ServiceQuotaExceededException"}, {"shape":"ConflictException"} ], - "documentation":"

Creates a service level objective (SLO), which can help you ensure that your critical business operations are meeting customer expectations. Use SLOs to set and track specific target levels for the reliability and availability of your applications and services. SLOs use service level indicators (SLIs) to calculate whether the application is performing at the level that you want.

Create an SLO to set a target for a service or operation’s availability or latency. CloudWatch measures this target frequently you can find whether it has been breached.

When you create an SLO, you set an attainment goal for it. An attainment goal is the ratio of good periods that meet the threshold requirements to the total periods within the interval. For example, an attainment goal of 99.9% means that within your interval, you are targeting 99.9% of the periods to be in healthy state.

After you have created an SLO, you can retrieve error budget reports for it. An error budget is the number of periods or amount of time that your service can accumulate during an interval before your overall SLO budget health is breached and the SLO is considered to be unmet. for example, an SLO with a threshold that 99.95% of requests must be completed under 2000ms every month translates to an error budget of 21.9 minutes of downtime per month.

When you call this operation, Application Signals creates the AWSServiceRoleForCloudWatchApplicationSignals service-linked role, if it doesn't already exist in your account. This service- linked role has the following permissions:

  • xray:GetServiceGraph

  • logs:StartQuery

  • logs:GetQueryResults

  • cloudwatch:GetMetricData

  • cloudwatch:ListMetrics

  • tag:GetResources

  • autoscaling:DescribeAutoScalingGroups

You can easily set SLO targets for your applications that are discovered by Application Signals, using critical metrics such as latency and availability. You can also set SLOs against any CloudWatch metric or math expression that produces a time series.

For more information about SLOs, see Service level objectives (SLOs).

" + "documentation":"

Creates a service level objective (SLO), which can help you ensure that your critical business operations are meeting customer expectations. Use SLOs to set and track specific target levels for the reliability and availability of your applications and services. SLOs use service level indicators (SLIs) to calculate whether the application is performing at the level that you want.

Create an SLO to set a target for a service or operation’s availability or latency. CloudWatch measures this target frequently you can find whether it has been breached.

The target performance quality that is defined for an SLO is the attainment goal.

You can set SLO targets for your applications that are discovered by Application Signals, using critical metrics such as latency and availability. You can also set SLOs against any CloudWatch metric or math expression that produces a time series.

When you create an SLO, you specify whether it is a period-based SLO or a request-based SLO. Each type of SLO has a different way of evaluating your application's performance against its attainment goal.

  • A period-based SLO uses defined periods of time within a specified total time interval. For each period of time, Application Signals determines whether the application met its goal. The attainment rate is calculated as the number of good periods/number of total periods.

    For example, for a period-based SLO, meeting an attainment goal of 99.9% means that within your interval, your application must meet its performance goal during at least 99.9% of the time periods.

  • A request-based SLO doesn't use pre-defined periods of time. Instead, the SLO measures number of good requests/number of total requests during the interval. At any time, you can find the ratio of good requests to total requests for the interval up to the time stamp that you specify, and measure that ratio against the goal set in your SLO.

After you have created an SLO, you can retrieve error budget reports for it. An error budget is the amount of time or amount of requests that your application can be non-compliant with the SLO's goal, and still have your application meet the goal.

  • For a period-based SLO, the error budget starts at a number defined by the highest number of periods that can fail to meet the threshold, while still meeting the overall goal. The remaining error budget decreases with every failed period that is recorded. The error budget within one interval can never increase.

    For example, an SLO with a threshold that 99.95% of requests must be completed under 2000ms every month translates to an error budget of 21.9 minutes of downtime per month.

  • For a request-based SLO, the remaining error budget is dynamic and can increase or decrease, depending on the ratio of good requests to total requests.

For more information about SLOs, see Service level objectives (SLOs).

When you perform a CreateServiceLevelObjective operation, Application Signals creates the AWSServiceRoleForCloudWatchApplicationSignals service-linked role, if it doesn't already exist in your account. This service- linked role has the following permissions:

  • xray:GetServiceGraph

  • logs:StartQuery

  • logs:GetQueryResults

  • cloudwatch:GetMetricData

  • cloudwatch:ListMetrics

  • tag:GetResources

  • autoscaling:DescribeAutoScalingGroups

" }, "DeleteServiceLevelObjective":{ "name":"DeleteServiceLevelObjective", @@ -245,7 +245,7 @@ {"shape":"ResourceNotFoundException"}, {"shape":"ThrottlingException"} ], - "documentation":"

Updates an existing service level objective (SLO). If you omit parameters, the previous values of those parameters are retained.

" + "documentation":"

Updates an existing service level objective (SLO). If you omit parameters, the previous values of those parameters are retained.

You cannot change from a period-based SLO to a request-based SLO, or change from a request-based SLO to a period-based SLO.

" } }, "shapes":{ @@ -334,6 +334,10 @@ } } }, + "BudgetRequestsRemaining":{ + "type":"integer", + "box":true + }, "BudgetSecondsRemaining":{ "type":"integer", "box":true @@ -381,10 +385,7 @@ }, "CreateServiceLevelObjectiveInput":{ "type":"structure", - "required":[ - "Name", - "SliConfig" - ], + "required":["Name"], "members":{ "Name":{ "shape":"ServiceLevelObjectiveName", @@ -396,11 +397,15 @@ }, "SliConfig":{ "shape":"ServiceLevelIndicatorConfig", - "documentation":"

A structure that contains information about what service and what performance metric that this SLO will monitor.

" + "documentation":"

If this SLO is a period-based SLO, this structure defines the information about what performance metric this SLO will monitor.

You can't specify both RequestBasedSliConfig and SliConfig in the same operation.

" + }, + "RequestBasedSliConfig":{ + "shape":"RequestBasedServiceLevelIndicatorConfig", + "documentation":"

If this SLO is a request-based SLO, this structure defines the information about what performance metric this SLO will monitor.

You can't specify both RequestBasedSliConfig and SliConfig in the same operation.

" }, "Goal":{ "shape":"Goal", - "documentation":"

A structure that contains the attributes that determine the goal of the SLO. This includes the time period for evaluation and the attainment threshold.

" + "documentation":"

This structure contains the attributes that determine the goal of the SLO.

" }, "Tags":{ "shape":"TagList", @@ -472,10 +477,19 @@ "DurationUnit":{ "type":"string", "enum":[ + "MINUTE", + "HOUR", "DAY", "MONTH" ] }, + "EvaluationType":{ + "type":"string", + "enum":[ + "PeriodBased", + "RequestBased" + ] + }, "FaultDescription":{"type":"string"}, "GetServiceInput":{ "type":"structure", @@ -560,7 +574,7 @@ }, "AttainmentGoal":{ "shape":"AttainmentGoal", - "documentation":"

The threshold that determines if the goal is being met. An attainment goal is the ratio of good periods that meet the threshold requirements to the total periods within the interval. For example, an attainment goal of 99.9% means that within your interval, you are targeting 99.9% of the periods to be in healthy state.

If you omit this parameter, 99 is used to represent 99% as the attainment goal.

" + "documentation":"

The threshold that determines if the goal is being met.

If this is a period-based SLO, the attainment goal is the percentage of good periods that meet the threshold requirements to the total periods within the interval. For example, an attainment goal of 99.9% means that within your interval, you are targeting 99.9% of the periods to be in healthy state.

If this is a request-based SLO, the attainment goal is the percentage of requests that must be successful to meet the attainment goal.

If you omit this parameter, 99 is used to represent 99% as the attainment goal.

" }, "WarningThreshold":{ "shape":"WarningThreshold", @@ -992,7 +1006,7 @@ }, "AccountId":{ "shape":"AccountId", - "documentation":"

The ID of the account where this metric is located. If you are performing this operatiion in a monitoring account, use this to specify which source account to retrieve this metric from.

" + "documentation":"

The ID of the account where this metric is located. If you are performing this operation in a monitoring account, use this to specify which source account to retrieve this metric from.

" } }, "documentation":"

Use this structure to define a metric or metric math expression that you want to use as for a service level objective.

Each MetricDataQuery in the MetricDataQueries array specifies either a metric to retrieve, or a metric math expression to be performed on retrieved metrics. A single MetricDataQueries array can include as many as 20 MetricDataQuery structures in the array. The 20 structures can include as many as 10 structures that contain a MetricStat parameter to retrieve a metric, and as many as 10 structures that contain the Expression parameter to perform a math expression. Of those Expression structures, exactly one must have true as the value for ReturnData. The result of this expression used for the SLO.

For more information about metric math expressions, see CloudWatchUse metric math.

Within each MetricDataQuery object, you must specify either Expression or MetricStat but not both.

" @@ -1075,6 +1089,21 @@ "type":"string", "pattern":"[A-Za-z0-9 -]+" }, + "MonitoredRequestCountMetricDataQueries":{ + "type":"structure", + "members":{ + "GoodCountMetric":{ + "shape":"MetricDataQueries", + "documentation":"

If you want to count \"good requests\" to determine the percentage of successful requests for this request-based SLO, specify the metric to use as \"good requests\" in this structure.

" + }, + "BadCountMetric":{ + "shape":"MetricDataQueries", + "documentation":"

If you want to count \"bad requests\" to determine the percentage of successful requests for this request-based SLO, specify the metric to use as \"bad requests\" in this structure.

" + } + }, + "documentation":"

This structure defines the metric that is used as the \"good request\" or \"bad request\" value for a request-based SLO. This value observed for the metric defined in TotalRequestCountMetric is divided by the number found for MonitoredRequestCountMetric to determine the percentage of successful requests that this SLO tracks.

", + "union":true + }, "Namespace":{ "type":"string", "max":255, @@ -1092,6 +1121,100 @@ "box":true, "min":1 }, + "RequestBasedServiceLevelIndicator":{ + "type":"structure", + "required":["RequestBasedSliMetric"], + "members":{ + "RequestBasedSliMetric":{ + "shape":"RequestBasedServiceLevelIndicatorMetric", + "documentation":"

A structure that contains information about the metric that the SLO monitors.

" + }, + "MetricThreshold":{ + "shape":"ServiceLevelIndicatorMetricThreshold", + "documentation":"

This value is the threshold that the observed metric values of the SLI metric are compared to.

" + }, + "ComparisonOperator":{ + "shape":"ServiceLevelIndicatorComparisonOperator", + "documentation":"

The arithmetic operation used when comparing the specified metric to the threshold.

" + } + }, + "documentation":"

This structure contains information about the performance metric that a request-based SLO monitors.

" + }, + "RequestBasedServiceLevelIndicatorConfig":{ + "type":"structure", + "required":["RequestBasedSliMetricConfig"], + "members":{ + "RequestBasedSliMetricConfig":{ + "shape":"RequestBasedServiceLevelIndicatorMetricConfig", + "documentation":"

Use this structure to specify the metric to be used for the SLO.

" + }, + "MetricThreshold":{ + "shape":"ServiceLevelIndicatorMetricThreshold", + "documentation":"

The value that the SLI metric is compared to. This parameter is required if this SLO is tracking the Latency metric.

" + }, + "ComparisonOperator":{ + "shape":"ServiceLevelIndicatorComparisonOperator", + "documentation":"

The arithmetic operation to use when comparing the specified metric to the threshold. This parameter is required if this SLO is tracking the Latency metric.

" + } + }, + "documentation":"

This structure specifies the information about the service and the performance metric that a request-based SLO is to monitor.

" + }, + "RequestBasedServiceLevelIndicatorMetric":{ + "type":"structure", + "required":[ + "TotalRequestCountMetric", + "MonitoredRequestCountMetric" + ], + "members":{ + "KeyAttributes":{ + "shape":"Attributes", + "documentation":"

This is a string-to-string map that contains information about the type of object that this SLO is related to. It can include the following fields.

  • Type designates the type of object that this SLO is related to.

  • ResourceType specifies the type of the resource. This field is used only when the value of the Type field is Resource or AWS::Resource.

  • Name specifies the name of the object. This is used only if the value of the Type field is Service, RemoteService, or AWS::Service.

  • Identifier identifies the resource objects of this resource. This is used only if the value of the Type field is Resource or AWS::Resource.

  • Environment specifies the location where this object is hosted, or what it belongs to.

" + }, + "OperationName":{ + "shape":"OperationName", + "documentation":"

If the SLO monitors a specific operation of the service, this field displays that operation name.

" + }, + "MetricType":{ + "shape":"ServiceLevelIndicatorMetricType", + "documentation":"

If the SLO monitors either the LATENCY or AVAILABILITY metric that Application Signals collects, this field displays which of those metrics is used.

" + }, + "TotalRequestCountMetric":{ + "shape":"MetricDataQueries", + "documentation":"

This structure defines the metric that is used as the \"total requests\" number for a request-based SLO. The number observed for this metric is divided by the number of \"good requests\" or \"bad requests\" that is observed for the metric defined in MonitoredRequestCountMetric.

" + }, + "MonitoredRequestCountMetric":{ + "shape":"MonitoredRequestCountMetricDataQueries", + "documentation":"

This structure defines the metric that is used as the \"good request\" or \"bad request\" value for a request-based SLO. This value observed for the metric defined in TotalRequestCountMetric is divided by the number found for MonitoredRequestCountMetric to determine the percentage of successful requests that this SLO tracks.

" + } + }, + "documentation":"

This structure contains the information about the metric that is used for a request-based SLO.

" + }, + "RequestBasedServiceLevelIndicatorMetricConfig":{ + "type":"structure", + "members":{ + "KeyAttributes":{ + "shape":"Attributes", + "documentation":"

If this SLO is related to a metric collected by Application Signals, you must use this field to specify which service the SLO metric is related to. To do so, you must specify at least the Type, Name, and Environment attributes.

This is a string-to-string map. It can include the following fields.

  • Type designates the type of object this is.

  • ResourceType specifies the type of the resource. This field is used only when the value of the Type field is Resource or AWS::Resource.

  • Name specifies the name of the object. This is used only if the value of the Type field is Service, RemoteService, or AWS::Service.

  • Identifier identifies the resource objects of this resource. This is used only if the value of the Type field is Resource or AWS::Resource.

  • Environment specifies the location where this object is hosted, or what it belongs to.

" + }, + "OperationName":{ + "shape":"OperationName", + "documentation":"

If the SLO is to monitor a specific operation of the service, use this field to specify the name of that operation.

" + }, + "MetricType":{ + "shape":"ServiceLevelIndicatorMetricType", + "documentation":"

If the SLO is to monitor either the LATENCY or AVAILABILITY metric that Application Signals collects, use this field to specify which of those metrics is used.

" + }, + "TotalRequestCountMetric":{ + "shape":"MetricDataQueries", + "documentation":"

Use this structure to define the metric that you want to use as the \"total requests\" number for a request-based SLO. This result will be divided by the \"good request\" or \"bad request\" value defined in MonitoredRequestCountMetric.

" + }, + "MonitoredRequestCountMetric":{ + "shape":"MonitoredRequestCountMetricDataQueries", + "documentation":"

Use this structure to define the metric that you want to use as the \"good request\" or \"bad request\" value for a request-based SLO. This value observed for the metric defined in TotalRequestCountMetric will be divided by the number found for MonitoredRequestCountMetric to determine the percentage of successful requests that this SLO tracks.

" + } + }, + "documentation":"

Use this structure to specify the information for the metric that a period-based SLO will monitor.

" + }, "ResourceId":{"type":"string"}, "ResourceNotFoundException":{ "type":"structure", @@ -1165,7 +1288,7 @@ }, "AttributeMaps":{ "shape":"AttributeMaps", - "documentation":"

This structure contains one or more string-to-string maps that help identify this service. It can include platform attributes, application attributes, and telemetry attributes.

Platform attributes contain information the service's platform.

  • PlatformType defines the hosted-in platform.

  • EKS.Cluster is the name of the Amazon EKS cluster.

  • K8s.Cluster is the name of the self-hosted Kubernetes cluster.

  • K8s.Namespace is the name of the Kubernetes namespace in either Amazon EKS or Kubernetes clusters.

  • K8s.Workload is the name of the Kubernetes workload in either Amazon EKS or Kubernetes clusters.

  • K8s.Node is the name of the Kubernetes node in either Amazon EKS or Kubernetes clusters.

  • K8s.Pod is the name of the Kubernetes pod in either Amazon EKS or Kubernetes clusters.

  • EC2.AutoScalingGroup is the name of the Amazon EC2 Auto Scaling group.

  • EC2.InstanceId is the ID of the Amazon EC2 instance.

  • Host is the name of the host, for all platform types.

Applciation attributes contain information about the application.

  • AWS.Application is the application's name in Amazon Web Services Service Catalog AppRegistry.

  • AWS.Application.ARN is the application's ARN in Amazon Web Services Service Catalog AppRegistry.

Telemetry attributes contain telemetry information.

  • Telemetry.SDK is the fingerprint of the OpenTelemetry SDK version for instrumented services.

  • Telemetry.Agent is the fingerprint of the agent used to collect and send telemetry data.

  • Telemetry.Source Specifies the point of application where the telemetry was collected or specifies what was used for the source of telemetry data.

" + "documentation":"

This structure contains one or more string-to-string maps that help identify this service. It can include platform attributes, application attributes, and telemetry attributes.

Platform attributes contain information the service's platform.

  • PlatformType defines the hosted-in platform.

  • EKS.Cluster is the name of the Amazon EKS cluster.

  • K8s.Cluster is the name of the self-hosted Kubernetes cluster.

  • K8s.Namespace is the name of the Kubernetes namespace in either Amazon EKS or Kubernetes clusters.

  • K8s.Workload is the name of the Kubernetes workload in either Amazon EKS or Kubernetes clusters.

  • K8s.Node is the name of the Kubernetes node in either Amazon EKS or Kubernetes clusters.

  • K8s.Pod is the name of the Kubernetes pod in either Amazon EKS or Kubernetes clusters.

  • EC2.AutoScalingGroup is the name of the Amazon EC2 Auto Scaling group.

  • EC2.InstanceId is the ID of the Amazon EC2 instance.

  • Host is the name of the host, for all platform types.

Application attributes contain information about the application.

  • AWS.Application is the application's name in Amazon Web Services Service Catalog AppRegistry.

  • AWS.Application.ARN is the application's ARN in Amazon Web Services Service Catalog AppRegistry.

Telemetry attributes contain telemetry information.

  • Telemetry.SDK is the fingerprint of the OpenTelemetry SDK version for instrumented services.

  • Telemetry.Agent is the fingerprint of the agent used to collect and send telemetry data.

  • Telemetry.Source Specifies the point of application where the telemetry was collected or specifies what was used for the source of telemetry data.

" }, "MetricReferences":{ "shape":"MetricReferences", @@ -1266,7 +1389,7 @@ "documentation":"

The arithmetic operation used when comparing the specified metric to the threshold.

" } }, - "documentation":"

This structure contains information about the performance metric that an SLO monitors.

" + "documentation":"

This structure contains information about the performance metric that a period-based SLO monitors.

" }, "ServiceLevelIndicatorComparisonOperator":{ "type":"string", @@ -1291,14 +1414,14 @@ }, "MetricThreshold":{ "shape":"ServiceLevelIndicatorMetricThreshold", - "documentation":"

The value that the SLI metric is compared to.

" + "documentation":"

This parameter is used only when a request-based SLO tracks the Latency metric. Specify the threshold value that the observed Latency metric values are to be compared to.

" }, "ComparisonOperator":{ "shape":"ServiceLevelIndicatorComparisonOperator", "documentation":"

The arithmetic operation to use when comparing the specified metric to the threshold.

" } }, - "documentation":"

This structure specifies the information about the service and the performance metric that an SLO is to monitor.

" + "documentation":"

This structure specifies the information about the service and the performance metric that a period-based SLO is to monitor.

" }, "ServiceLevelIndicatorMetric":{ "type":"structure", @@ -1321,7 +1444,7 @@ "documentation":"

If this SLO monitors a CloudWatch metric or the result of a CloudWatch metric math expression, this structure includes the information about that metric or expression.

" } }, - "documentation":"

This structure contains the information about the metric that is used for the SLO.

" + "documentation":"

This structure contains the information about the metric that is used for a period-based SLO.

" }, "ServiceLevelIndicatorMetricConfig":{ "type":"structure", @@ -1351,7 +1474,7 @@ "documentation":"

If this SLO monitors a CloudWatch metric or the result of a CloudWatch metric math expression, use this structure to specify that metric or expression.

" } }, - "documentation":"

Use this structure to specify the information for the metric that the SLO will monitor.

" + "documentation":"

Use this structure to specify the information for the metric that a period-based SLO will monitor.

" }, "ServiceLevelIndicatorMetricThreshold":{ "type":"double", @@ -1377,7 +1500,6 @@ "Name", "CreatedTime", "LastUpdatedTime", - "Sli", "Goal" ], "members":{ @@ -1403,7 +1525,15 @@ }, "Sli":{ "shape":"ServiceLevelIndicator", - "documentation":"

A structure containing information about the performance metric that this SLO monitors.

" + "documentation":"

A structure containing information about the performance metric that this SLO monitors, if this is a period-based SLO.

" + }, + "RequestBasedSli":{ + "shape":"RequestBasedServiceLevelIndicator", + "documentation":"

A structure containing information about the performance metric that this SLO monitors, if this is a request-based SLO.

" + }, + "EvaluationType":{ + "shape":"EvaluationType", + "documentation":"

Displays whether this is a period-based SLO or a request-based SLO.

" }, "Goal":{"shape":"Goal"} }, @@ -1431,26 +1561,39 @@ "shape":"ServiceLevelObjectiveName", "documentation":"

The name of the SLO that this report is for.

" }, + "EvaluationType":{ + "shape":"EvaluationType", + "documentation":"

Displays whether this budget report is for a period-based SLO or a request-based SLO.

" + }, "BudgetStatus":{ "shape":"ServiceLevelObjectiveBudgetStatus", - "documentation":"

The status of this SLO, as it relates to the error budget for the entire time interval.

  • OK means that the SLO had remaining budget above the warning threshold, as of the time that you specified in TimeStamp.

  • WARNING means that the SLO's remaining budget was below the warning threshold, as of the time that you specified in TimeStamp.

  • BREACHED means that the SLO's budget was exhausted, as of the time that you specified in TimeStamp.

  • INSUFFICIENT_DATA means that the specifed start and end times were before the SLO was created, or that attainment data is missing.

" + "documentation":"

The status of this SLO, as it relates to the error budget for the entire time interval.

  • OK means that the SLO had remaining budget above the warning threshold, as of the time that you specified in TimeStamp.

  • WARNING means that the SLO's remaining budget was below the warning threshold, as of the time that you specified in TimeStamp.

  • BREACHED means that the SLO's budget was exhausted, as of the time that you specified in TimeStamp.

  • INSUFFICIENT_DATA means that the specified start and end times were before the SLO was created, or that attainment data is missing.

" }, "Attainment":{ "shape":"Attainment", - "documentation":"

A number between 0 and 100 that represents the percentage of time periods that the service has attained the SLO's attainment goal, as of the time of the request.

" + "documentation":"

A number between 0 and 100 that represents the success percentage of your application compared to the goal set by the SLO.

If this is a period-based SLO, the number is the percentage of time periods that the service has attained the SLO's attainment goal, as of the time of the request.

If this is a request-based SLO, the number is the number of successful requests divided by the number of total requests, multiplied by 100, during the time range that you specified in your request.

" }, "TotalBudgetSeconds":{ "shape":"TotalBudgetSeconds", - "documentation":"

The total number of seconds in the error budget for the interval.

" + "documentation":"

The total number of seconds in the error budget for the interval. This field is included only if the SLO is a period-based SLO.

" }, "BudgetSecondsRemaining":{ "shape":"BudgetSecondsRemaining", - "documentation":"

The budget amount remaining before the SLO status becomes BREACHING, at the time specified in the Timestemp parameter of the request. If this value is negative, then the SLO is already in BREACHING status.

" + "documentation":"

The budget amount remaining before the SLO status becomes BREACHING, at the time specified in the Timestemp parameter of the request. If this value is negative, then the SLO is already in BREACHING status.

This field is included only if the SLO is a period-based SLO.

" + }, + "TotalBudgetRequests":{ + "shape":"TotalBudgetRequests", + "documentation":"

This field is displayed only for request-based SLOs. It displays the total number of failed requests that can be tolerated during the time range between the start of the interval and the time stamp supplied in the budget report request. It is based on the total number of requests that occurred, and the percentage specified in the attainment goal. If the number of failed requests matches this number or is higher, then this SLO is currently breaching.

This number can go up and down between reports with different time stamps, based on both how many total requests occur.

" + }, + "BudgetRequestsRemaining":{ + "shape":"BudgetRequestsRemaining", + "documentation":"

This field is displayed only for request-based SLOs. It displays the number of failed requests that can be tolerated before any more successful requests occur, and still have the application meet its SLO goal.

This number can go up and down between different reports, based on both how many successful requests and how many failed requests occur in that time.

" }, "Sli":{ "shape":"ServiceLevelIndicator", "documentation":"

A structure that contains information about the performance metric that this SLO monitors.

" }, + "RequestBasedSli":{"shape":"RequestBasedServiceLevelIndicator"}, "Goal":{"shape":"Goal"} }, "documentation":"

A structure containing an SLO budget report that you have requested.

" @@ -1613,14 +1756,14 @@ }, "AttributeMaps":{ "shape":"AttributeMaps", - "documentation":"

This structure contains one or more string-to-string maps that help identify this service. It can include platform attributes, application attributes, and telemetry attributes.

Platform attributes contain information the service's platform.

  • PlatformType defines the hosted-in platform.

  • EKS.Cluster is the name of the Amazon EKS cluster.

  • K8s.Cluster is the name of the self-hosted Kubernetes cluster.

  • K8s.Namespace is the name of the Kubernetes namespace in either Amazon EKS or Kubernetes clusters.

  • K8s.Workload is the name of the Kubernetes workload in either Amazon EKS or Kubernetes clusters.

  • K8s.Node is the name of the Kubernetes node in either Amazon EKS or Kubernetes clusters.

  • K8s.Pod is the name of the Kubernetes pod in either Amazon EKS or Kubernetes clusters.

  • EC2.AutoScalingGroup is the name of the Amazon EC2 Auto Scaling group.

  • EC2.InstanceId is the ID of the Amazon EC2 instance.

  • Host is the name of the host, for all platform types.

Applciation attributes contain information about the application.

  • AWS.Application is the application's name in Amazon Web Services Service Catalog AppRegistry.

  • AWS.Application.ARN is the application's ARN in Amazon Web Services Service Catalog AppRegistry.

Telemetry attributes contain telemetry information.

  • Telemetry.SDK is the fingerprint of the OpenTelemetry SDK version for instrumented services.

  • Telemetry.Agent is the fingerprint of the agent used to collect and send telemetry data.

  • Telemetry.Source Specifies the point of application where the telemetry was collected or specifies what was used for the source of telemetry data.

" + "documentation":"

This structure contains one or more string-to-string maps that help identify this service. It can include platform attributes, application attributes, and telemetry attributes.

Platform attributes contain information the service's platform.

  • PlatformType defines the hosted-in platform.

  • EKS.Cluster is the name of the Amazon EKS cluster.

  • K8s.Cluster is the name of the self-hosted Kubernetes cluster.

  • K8s.Namespace is the name of the Kubernetes namespace in either Amazon EKS or Kubernetes clusters.

  • K8s.Workload is the name of the Kubernetes workload in either Amazon EKS or Kubernetes clusters.

  • K8s.Node is the name of the Kubernetes node in either Amazon EKS or Kubernetes clusters.

  • K8s.Pod is the name of the Kubernetes pod in either Amazon EKS or Kubernetes clusters.

  • EC2.AutoScalingGroup is the name of the Amazon EC2 Auto Scaling group.

  • EC2.InstanceId is the ID of the Amazon EC2 instance.

  • Host is the name of the host, for all platform types.

Application attributes contain information about the application.

  • AWS.Application is the application's name in Amazon Web Services Service Catalog AppRegistry.

  • AWS.Application.ARN is the application's ARN in Amazon Web Services Service Catalog AppRegistry.

Telemetry attributes contain telemetry information.

  • Telemetry.SDK is the fingerprint of the OpenTelemetry SDK version for instrumented services.

  • Telemetry.Agent is the fingerprint of the agent used to collect and send telemetry data.

  • Telemetry.Source Specifies the point of application where the telemetry was collected or specifies what was used for the source of telemetry data.

" }, "MetricReferences":{ "shape":"MetricReferences", "documentation":"

An array of structures that each contain information about one metric associated with this service.

" } }, - "documentation":"

This structure contains information about one of your services that was discoverd by Application Signals

" + "documentation":"

This structure contains information about one of your services that was discovered by Application Signals

" }, "StandardUnit":{ "type":"string", @@ -1742,6 +1885,10 @@ "exception":true }, "Timestamp":{"type":"timestamp"}, + "TotalBudgetRequests":{ + "type":"integer", + "box":true + }, "TotalBudgetSeconds":{ "type":"integer", "box":true @@ -1784,7 +1931,11 @@ }, "SliConfig":{ "shape":"ServiceLevelIndicatorConfig", - "documentation":"

A structure that contains information about what performance metric this SLO will monitor.

" + "documentation":"

If this SLO is a period-based SLO, this structure defines the information about what performance metric this SLO will monitor.

" + }, + "RequestBasedSliConfig":{ + "shape":"RequestBasedServiceLevelIndicatorConfig", + "documentation":"

If this SLO is a request-based SLO, this structure defines the information about what performance metric this SLO will monitor.

You can't specify both SliConfig and RequestBasedSliConfig in the same operation.

" }, "Goal":{ "shape":"Goal", From 5b00300a09cb334ce280fadd5773d50842248ccd Mon Sep 17 00:00:00 2001 From: AWS <> Date: Thu, 5 Sep 2024 18:08:45 +0000 Subject: [PATCH 028/108] Release 2.27.20. Updated CHANGELOG.md, README.md and all pom.xml. --- .changes/2.27.20.json | 42 +++++++++++++++++++ .../feature-AWSCodePipeline-30ae0f5.json | 6 --- ...nCloudWatchApplicationSignals-99a3f96.json | 6 --- .../feature-AmazonConnectService-e49a2e5.json | 6 --- .../feature-AmazonGameLift-374931c.json | 6 --- ...eature-AmazonKinesisAnalytics-1b157ff.json | 6 --- ...eature-AmazonSageMakerService-b473d8f.json | 6 --- CHANGELOG.md | 27 +++++++++++- 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/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/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/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/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/worklink/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 +- 478 files changed, 541 insertions(+), 510 deletions(-) create mode 100644 .changes/2.27.20.json delete mode 100644 .changes/next-release/feature-AWSCodePipeline-30ae0f5.json delete mode 100644 .changes/next-release/feature-AmazonCloudWatchApplicationSignals-99a3f96.json delete mode 100644 .changes/next-release/feature-AmazonConnectService-e49a2e5.json delete mode 100644 .changes/next-release/feature-AmazonGameLift-374931c.json delete mode 100644 .changes/next-release/feature-AmazonKinesisAnalytics-1b157ff.json delete mode 100644 .changes/next-release/feature-AmazonSageMakerService-b473d8f.json diff --git a/.changes/2.27.20.json b/.changes/2.27.20.json new file mode 100644 index 000000000000..de3bb4e5ead0 --- /dev/null +++ b/.changes/2.27.20.json @@ -0,0 +1,42 @@ +{ + "version": "2.27.20", + "date": "2024-09-05", + "entries": [ + { + "type": "feature", + "category": "AWS CodePipeline", + "contributor": "", + "description": "Updates to add recent notes to APIs and to replace example S3 bucket names globally." + }, + { + "type": "feature", + "category": "Amazon CloudWatch Application Signals", + "contributor": "", + "description": "Amazon CloudWatch Application Signals now supports creating Service Level Objectives using a new calculation type. Users can now create SLOs which are configured with request-based SLIs to help meet their specific business requirements." + }, + { + "type": "feature", + "category": "Amazon Connect Service", + "contributor": "", + "description": "Amazon Connect Custom Vocabulary now supports Catalan (Spain), Danish (Denmark), Dutch (Netherlands), Finnish (Finland), Indonesian (Indonesia), Malay (Malaysia), Norwegian Bokmal (Norway), Polish (Poland), Swedish (Sweden), and Tagalog/Filipino (Philippines)." + }, + { + "type": "feature", + "category": "Amazon GameLift", + "contributor": "", + "description": "Amazon GameLift provides additional events for tracking the fleet creation process." + }, + { + "type": "feature", + "category": "Amazon Kinesis Analytics", + "contributor": "", + "description": "Support for Flink 1.20 in Managed Service for Apache Flink" + }, + { + "type": "feature", + "category": "Amazon SageMaker Service", + "contributor": "", + "description": "Amazon SageMaker now supports idle shutdown of JupyterLab and CodeEditor applications on SageMaker Studio." + } + ] +} \ No newline at end of file diff --git a/.changes/next-release/feature-AWSCodePipeline-30ae0f5.json b/.changes/next-release/feature-AWSCodePipeline-30ae0f5.json deleted file mode 100644 index 7db6a9747eb1..000000000000 --- a/.changes/next-release/feature-AWSCodePipeline-30ae0f5.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "AWS CodePipeline", - "contributor": "", - "description": "Updates to add recent notes to APIs and to replace example S3 bucket names globally." -} diff --git a/.changes/next-release/feature-AmazonCloudWatchApplicationSignals-99a3f96.json b/.changes/next-release/feature-AmazonCloudWatchApplicationSignals-99a3f96.json deleted file mode 100644 index d8a11acfa56e..000000000000 --- a/.changes/next-release/feature-AmazonCloudWatchApplicationSignals-99a3f96.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "Amazon CloudWatch Application Signals", - "contributor": "", - "description": "Amazon CloudWatch Application Signals now supports creating Service Level Objectives using a new calculation type. Users can now create SLOs which are configured with request-based SLIs to help meet their specific business requirements." -} diff --git a/.changes/next-release/feature-AmazonConnectService-e49a2e5.json b/.changes/next-release/feature-AmazonConnectService-e49a2e5.json deleted file mode 100644 index 037c0c7c5da4..000000000000 --- a/.changes/next-release/feature-AmazonConnectService-e49a2e5.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "Amazon Connect Service", - "contributor": "", - "description": "Amazon Connect Custom Vocabulary now supports Catalan (Spain), Danish (Denmark), Dutch (Netherlands), Finnish (Finland), Indonesian (Indonesia), Malay (Malaysia), Norwegian Bokmal (Norway), Polish (Poland), Swedish (Sweden), and Tagalog/Filipino (Philippines)." -} diff --git a/.changes/next-release/feature-AmazonGameLift-374931c.json b/.changes/next-release/feature-AmazonGameLift-374931c.json deleted file mode 100644 index f2749af63c64..000000000000 --- a/.changes/next-release/feature-AmazonGameLift-374931c.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "Amazon GameLift", - "contributor": "", - "description": "Amazon GameLift provides additional events for tracking the fleet creation process." -} diff --git a/.changes/next-release/feature-AmazonKinesisAnalytics-1b157ff.json b/.changes/next-release/feature-AmazonKinesisAnalytics-1b157ff.json deleted file mode 100644 index 21e6f6bca767..000000000000 --- a/.changes/next-release/feature-AmazonKinesisAnalytics-1b157ff.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "Amazon Kinesis Analytics", - "contributor": "", - "description": "Support for Flink 1.20 in Managed Service for Apache Flink" -} diff --git a/.changes/next-release/feature-AmazonSageMakerService-b473d8f.json b/.changes/next-release/feature-AmazonSageMakerService-b473d8f.json deleted file mode 100644 index aec0728c33df..000000000000 --- a/.changes/next-release/feature-AmazonSageMakerService-b473d8f.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "Amazon SageMaker Service", - "contributor": "", - "description": "Amazon SageMaker now supports idle shutdown of JupyterLab and CodeEditor applications on SageMaker Studio." -} diff --git a/CHANGELOG.md b/CHANGELOG.md index 1bcb061910a0..31022f2356e4 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,29 @@ #### 👋 _Looking for changelogs for older versions? You can find them in the [changelogs](./changelogs) directory._ +# __2.27.20__ __2024-09-05__ +## __AWS CodePipeline__ + - ### Features + - Updates to add recent notes to APIs and to replace example S3 bucket names globally. + +## __Amazon CloudWatch Application Signals__ + - ### Features + - Amazon CloudWatch Application Signals now supports creating Service Level Objectives using a new calculation type. Users can now create SLOs which are configured with request-based SLIs to help meet their specific business requirements. + +## __Amazon Connect Service__ + - ### Features + - Amazon Connect Custom Vocabulary now supports Catalan (Spain), Danish (Denmark), Dutch (Netherlands), Finnish (Finland), Indonesian (Indonesia), Malay (Malaysia), Norwegian Bokmal (Norway), Polish (Poland), Swedish (Sweden), and Tagalog/Filipino (Philippines). + +## __Amazon GameLift__ + - ### Features + - Amazon GameLift provides additional events for tracking the fleet creation process. + +## __Amazon Kinesis Analytics__ + - ### Features + - Support for Flink 1.20 in Managed Service for Apache Flink + +## __Amazon SageMaker Service__ + - ### Features + - Amazon SageMaker now supports idle shutdown of JupyterLab and CodeEditor applications on SageMaker Studio. + # __2.27.19__ __2024-09-04__ ## __AWS AppSync__ - ### Features @@ -40,7 +65,7 @@ ## __Contributors__ Special thanks to the following contributors to this release: -[@anirudh9391](https://github.com/anirudh9391), [@shetsa-amzn](https://github.com/shetsa-amzn) +[@shetsa-amzn](https://github.com/shetsa-amzn), [@anirudh9391](https://github.com/anirudh9391) # __2.27.18__ __2024-09-03__ ## __AWS Elemental MediaLive__ - ### Features diff --git a/README.md b/README.md index 664103fa7f55..42240282d2ed 100644 --- a/README.md +++ b/README.md @@ -52,7 +52,7 @@ To automatically manage module versions (currently all modules have the same ver software.amazon.awssdk bom - 2.27.19 + 2.27.20 pom import @@ -86,12 +86,12 @@ Alternatively you can add dependencies for the specific services you use only: software.amazon.awssdk ec2 - 2.27.19 + 2.27.20 software.amazon.awssdk s3 - 2.27.19 + 2.27.20 ``` @@ -103,7 +103,7 @@ You can import the whole SDK into your project (includes *ALL* services). Please software.amazon.awssdk aws-sdk-java - 2.27.19 + 2.27.20 ``` diff --git a/archetypes/archetype-app-quickstart/pom.xml b/archetypes/archetype-app-quickstart/pom.xml index 9a3bb5f4ce56..7df32a2607ce 100644 --- a/archetypes/archetype-app-quickstart/pom.xml +++ b/archetypes/archetype-app-quickstart/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.20-SNAPSHOT + 2.27.20 4.0.0 diff --git a/archetypes/archetype-lambda/pom.xml b/archetypes/archetype-lambda/pom.xml index 568e54bb0af2..028bc9a428c9 100644 --- a/archetypes/archetype-lambda/pom.xml +++ b/archetypes/archetype-lambda/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.20-SNAPSHOT + 2.27.20 4.0.0 archetype-lambda diff --git a/archetypes/archetype-tools/pom.xml b/archetypes/archetype-tools/pom.xml index 1587691ba250..e53282667e50 100644 --- a/archetypes/archetype-tools/pom.xml +++ b/archetypes/archetype-tools/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.20-SNAPSHOT + 2.27.20 4.0.0 diff --git a/archetypes/pom.xml b/archetypes/pom.xml index bb92b42506a5..b2519cffa199 100644 --- a/archetypes/pom.xml +++ b/archetypes/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.20-SNAPSHOT + 2.27.20 4.0.0 archetypes diff --git a/aws-sdk-java/pom.xml b/aws-sdk-java/pom.xml index 8e1e6e15a546..c0a5af3206a5 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.27.20-SNAPSHOT + 2.27.20 ../pom.xml aws-sdk-java diff --git a/bom-internal/pom.xml b/bom-internal/pom.xml index 0fc7f03e7fa4..aa1e0afde42d 100644 --- a/bom-internal/pom.xml +++ b/bom-internal/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.20-SNAPSHOT + 2.27.20 4.0.0 diff --git a/bom/pom.xml b/bom/pom.xml index 279e3a103797..5214c98e556f 100644 --- a/bom/pom.xml +++ b/bom/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.20-SNAPSHOT + 2.27.20 ../pom.xml bom diff --git a/bundle-logging-bridge/pom.xml b/bundle-logging-bridge/pom.xml index 1393453a103f..187d9ddd2091 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.27.20-SNAPSHOT + 2.27.20 bundle-logging-bridge jar diff --git a/bundle-sdk/pom.xml b/bundle-sdk/pom.xml index 9600783e2277..b9ca7a698dee 100644 --- a/bundle-sdk/pom.xml +++ b/bundle-sdk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.20-SNAPSHOT + 2.27.20 bundle-sdk jar diff --git a/bundle/pom.xml b/bundle/pom.xml index f565afc24826..731444ea6b26 100644 --- a/bundle/pom.xml +++ b/bundle/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.20-SNAPSHOT + 2.27.20 bundle jar diff --git a/codegen-lite-maven-plugin/pom.xml b/codegen-lite-maven-plugin/pom.xml index 857ccd81be89..daa1570d5c45 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.27.20-SNAPSHOT + 2.27.20 ../pom.xml codegen-lite-maven-plugin diff --git a/codegen-lite/pom.xml b/codegen-lite/pom.xml index a82995099a2b..f5729ec9f8d8 100644 --- a/codegen-lite/pom.xml +++ b/codegen-lite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.20-SNAPSHOT + 2.27.20 codegen-lite AWS Java SDK :: Code Generator Lite diff --git a/codegen-maven-plugin/pom.xml b/codegen-maven-plugin/pom.xml index 340bd9125186..ee6ac5a83155 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.27.20-SNAPSHOT + 2.27.20 ../pom.xml codegen-maven-plugin diff --git a/codegen/pom.xml b/codegen/pom.xml index a38ab4e40ae9..7ce33ab33b66 100644 --- a/codegen/pom.xml +++ b/codegen/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.20-SNAPSHOT + 2.27.20 codegen AWS Java SDK :: Code Generator diff --git a/core/annotations/pom.xml b/core/annotations/pom.xml index 211a1c53d6b3..74f08e9d5ce0 100644 --- a/core/annotations/pom.xml +++ b/core/annotations/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.20-SNAPSHOT + 2.27.20 4.0.0 diff --git a/core/arns/pom.xml b/core/arns/pom.xml index d49bcda23637..8de83747e9c4 100644 --- a/core/arns/pom.xml +++ b/core/arns/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.20-SNAPSHOT + 2.27.20 4.0.0 diff --git a/core/auth-crt/pom.xml b/core/auth-crt/pom.xml index b609f394e989..bea136cbefcb 100644 --- a/core/auth-crt/pom.xml +++ b/core/auth-crt/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.20-SNAPSHOT + 2.27.20 auth-crt diff --git a/core/auth/pom.xml b/core/auth/pom.xml index bd180dfa9a4a..c21596a53d78 100644 --- a/core/auth/pom.xml +++ b/core/auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.20-SNAPSHOT + 2.27.20 auth diff --git a/core/aws-core/pom.xml b/core/aws-core/pom.xml index 4956dcbc16fe..9a894b74b1cb 100644 --- a/core/aws-core/pom.xml +++ b/core/aws-core/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.20-SNAPSHOT + 2.27.20 aws-core diff --git a/core/checksums-spi/pom.xml b/core/checksums-spi/pom.xml index 90bf85dfbfb9..bb635bfb9c63 100644 --- a/core/checksums-spi/pom.xml +++ b/core/checksums-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.20-SNAPSHOT + 2.27.20 checksums-spi diff --git a/core/checksums/pom.xml b/core/checksums/pom.xml index ae33d9897098..1ed705260027 100644 --- a/core/checksums/pom.xml +++ b/core/checksums/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.20-SNAPSHOT + 2.27.20 checksums diff --git a/core/crt-core/pom.xml b/core/crt-core/pom.xml index 0d4a0b0f64cb..3b664b033a43 100644 --- a/core/crt-core/pom.xml +++ b/core/crt-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.27.20-SNAPSHOT + 2.27.20 crt-core diff --git a/core/endpoints-spi/pom.xml b/core/endpoints-spi/pom.xml index 821834430349..e7279d2cb9d7 100644 --- a/core/endpoints-spi/pom.xml +++ b/core/endpoints-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.20-SNAPSHOT + 2.27.20 4.0.0 diff --git a/core/http-auth-aws-crt/pom.xml b/core/http-auth-aws-crt/pom.xml index 0e9ddecb6524..2d0df017c1ca 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.27.20-SNAPSHOT + 2.27.20 http-auth-aws-crt diff --git a/core/http-auth-aws-eventstream/pom.xml b/core/http-auth-aws-eventstream/pom.xml index 52fd804c5eb9..737f87959902 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.27.20-SNAPSHOT + 2.27.20 http-auth-aws-eventstream diff --git a/core/http-auth-aws/pom.xml b/core/http-auth-aws/pom.xml index 8ad24ccbfddf..195d008fbaf5 100644 --- a/core/http-auth-aws/pom.xml +++ b/core/http-auth-aws/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.20-SNAPSHOT + 2.27.20 http-auth-aws diff --git a/core/http-auth-spi/pom.xml b/core/http-auth-spi/pom.xml index 781986bcfa41..0178b7e3729d 100644 --- a/core/http-auth-spi/pom.xml +++ b/core/http-auth-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.20-SNAPSHOT + 2.27.20 http-auth-spi diff --git a/core/http-auth/pom.xml b/core/http-auth/pom.xml index 664580084597..fb80cebdbef0 100644 --- a/core/http-auth/pom.xml +++ b/core/http-auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.20-SNAPSHOT + 2.27.20 http-auth diff --git a/core/identity-spi/pom.xml b/core/identity-spi/pom.xml index fb1536663782..def86a3b44b1 100644 --- a/core/identity-spi/pom.xml +++ b/core/identity-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.20-SNAPSHOT + 2.27.20 identity-spi diff --git a/core/imds/pom.xml b/core/imds/pom.xml index 900b876cd0f6..046dbdb76120 100644 --- a/core/imds/pom.xml +++ b/core/imds/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.20-SNAPSHOT + 2.27.20 4.0.0 imds diff --git a/core/json-utils/pom.xml b/core/json-utils/pom.xml index 6c23b8aa92a0..246c196c34cd 100644 --- a/core/json-utils/pom.xml +++ b/core/json-utils/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.20-SNAPSHOT + 2.27.20 4.0.0 diff --git a/core/metrics-spi/pom.xml b/core/metrics-spi/pom.xml index c7ff945007d0..d38e62a43a27 100644 --- a/core/metrics-spi/pom.xml +++ b/core/metrics-spi/pom.xml @@ -5,7 +5,7 @@ core software.amazon.awssdk - 2.27.20-SNAPSHOT + 2.27.20 4.0.0 diff --git a/core/pom.xml b/core/pom.xml index b8e87bf2acb7..13148fd9a961 100644 --- a/core/pom.xml +++ b/core/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.20-SNAPSHOT + 2.27.20 core diff --git a/core/profiles/pom.xml b/core/profiles/pom.xml index 6db69051c247..bc9333f7d953 100644 --- a/core/profiles/pom.xml +++ b/core/profiles/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.20-SNAPSHOT + 2.27.20 profiles diff --git a/core/protocols/aws-cbor-protocol/pom.xml b/core/protocols/aws-cbor-protocol/pom.xml index 0e5e49bd852b..ca363049bdd5 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.27.20-SNAPSHOT + 2.27.20 4.0.0 diff --git a/core/protocols/aws-json-protocol/pom.xml b/core/protocols/aws-json-protocol/pom.xml index e19b0e038ef6..b6f81a847473 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.27.20-SNAPSHOT + 2.27.20 4.0.0 diff --git a/core/protocols/aws-query-protocol/pom.xml b/core/protocols/aws-query-protocol/pom.xml index 738865132b65..3814182f1365 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.27.20-SNAPSHOT + 2.27.20 4.0.0 diff --git a/core/protocols/aws-xml-protocol/pom.xml b/core/protocols/aws-xml-protocol/pom.xml index 792550beec2f..fd6cec4ade19 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.27.20-SNAPSHOT + 2.27.20 4.0.0 diff --git a/core/protocols/pom.xml b/core/protocols/pom.xml index d59238e129ac..535ed8152c93 100644 --- a/core/protocols/pom.xml +++ b/core/protocols/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.20-SNAPSHOT + 2.27.20 4.0.0 diff --git a/core/protocols/protocol-core/pom.xml b/core/protocols/protocol-core/pom.xml index 76ff427237c6..ac1f385e74d2 100644 --- a/core/protocols/protocol-core/pom.xml +++ b/core/protocols/protocol-core/pom.xml @@ -20,7 +20,7 @@ protocols software.amazon.awssdk - 2.27.20-SNAPSHOT + 2.27.20 4.0.0 diff --git a/core/regions/pom.xml b/core/regions/pom.xml index 1ac9c612a3a5..55bded2bb56d 100644 --- a/core/regions/pom.xml +++ b/core/regions/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.20-SNAPSHOT + 2.27.20 regions diff --git a/core/retries-spi/pom.xml b/core/retries-spi/pom.xml index 94f7a5a3a3be..09f6e3dfab64 100644 --- a/core/retries-spi/pom.xml +++ b/core/retries-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.20-SNAPSHOT + 2.27.20 4.0.0 diff --git a/core/retries/pom.xml b/core/retries/pom.xml index d79a3cf70d14..e1f8e45fcf7e 100644 --- a/core/retries/pom.xml +++ b/core/retries/pom.xml @@ -21,7 +21,7 @@ core software.amazon.awssdk - 2.27.20-SNAPSHOT + 2.27.20 4.0.0 diff --git a/core/sdk-core/pom.xml b/core/sdk-core/pom.xml index fba177d173fa..2aac0a1a04fe 100644 --- a/core/sdk-core/pom.xml +++ b/core/sdk-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.27.20-SNAPSHOT + 2.27.20 sdk-core AWS Java SDK :: SDK Core diff --git a/http-client-spi/pom.xml b/http-client-spi/pom.xml index 4594a8488ae1..6a0d7ee8a0e5 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.27.20-SNAPSHOT + 2.27.20 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 f6fb372d3431..418aa09cafbf 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.27.20-SNAPSHOT + 2.27.20 apache-client diff --git a/http-clients/aws-crt-client/pom.xml b/http-clients/aws-crt-client/pom.xml index 8455af9c1c26..a454601e021b 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.27.20-SNAPSHOT + 2.27.20 4.0.0 diff --git a/http-clients/netty-nio-client/pom.xml b/http-clients/netty-nio-client/pom.xml index 7d82d9feadf3..d1bb5eeab2da 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.27.20-SNAPSHOT + 2.27.20 4.0.0 diff --git a/http-clients/pom.xml b/http-clients/pom.xml index 2489fdb9aca5..66ca95dbbab3 100644 --- a/http-clients/pom.xml +++ b/http-clients/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.20-SNAPSHOT + 2.27.20 4.0.0 diff --git a/http-clients/url-connection-client/pom.xml b/http-clients/url-connection-client/pom.xml index 92c8efc76254..4948e85caa19 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.27.20-SNAPSHOT + 2.27.20 4.0.0 diff --git a/metric-publishers/cloudwatch-metric-publisher/pom.xml b/metric-publishers/cloudwatch-metric-publisher/pom.xml index 70a10459b1e5..80c8ae52addb 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.27.20-SNAPSHOT + 2.27.20 cloudwatch-metric-publisher diff --git a/metric-publishers/pom.xml b/metric-publishers/pom.xml index 6bdb6f72ca29..2680f2e2ab12 100644 --- a/metric-publishers/pom.xml +++ b/metric-publishers/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.20-SNAPSHOT + 2.27.20 metric-publishers diff --git a/pom.xml b/pom.xml index 4e93d9e92615..4f34ca641064 100644 --- a/pom.xml +++ b/pom.xml @@ -20,7 +20,7 @@ 4.0.0 software.amazon.awssdk aws-sdk-java-pom - 2.27.20-SNAPSHOT + 2.27.20 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 22164173dfff..4bc0d622bf78 100644 --- a/release-scripts/pom.xml +++ b/release-scripts/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.20-SNAPSHOT + 2.27.20 ../pom.xml release-scripts diff --git a/services-custom/dynamodb-enhanced/pom.xml b/services-custom/dynamodb-enhanced/pom.xml index 18ff60edad7c..ca99e27761ef 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.27.20-SNAPSHOT + 2.27.20 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 69f454801645..ca9e15d2ec35 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.27.20-SNAPSHOT + 2.27.20 ../../pom.xml iam-policy-builder diff --git a/services-custom/pom.xml b/services-custom/pom.xml index 270b14c49af0..b377e2c2338a 100644 --- a/services-custom/pom.xml +++ b/services-custom/pom.xml @@ -19,7 +19,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.20-SNAPSHOT + 2.27.20 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 98f41cf0ab2f..fcee7ffef2a7 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.27.20-SNAPSHOT + 2.27.20 ../../pom.xml s3-event-notifications diff --git a/services-custom/s3-transfer-manager/pom.xml b/services-custom/s3-transfer-manager/pom.xml index ebf29f6c7f69..361d8c920506 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.27.20-SNAPSHOT + 2.27.20 ../../pom.xml s3-transfer-manager diff --git a/services/accessanalyzer/pom.xml b/services/accessanalyzer/pom.xml index 4548852ce230..2704e890d302 100644 --- a/services/accessanalyzer/pom.xml +++ b/services/accessanalyzer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 accessanalyzer AWS Java SDK :: Services :: AccessAnalyzer diff --git a/services/account/pom.xml b/services/account/pom.xml index dc06856d7179..4a685f9d865c 100644 --- a/services/account/pom.xml +++ b/services/account/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 account AWS Java SDK :: Services :: Account diff --git a/services/acm/pom.xml b/services/acm/pom.xml index f5efbfc060b3..065079b5646d 100644 --- a/services/acm/pom.xml +++ b/services/acm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 acm AWS Java SDK :: Services :: AWS Certificate Manager diff --git a/services/acmpca/pom.xml b/services/acmpca/pom.xml index 0737373a1103..4b28fb83fdc9 100644 --- a/services/acmpca/pom.xml +++ b/services/acmpca/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 acmpca AWS Java SDK :: Services :: ACM PCA diff --git a/services/amp/pom.xml b/services/amp/pom.xml index ef456834a6f3..e7508dfa724c 100644 --- a/services/amp/pom.xml +++ b/services/amp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 amp AWS Java SDK :: Services :: Amp diff --git a/services/amplify/pom.xml b/services/amplify/pom.xml index 3fc7e69da769..ecaee0ef98e9 100644 --- a/services/amplify/pom.xml +++ b/services/amplify/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 amplify AWS Java SDK :: Services :: Amplify diff --git a/services/amplifybackend/pom.xml b/services/amplifybackend/pom.xml index e9b0b36a28fb..846b8cfe54a4 100644 --- a/services/amplifybackend/pom.xml +++ b/services/amplifybackend/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 amplifybackend AWS Java SDK :: Services :: Amplify Backend diff --git a/services/amplifyuibuilder/pom.xml b/services/amplifyuibuilder/pom.xml index 38e9536aaecd..99ecc14db463 100644 --- a/services/amplifyuibuilder/pom.xml +++ b/services/amplifyuibuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 amplifyuibuilder AWS Java SDK :: Services :: Amplify UI Builder diff --git a/services/apigateway/pom.xml b/services/apigateway/pom.xml index 616aeec8e026..085f8c51e775 100644 --- a/services/apigateway/pom.xml +++ b/services/apigateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 apigateway AWS Java SDK :: Services :: Amazon API Gateway diff --git a/services/apigatewaymanagementapi/pom.xml b/services/apigatewaymanagementapi/pom.xml index ce0d7e6888cd..5556237242a0 100644 --- a/services/apigatewaymanagementapi/pom.xml +++ b/services/apigatewaymanagementapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 apigatewaymanagementapi AWS Java SDK :: Services :: ApiGatewayManagementApi diff --git a/services/apigatewayv2/pom.xml b/services/apigatewayv2/pom.xml index e8ddf440491e..a5eb47b41af7 100644 --- a/services/apigatewayv2/pom.xml +++ b/services/apigatewayv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 apigatewayv2 AWS Java SDK :: Services :: ApiGatewayV2 diff --git a/services/appconfig/pom.xml b/services/appconfig/pom.xml index 482c169922b4..71edc563ac10 100644 --- a/services/appconfig/pom.xml +++ b/services/appconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 appconfig AWS Java SDK :: Services :: AppConfig diff --git a/services/appconfigdata/pom.xml b/services/appconfigdata/pom.xml index 29d3298fb98e..05164843d3a3 100644 --- a/services/appconfigdata/pom.xml +++ b/services/appconfigdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 appconfigdata AWS Java SDK :: Services :: App Config Data diff --git a/services/appfabric/pom.xml b/services/appfabric/pom.xml index 24e556981bb7..837ce2f36153 100644 --- a/services/appfabric/pom.xml +++ b/services/appfabric/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 appfabric AWS Java SDK :: Services :: App Fabric diff --git a/services/appflow/pom.xml b/services/appflow/pom.xml index 5b274522d1ab..3de0680bdf33 100644 --- a/services/appflow/pom.xml +++ b/services/appflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 appflow AWS Java SDK :: Services :: Appflow diff --git a/services/appintegrations/pom.xml b/services/appintegrations/pom.xml index 2812cd4e5473..f81b6c2c17ce 100644 --- a/services/appintegrations/pom.xml +++ b/services/appintegrations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 appintegrations AWS Java SDK :: Services :: App Integrations diff --git a/services/applicationautoscaling/pom.xml b/services/applicationautoscaling/pom.xml index 566296d96c4a..8cf8f1f54c99 100644 --- a/services/applicationautoscaling/pom.xml +++ b/services/applicationautoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 applicationautoscaling AWS Java SDK :: Services :: AWS Application Auto Scaling diff --git a/services/applicationcostprofiler/pom.xml b/services/applicationcostprofiler/pom.xml index b51ffafcae28..4d81ef97fc0d 100644 --- a/services/applicationcostprofiler/pom.xml +++ b/services/applicationcostprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 applicationcostprofiler AWS Java SDK :: Services :: Application Cost Profiler diff --git a/services/applicationdiscovery/pom.xml b/services/applicationdiscovery/pom.xml index 07736bedd7ba..9e5e852255cd 100644 --- a/services/applicationdiscovery/pom.xml +++ b/services/applicationdiscovery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 applicationdiscovery AWS Java SDK :: Services :: AWS Application Discovery Service diff --git a/services/applicationinsights/pom.xml b/services/applicationinsights/pom.xml index 5e623a3338b8..8352e1ff5f13 100644 --- a/services/applicationinsights/pom.xml +++ b/services/applicationinsights/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 applicationinsights AWS Java SDK :: Services :: Application Insights diff --git a/services/applicationsignals/pom.xml b/services/applicationsignals/pom.xml index 1de2b35887f6..e28a1c7d8542 100644 --- a/services/applicationsignals/pom.xml +++ b/services/applicationsignals/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 applicationsignals AWS Java SDK :: Services :: Application Signals diff --git a/services/appmesh/pom.xml b/services/appmesh/pom.xml index 811caf94c910..6f791f821867 100644 --- a/services/appmesh/pom.xml +++ b/services/appmesh/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 appmesh AWS Java SDK :: Services :: App Mesh diff --git a/services/apprunner/pom.xml b/services/apprunner/pom.xml index c813f9ee5a94..4337002642c8 100644 --- a/services/apprunner/pom.xml +++ b/services/apprunner/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 apprunner AWS Java SDK :: Services :: App Runner diff --git a/services/appstream/pom.xml b/services/appstream/pom.xml index ac00d8d60b8b..f32730c3d784 100644 --- a/services/appstream/pom.xml +++ b/services/appstream/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 appstream AWS Java SDK :: Services :: Amazon AppStream diff --git a/services/appsync/pom.xml b/services/appsync/pom.xml index 298535b0f9c0..c0780a4fce55 100644 --- a/services/appsync/pom.xml +++ b/services/appsync/pom.xml @@ -21,7 +21,7 @@ services software.amazon.awssdk - 2.27.20-SNAPSHOT + 2.27.20 appsync diff --git a/services/apptest/pom.xml b/services/apptest/pom.xml index 79270d63147e..06197e8d6ba5 100644 --- a/services/apptest/pom.xml +++ b/services/apptest/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 apptest AWS Java SDK :: Services :: App Test diff --git a/services/arczonalshift/pom.xml b/services/arczonalshift/pom.xml index a8636df7c813..5ff084663491 100644 --- a/services/arczonalshift/pom.xml +++ b/services/arczonalshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 arczonalshift AWS Java SDK :: Services :: ARC Zonal Shift diff --git a/services/artifact/pom.xml b/services/artifact/pom.xml index a0f28b529de2..72e05c382510 100644 --- a/services/artifact/pom.xml +++ b/services/artifact/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 artifact AWS Java SDK :: Services :: Artifact diff --git a/services/athena/pom.xml b/services/athena/pom.xml index 9d70309ce9ec..52f94e1916d5 100644 --- a/services/athena/pom.xml +++ b/services/athena/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 athena AWS Java SDK :: Services :: Amazon Athena diff --git a/services/auditmanager/pom.xml b/services/auditmanager/pom.xml index ac6a07dfbbf3..3c276da14dee 100644 --- a/services/auditmanager/pom.xml +++ b/services/auditmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 auditmanager AWS Java SDK :: Services :: Audit Manager diff --git a/services/autoscaling/pom.xml b/services/autoscaling/pom.xml index 706486f1bc2e..fb8f03ba9153 100644 --- a/services/autoscaling/pom.xml +++ b/services/autoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 autoscaling AWS Java SDK :: Services :: Auto Scaling diff --git a/services/autoscalingplans/pom.xml b/services/autoscalingplans/pom.xml index f7e9c9b7d8b1..f0028f2a1377 100644 --- a/services/autoscalingplans/pom.xml +++ b/services/autoscalingplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 autoscalingplans AWS Java SDK :: Services :: Auto Scaling Plans diff --git a/services/b2bi/pom.xml b/services/b2bi/pom.xml index 70d0fe3c974e..589ac11e2e51 100644 --- a/services/b2bi/pom.xml +++ b/services/b2bi/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 b2bi AWS Java SDK :: Services :: B2 Bi diff --git a/services/backup/pom.xml b/services/backup/pom.xml index 572923043f14..f49253254c95 100644 --- a/services/backup/pom.xml +++ b/services/backup/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 backup AWS Java SDK :: Services :: Backup diff --git a/services/backupgateway/pom.xml b/services/backupgateway/pom.xml index 8b6d39dd6092..e9f1485342a4 100644 --- a/services/backupgateway/pom.xml +++ b/services/backupgateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 backupgateway AWS Java SDK :: Services :: Backup Gateway diff --git a/services/batch/pom.xml b/services/batch/pom.xml index 9c8dedd2bad8..bb6ac9819ec5 100644 --- a/services/batch/pom.xml +++ b/services/batch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 batch AWS Java SDK :: Services :: AWS Batch diff --git a/services/bcmdataexports/pom.xml b/services/bcmdataexports/pom.xml index ccf404019f0c..7eef78f21242 100644 --- a/services/bcmdataexports/pom.xml +++ b/services/bcmdataexports/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 bcmdataexports AWS Java SDK :: Services :: BCM Data Exports diff --git a/services/bedrock/pom.xml b/services/bedrock/pom.xml index 69c3b5aa73be..0ad9d7949006 100644 --- a/services/bedrock/pom.xml +++ b/services/bedrock/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 bedrock AWS Java SDK :: Services :: Bedrock diff --git a/services/bedrockagent/pom.xml b/services/bedrockagent/pom.xml index 7060fe2c6820..e968a72f5581 100644 --- a/services/bedrockagent/pom.xml +++ b/services/bedrockagent/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 bedrockagent AWS Java SDK :: Services :: Bedrock Agent diff --git a/services/bedrockagentruntime/pom.xml b/services/bedrockagentruntime/pom.xml index 6be537c4efd4..9be4b3c489a2 100644 --- a/services/bedrockagentruntime/pom.xml +++ b/services/bedrockagentruntime/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 bedrockagentruntime AWS Java SDK :: Services :: Bedrock Agent Runtime diff --git a/services/bedrockruntime/pom.xml b/services/bedrockruntime/pom.xml index 243b02208c0a..6319e97eb25b 100644 --- a/services/bedrockruntime/pom.xml +++ b/services/bedrockruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 bedrockruntime AWS Java SDK :: Services :: Bedrock Runtime diff --git a/services/billingconductor/pom.xml b/services/billingconductor/pom.xml index 605eaacd1498..43e3e4ebda65 100644 --- a/services/billingconductor/pom.xml +++ b/services/billingconductor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 billingconductor AWS Java SDK :: Services :: Billingconductor diff --git a/services/braket/pom.xml b/services/braket/pom.xml index d353c6cbd765..4198efd382ba 100644 --- a/services/braket/pom.xml +++ b/services/braket/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 braket AWS Java SDK :: Services :: Braket diff --git a/services/budgets/pom.xml b/services/budgets/pom.xml index 1c5b36566625..1521ed02fb41 100644 --- a/services/budgets/pom.xml +++ b/services/budgets/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 budgets AWS Java SDK :: Services :: AWS Budgets diff --git a/services/chatbot/pom.xml b/services/chatbot/pom.xml index 586c79b6fef5..00aa1070b52f 100644 --- a/services/chatbot/pom.xml +++ b/services/chatbot/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 chatbot AWS Java SDK :: Services :: Chatbot diff --git a/services/chime/pom.xml b/services/chime/pom.xml index c587388b7713..6db9352fbb57 100644 --- a/services/chime/pom.xml +++ b/services/chime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 chime AWS Java SDK :: Services :: Chime diff --git a/services/chimesdkidentity/pom.xml b/services/chimesdkidentity/pom.xml index 4ee7cfce6743..fa3d229d3deb 100644 --- a/services/chimesdkidentity/pom.xml +++ b/services/chimesdkidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 chimesdkidentity AWS Java SDK :: Services :: Chime SDK Identity diff --git a/services/chimesdkmediapipelines/pom.xml b/services/chimesdkmediapipelines/pom.xml index 2a93306bcc3e..f67f4ea2e61b 100644 --- a/services/chimesdkmediapipelines/pom.xml +++ b/services/chimesdkmediapipelines/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 chimesdkmediapipelines AWS Java SDK :: Services :: Chime SDK Media Pipelines diff --git a/services/chimesdkmeetings/pom.xml b/services/chimesdkmeetings/pom.xml index c44ab57cb922..343b593c4e24 100644 --- a/services/chimesdkmeetings/pom.xml +++ b/services/chimesdkmeetings/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 chimesdkmeetings AWS Java SDK :: Services :: Chime SDK Meetings diff --git a/services/chimesdkmessaging/pom.xml b/services/chimesdkmessaging/pom.xml index ee6f831e6ed6..1d473c03a278 100644 --- a/services/chimesdkmessaging/pom.xml +++ b/services/chimesdkmessaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 chimesdkmessaging AWS Java SDK :: Services :: Chime SDK Messaging diff --git a/services/chimesdkvoice/pom.xml b/services/chimesdkvoice/pom.xml index 79780d61cb81..4ecb0df716ea 100644 --- a/services/chimesdkvoice/pom.xml +++ b/services/chimesdkvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 chimesdkvoice AWS Java SDK :: Services :: Chime SDK Voice diff --git a/services/cleanrooms/pom.xml b/services/cleanrooms/pom.xml index 55abe2fae12b..64ac65f95de6 100644 --- a/services/cleanrooms/pom.xml +++ b/services/cleanrooms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 cleanrooms AWS Java SDK :: Services :: Clean Rooms diff --git a/services/cleanroomsml/pom.xml b/services/cleanroomsml/pom.xml index c3c5dd3e6f3c..5d67f6629462 100644 --- a/services/cleanroomsml/pom.xml +++ b/services/cleanroomsml/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 cleanroomsml AWS Java SDK :: Services :: Clean Rooms ML diff --git a/services/cloud9/pom.xml b/services/cloud9/pom.xml index b65fe8431900..198b3e9bd97f 100644 --- a/services/cloud9/pom.xml +++ b/services/cloud9/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20-SNAPSHOT + 2.27.20 4.0.0 cloud9 diff --git a/services/cloudcontrol/pom.xml b/services/cloudcontrol/pom.xml index 68247c36bf65..a1c101122c73 100644 --- a/services/cloudcontrol/pom.xml +++ b/services/cloudcontrol/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 cloudcontrol AWS Java SDK :: Services :: Cloud Control diff --git a/services/clouddirectory/pom.xml b/services/clouddirectory/pom.xml index f28c66647264..1b8304e9d6e9 100644 --- a/services/clouddirectory/pom.xml +++ b/services/clouddirectory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 clouddirectory AWS Java SDK :: Services :: Amazon CloudDirectory diff --git a/services/cloudformation/pom.xml b/services/cloudformation/pom.xml index 8d9b87cc6d94..bbf6b7926db6 100644 --- a/services/cloudformation/pom.xml +++ b/services/cloudformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 cloudformation AWS Java SDK :: Services :: AWS CloudFormation diff --git a/services/cloudfront/pom.xml b/services/cloudfront/pom.xml index f5e3c6cc25cb..16d177661759 100644 --- a/services/cloudfront/pom.xml +++ b/services/cloudfront/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 cloudfront AWS Java SDK :: Services :: Amazon CloudFront diff --git a/services/cloudfrontkeyvaluestore/pom.xml b/services/cloudfrontkeyvaluestore/pom.xml index 5e428b448912..8d872a93ad75 100644 --- a/services/cloudfrontkeyvaluestore/pom.xml +++ b/services/cloudfrontkeyvaluestore/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 cloudfrontkeyvaluestore AWS Java SDK :: Services :: Cloud Front Key Value Store diff --git a/services/cloudhsm/pom.xml b/services/cloudhsm/pom.xml index 4217eb3d8e45..91a99c4571b8 100644 --- a/services/cloudhsm/pom.xml +++ b/services/cloudhsm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 cloudhsm AWS Java SDK :: Services :: AWS CloudHSM diff --git a/services/cloudhsmv2/pom.xml b/services/cloudhsmv2/pom.xml index 003371aca1a2..e3ec88495809 100644 --- a/services/cloudhsmv2/pom.xml +++ b/services/cloudhsmv2/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20-SNAPSHOT + 2.27.20 4.0.0 cloudhsmv2 diff --git a/services/cloudsearch/pom.xml b/services/cloudsearch/pom.xml index b1bbbc1a14db..f6ad47b4843f 100644 --- a/services/cloudsearch/pom.xml +++ b/services/cloudsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 cloudsearch AWS Java SDK :: Services :: Amazon CloudSearch diff --git a/services/cloudsearchdomain/pom.xml b/services/cloudsearchdomain/pom.xml index ec93996264fb..060360ed636f 100644 --- a/services/cloudsearchdomain/pom.xml +++ b/services/cloudsearchdomain/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 cloudsearchdomain AWS Java SDK :: Services :: Amazon CloudSearch Domain diff --git a/services/cloudtrail/pom.xml b/services/cloudtrail/pom.xml index c559d2857c0d..71ae1db259e8 100644 --- a/services/cloudtrail/pom.xml +++ b/services/cloudtrail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 cloudtrail AWS Java SDK :: Services :: AWS CloudTrail diff --git a/services/cloudtraildata/pom.xml b/services/cloudtraildata/pom.xml index cfea28bffcf6..2a6ecf7db60c 100644 --- a/services/cloudtraildata/pom.xml +++ b/services/cloudtraildata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 cloudtraildata AWS Java SDK :: Services :: Cloud Trail Data diff --git a/services/cloudwatch/pom.xml b/services/cloudwatch/pom.xml index 65ea4cb066d4..6d4d98315a1a 100644 --- a/services/cloudwatch/pom.xml +++ b/services/cloudwatch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 cloudwatch AWS Java SDK :: Services :: Amazon CloudWatch diff --git a/services/cloudwatchevents/pom.xml b/services/cloudwatchevents/pom.xml index d929d831dc66..cd7aadfb00f7 100644 --- a/services/cloudwatchevents/pom.xml +++ b/services/cloudwatchevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 cloudwatchevents AWS Java SDK :: Services :: Amazon CloudWatch Events diff --git a/services/cloudwatchlogs/pom.xml b/services/cloudwatchlogs/pom.xml index 65e60370f1f8..172bfcf861cc 100644 --- a/services/cloudwatchlogs/pom.xml +++ b/services/cloudwatchlogs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 cloudwatchlogs AWS Java SDK :: Services :: Amazon CloudWatch Logs diff --git a/services/codeartifact/pom.xml b/services/codeartifact/pom.xml index ee5d7c244055..b4b6efd54335 100644 --- a/services/codeartifact/pom.xml +++ b/services/codeartifact/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 codeartifact AWS Java SDK :: Services :: Codeartifact diff --git a/services/codebuild/pom.xml b/services/codebuild/pom.xml index d3ae2b40ec6b..fc26ac551d74 100644 --- a/services/codebuild/pom.xml +++ b/services/codebuild/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 codebuild AWS Java SDK :: Services :: AWS Code Build diff --git a/services/codecatalyst/pom.xml b/services/codecatalyst/pom.xml index ca24069c68a2..c0521e6df1a9 100644 --- a/services/codecatalyst/pom.xml +++ b/services/codecatalyst/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 codecatalyst AWS Java SDK :: Services :: Code Catalyst diff --git a/services/codecommit/pom.xml b/services/codecommit/pom.xml index 9aca9f083438..c5c4f80d088b 100644 --- a/services/codecommit/pom.xml +++ b/services/codecommit/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 codecommit AWS Java SDK :: Services :: AWS CodeCommit diff --git a/services/codeconnections/pom.xml b/services/codeconnections/pom.xml index 5f10ae8e943f..084187bf98e4 100644 --- a/services/codeconnections/pom.xml +++ b/services/codeconnections/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 codeconnections AWS Java SDK :: Services :: Code Connections diff --git a/services/codedeploy/pom.xml b/services/codedeploy/pom.xml index 1302e87487f5..6adae9149c11 100644 --- a/services/codedeploy/pom.xml +++ b/services/codedeploy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 codedeploy AWS Java SDK :: Services :: AWS CodeDeploy diff --git a/services/codeguruprofiler/pom.xml b/services/codeguruprofiler/pom.xml index ffe110e802be..6129e37c5f89 100644 --- a/services/codeguruprofiler/pom.xml +++ b/services/codeguruprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 codeguruprofiler AWS Java SDK :: Services :: CodeGuruProfiler diff --git a/services/codegurureviewer/pom.xml b/services/codegurureviewer/pom.xml index 8c5a65d1a4bb..0a15c68a8bfc 100644 --- a/services/codegurureviewer/pom.xml +++ b/services/codegurureviewer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 codegurureviewer AWS Java SDK :: Services :: CodeGuru Reviewer diff --git a/services/codegurusecurity/pom.xml b/services/codegurusecurity/pom.xml index c9a0518bdda6..7527e2683f7a 100644 --- a/services/codegurusecurity/pom.xml +++ b/services/codegurusecurity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 codegurusecurity AWS Java SDK :: Services :: Code Guru Security diff --git a/services/codepipeline/pom.xml b/services/codepipeline/pom.xml index edf5bb611667..5405861a23e0 100644 --- a/services/codepipeline/pom.xml +++ b/services/codepipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 codepipeline AWS Java SDK :: Services :: AWS CodePipeline diff --git a/services/codestarconnections/pom.xml b/services/codestarconnections/pom.xml index 1407f4070965..1a21d8e0de9e 100644 --- a/services/codestarconnections/pom.xml +++ b/services/codestarconnections/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 codestarconnections AWS Java SDK :: Services :: CodeStar connections diff --git a/services/codestarnotifications/pom.xml b/services/codestarnotifications/pom.xml index 3c07793cee74..466bd5035126 100644 --- a/services/codestarnotifications/pom.xml +++ b/services/codestarnotifications/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 codestarnotifications AWS Java SDK :: Services :: Codestar Notifications diff --git a/services/cognitoidentity/pom.xml b/services/cognitoidentity/pom.xml index f3223b47983c..17c6b4d0c1ca 100644 --- a/services/cognitoidentity/pom.xml +++ b/services/cognitoidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 cognitoidentity AWS Java SDK :: Services :: Amazon Cognito Identity diff --git a/services/cognitoidentityprovider/pom.xml b/services/cognitoidentityprovider/pom.xml index 22b8cffc2f29..2ec7d109c042 100644 --- a/services/cognitoidentityprovider/pom.xml +++ b/services/cognitoidentityprovider/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 cognitoidentityprovider AWS Java SDK :: Services :: Amazon Cognito Identity Provider Service diff --git a/services/cognitosync/pom.xml b/services/cognitosync/pom.xml index e96d9416603d..2ca35c4203f1 100644 --- a/services/cognitosync/pom.xml +++ b/services/cognitosync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 cognitosync AWS Java SDK :: Services :: Amazon Cognito Sync diff --git a/services/comprehend/pom.xml b/services/comprehend/pom.xml index d530de0801e2..3f5ce98dd4bb 100644 --- a/services/comprehend/pom.xml +++ b/services/comprehend/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20-SNAPSHOT + 2.27.20 4.0.0 comprehend diff --git a/services/comprehendmedical/pom.xml b/services/comprehendmedical/pom.xml index c5b8e10c4a2a..1791dd71eb9a 100644 --- a/services/comprehendmedical/pom.xml +++ b/services/comprehendmedical/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 comprehendmedical AWS Java SDK :: Services :: ComprehendMedical diff --git a/services/computeoptimizer/pom.xml b/services/computeoptimizer/pom.xml index 4c37493aea9b..0910e9f51ce8 100644 --- a/services/computeoptimizer/pom.xml +++ b/services/computeoptimizer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 computeoptimizer AWS Java SDK :: Services :: Compute Optimizer diff --git a/services/config/pom.xml b/services/config/pom.xml index 896e09546462..e13521cc0fc2 100644 --- a/services/config/pom.xml +++ b/services/config/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 config AWS Java SDK :: Services :: AWS Config diff --git a/services/connect/pom.xml b/services/connect/pom.xml index ecf15330af2f..a05823c50c4c 100644 --- a/services/connect/pom.xml +++ b/services/connect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 connect AWS Java SDK :: Services :: Connect diff --git a/services/connectcampaigns/pom.xml b/services/connectcampaigns/pom.xml index 3a0701f69fa4..204f7ddf58d0 100644 --- a/services/connectcampaigns/pom.xml +++ b/services/connectcampaigns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 connectcampaigns AWS Java SDK :: Services :: Connect Campaigns diff --git a/services/connectcases/pom.xml b/services/connectcases/pom.xml index 08f6d17613c1..56cd443d6338 100644 --- a/services/connectcases/pom.xml +++ b/services/connectcases/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 connectcases AWS Java SDK :: Services :: Connect Cases diff --git a/services/connectcontactlens/pom.xml b/services/connectcontactlens/pom.xml index 15968a51f34f..e2dfe62226f6 100644 --- a/services/connectcontactlens/pom.xml +++ b/services/connectcontactlens/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 connectcontactlens AWS Java SDK :: Services :: Connect Contact Lens diff --git a/services/connectparticipant/pom.xml b/services/connectparticipant/pom.xml index af515e300f8d..cb0741e9b5a1 100644 --- a/services/connectparticipant/pom.xml +++ b/services/connectparticipant/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 connectparticipant AWS Java SDK :: Services :: ConnectParticipant diff --git a/services/controlcatalog/pom.xml b/services/controlcatalog/pom.xml index e8f2a92e77ef..96d9e9ffffbb 100644 --- a/services/controlcatalog/pom.xml +++ b/services/controlcatalog/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 controlcatalog AWS Java SDK :: Services :: Control Catalog diff --git a/services/controltower/pom.xml b/services/controltower/pom.xml index 1106b6ce0015..775e84f43581 100644 --- a/services/controltower/pom.xml +++ b/services/controltower/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 controltower AWS Java SDK :: Services :: Control Tower diff --git a/services/costandusagereport/pom.xml b/services/costandusagereport/pom.xml index 93e8cb0607b3..350b17657937 100644 --- a/services/costandusagereport/pom.xml +++ b/services/costandusagereport/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 costandusagereport AWS Java SDK :: Services :: AWS Cost and Usage Report diff --git a/services/costexplorer/pom.xml b/services/costexplorer/pom.xml index 281d2ffad56c..c213462a6d67 100644 --- a/services/costexplorer/pom.xml +++ b/services/costexplorer/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20-SNAPSHOT + 2.27.20 4.0.0 costexplorer diff --git a/services/costoptimizationhub/pom.xml b/services/costoptimizationhub/pom.xml index 0d272b8992ad..b5349af164cb 100644 --- a/services/costoptimizationhub/pom.xml +++ b/services/costoptimizationhub/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 costoptimizationhub AWS Java SDK :: Services :: Cost Optimization Hub diff --git a/services/customerprofiles/pom.xml b/services/customerprofiles/pom.xml index 05b1833da853..cc791ccf3eda 100644 --- a/services/customerprofiles/pom.xml +++ b/services/customerprofiles/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 customerprofiles AWS Java SDK :: Services :: Customer Profiles diff --git a/services/databasemigration/pom.xml b/services/databasemigration/pom.xml index d548ae0c4534..53b5bd9797fa 100644 --- a/services/databasemigration/pom.xml +++ b/services/databasemigration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 databasemigration AWS Java SDK :: Services :: AWS Database Migration Service diff --git a/services/databrew/pom.xml b/services/databrew/pom.xml index 54fd9d17425b..e14348e3cfed 100644 --- a/services/databrew/pom.xml +++ b/services/databrew/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 databrew AWS Java SDK :: Services :: Data Brew diff --git a/services/dataexchange/pom.xml b/services/dataexchange/pom.xml index 564535000042..291e08a1960a 100644 --- a/services/dataexchange/pom.xml +++ b/services/dataexchange/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 dataexchange AWS Java SDK :: Services :: DataExchange diff --git a/services/datapipeline/pom.xml b/services/datapipeline/pom.xml index 347b461cf54b..f85a7d49ad14 100644 --- a/services/datapipeline/pom.xml +++ b/services/datapipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 datapipeline AWS Java SDK :: Services :: AWS Data Pipeline diff --git a/services/datasync/pom.xml b/services/datasync/pom.xml index 96115c67d50b..8b3bf78f8f86 100644 --- a/services/datasync/pom.xml +++ b/services/datasync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 datasync AWS Java SDK :: Services :: DataSync diff --git a/services/datazone/pom.xml b/services/datazone/pom.xml index 0f61afa431a8..853880e3e6a6 100644 --- a/services/datazone/pom.xml +++ b/services/datazone/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 datazone AWS Java SDK :: Services :: Data Zone diff --git a/services/dax/pom.xml b/services/dax/pom.xml index a5c0f1ef0302..f060107d3618 100644 --- a/services/dax/pom.xml +++ b/services/dax/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 dax AWS Java SDK :: Services :: Amazon DynamoDB Accelerator (DAX) diff --git a/services/deadline/pom.xml b/services/deadline/pom.xml index 616ddca9533f..17f5751b3be8 100644 --- a/services/deadline/pom.xml +++ b/services/deadline/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 deadline AWS Java SDK :: Services :: Deadline diff --git a/services/detective/pom.xml b/services/detective/pom.xml index b499299c8cd6..78e4e77e18c5 100644 --- a/services/detective/pom.xml +++ b/services/detective/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 detective AWS Java SDK :: Services :: Detective diff --git a/services/devicefarm/pom.xml b/services/devicefarm/pom.xml index d6f6143a629c..4ddf63afafc0 100644 --- a/services/devicefarm/pom.xml +++ b/services/devicefarm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 devicefarm AWS Java SDK :: Services :: AWS Device Farm diff --git a/services/devopsguru/pom.xml b/services/devopsguru/pom.xml index 373f7e4da516..76447d81e673 100644 --- a/services/devopsguru/pom.xml +++ b/services/devopsguru/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 devopsguru AWS Java SDK :: Services :: Dev Ops Guru diff --git a/services/directconnect/pom.xml b/services/directconnect/pom.xml index 4665a1632da4..7480b5580886 100644 --- a/services/directconnect/pom.xml +++ b/services/directconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 directconnect AWS Java SDK :: Services :: AWS Direct Connect diff --git a/services/directory/pom.xml b/services/directory/pom.xml index 780bcd0406b2..2950d2538254 100644 --- a/services/directory/pom.xml +++ b/services/directory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 directory AWS Java SDK :: Services :: AWS Directory Service diff --git a/services/dlm/pom.xml b/services/dlm/pom.xml index fb1f21953a67..fa4ae3a2e7da 100644 --- a/services/dlm/pom.xml +++ b/services/dlm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 dlm AWS Java SDK :: Services :: DLM diff --git a/services/docdb/pom.xml b/services/docdb/pom.xml index 4d2332ec8225..707eb03b796c 100644 --- a/services/docdb/pom.xml +++ b/services/docdb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 docdb AWS Java SDK :: Services :: DocDB diff --git a/services/docdbelastic/pom.xml b/services/docdbelastic/pom.xml index a65be4432784..6058f7528015 100644 --- a/services/docdbelastic/pom.xml +++ b/services/docdbelastic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 docdbelastic AWS Java SDK :: Services :: Doc DB Elastic diff --git a/services/drs/pom.xml b/services/drs/pom.xml index 26c55017038a..dbb44349759f 100644 --- a/services/drs/pom.xml +++ b/services/drs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 drs AWS Java SDK :: Services :: Drs diff --git a/services/dynamodb/pom.xml b/services/dynamodb/pom.xml index 3071c4a21813..adfe79ff0bb6 100644 --- a/services/dynamodb/pom.xml +++ b/services/dynamodb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 dynamodb AWS Java SDK :: Services :: Amazon DynamoDB diff --git a/services/ebs/pom.xml b/services/ebs/pom.xml index 7abf1c91f52b..353e38fe205a 100644 --- a/services/ebs/pom.xml +++ b/services/ebs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 ebs AWS Java SDK :: Services :: EBS diff --git a/services/ec2/pom.xml b/services/ec2/pom.xml index 52fde6ace8a2..c4b72faa1910 100644 --- a/services/ec2/pom.xml +++ b/services/ec2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 ec2 AWS Java SDK :: Services :: Amazon EC2 diff --git a/services/ec2instanceconnect/pom.xml b/services/ec2instanceconnect/pom.xml index 00d6339f1b9a..b8a5a0612a20 100644 --- a/services/ec2instanceconnect/pom.xml +++ b/services/ec2instanceconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 ec2instanceconnect AWS Java SDK :: Services :: EC2 Instance Connect diff --git a/services/ecr/pom.xml b/services/ecr/pom.xml index 473695a1b45a..1cce6e97813f 100644 --- a/services/ecr/pom.xml +++ b/services/ecr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 ecr AWS Java SDK :: Services :: Amazon EC2 Container Registry diff --git a/services/ecrpublic/pom.xml b/services/ecrpublic/pom.xml index c0d5f97178a5..33d64cfa1453 100644 --- a/services/ecrpublic/pom.xml +++ b/services/ecrpublic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 ecrpublic AWS Java SDK :: Services :: ECR PUBLIC diff --git a/services/ecs/pom.xml b/services/ecs/pom.xml index 072046852ea0..b7cd3634a6ca 100644 --- a/services/ecs/pom.xml +++ b/services/ecs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 ecs AWS Java SDK :: Services :: Amazon EC2 Container Service diff --git a/services/efs/pom.xml b/services/efs/pom.xml index 6ecbc2569946..9b49cd52f347 100644 --- a/services/efs/pom.xml +++ b/services/efs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 efs AWS Java SDK :: Services :: Amazon Elastic File System diff --git a/services/eks/pom.xml b/services/eks/pom.xml index 947ed85a006c..157a44339175 100644 --- a/services/eks/pom.xml +++ b/services/eks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 eks AWS Java SDK :: Services :: EKS diff --git a/services/eksauth/pom.xml b/services/eksauth/pom.xml index 6f1c9c367923..890d78085fc7 100644 --- a/services/eksauth/pom.xml +++ b/services/eksauth/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 eksauth AWS Java SDK :: Services :: EKS Auth diff --git a/services/elasticache/pom.xml b/services/elasticache/pom.xml index a2ae76fdeea9..398a66b7afe3 100644 --- a/services/elasticache/pom.xml +++ b/services/elasticache/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 elasticache AWS Java SDK :: Services :: Amazon ElastiCache diff --git a/services/elasticbeanstalk/pom.xml b/services/elasticbeanstalk/pom.xml index da41b77fd28a..5b064fe9b2d9 100644 --- a/services/elasticbeanstalk/pom.xml +++ b/services/elasticbeanstalk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 elasticbeanstalk AWS Java SDK :: Services :: AWS Elastic Beanstalk diff --git a/services/elasticinference/pom.xml b/services/elasticinference/pom.xml index e3b1495aaaf1..8fc3cb7ade2d 100644 --- a/services/elasticinference/pom.xml +++ b/services/elasticinference/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 elasticinference AWS Java SDK :: Services :: Elastic Inference diff --git a/services/elasticloadbalancing/pom.xml b/services/elasticloadbalancing/pom.xml index fee6bf8250f5..f6b9a5f252f6 100644 --- a/services/elasticloadbalancing/pom.xml +++ b/services/elasticloadbalancing/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 elasticloadbalancing AWS Java SDK :: Services :: Elastic Load Balancing diff --git a/services/elasticloadbalancingv2/pom.xml b/services/elasticloadbalancingv2/pom.xml index 842b6bee8186..4eb264cfbd20 100644 --- a/services/elasticloadbalancingv2/pom.xml +++ b/services/elasticloadbalancingv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 elasticloadbalancingv2 AWS Java SDK :: Services :: Elastic Load Balancing V2 diff --git a/services/elasticsearch/pom.xml b/services/elasticsearch/pom.xml index b6335e325c7f..caf605ea7d47 100644 --- a/services/elasticsearch/pom.xml +++ b/services/elasticsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 elasticsearch AWS Java SDK :: Services :: Amazon Elasticsearch Service diff --git a/services/elastictranscoder/pom.xml b/services/elastictranscoder/pom.xml index 57f091efd30d..aee5c385456d 100644 --- a/services/elastictranscoder/pom.xml +++ b/services/elastictranscoder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 elastictranscoder AWS Java SDK :: Services :: Amazon Elastic Transcoder diff --git a/services/emr/pom.xml b/services/emr/pom.xml index aaf9be2d0213..c19bb10c759c 100644 --- a/services/emr/pom.xml +++ b/services/emr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 emr AWS Java SDK :: Services :: Amazon EMR diff --git a/services/emrcontainers/pom.xml b/services/emrcontainers/pom.xml index 74c5a6afa937..c86a523424b0 100644 --- a/services/emrcontainers/pom.xml +++ b/services/emrcontainers/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 emrcontainers AWS Java SDK :: Services :: EMR Containers diff --git a/services/emrserverless/pom.xml b/services/emrserverless/pom.xml index 272b5f16bef5..e1ba727d4e5d 100644 --- a/services/emrserverless/pom.xml +++ b/services/emrserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 emrserverless AWS Java SDK :: Services :: EMR Serverless diff --git a/services/entityresolution/pom.xml b/services/entityresolution/pom.xml index bf50a7cf9aca..6d9f21e8d9cd 100644 --- a/services/entityresolution/pom.xml +++ b/services/entityresolution/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 entityresolution AWS Java SDK :: Services :: Entity Resolution diff --git a/services/eventbridge/pom.xml b/services/eventbridge/pom.xml index 6b5aca077776..1006f7b3bf24 100644 --- a/services/eventbridge/pom.xml +++ b/services/eventbridge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 eventbridge AWS Java SDK :: Services :: EventBridge diff --git a/services/evidently/pom.xml b/services/evidently/pom.xml index e713b3554f25..7941bff879e2 100644 --- a/services/evidently/pom.xml +++ b/services/evidently/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 evidently AWS Java SDK :: Services :: Evidently diff --git a/services/finspace/pom.xml b/services/finspace/pom.xml index 08bf28e6734f..bff385b08754 100644 --- a/services/finspace/pom.xml +++ b/services/finspace/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 finspace AWS Java SDK :: Services :: Finspace diff --git a/services/finspacedata/pom.xml b/services/finspacedata/pom.xml index 5eb488845c3f..fe5fcceea171 100644 --- a/services/finspacedata/pom.xml +++ b/services/finspacedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 finspacedata AWS Java SDK :: Services :: Finspace Data diff --git a/services/firehose/pom.xml b/services/firehose/pom.xml index 6228052841dd..b76d8005c7aa 100644 --- a/services/firehose/pom.xml +++ b/services/firehose/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 firehose AWS Java SDK :: Services :: Amazon Kinesis Firehose diff --git a/services/fis/pom.xml b/services/fis/pom.xml index e63dde2f2045..e9f74f78e1c7 100644 --- a/services/fis/pom.xml +++ b/services/fis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 fis AWS Java SDK :: Services :: Fis diff --git a/services/fms/pom.xml b/services/fms/pom.xml index 7863406eb675..8aa33342f014 100644 --- a/services/fms/pom.xml +++ b/services/fms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 fms AWS Java SDK :: Services :: FMS diff --git a/services/forecast/pom.xml b/services/forecast/pom.xml index 326fd4cb3aed..a2f2acd2aa62 100644 --- a/services/forecast/pom.xml +++ b/services/forecast/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 forecast AWS Java SDK :: Services :: Forecast diff --git a/services/forecastquery/pom.xml b/services/forecastquery/pom.xml index 7a336c0eb57c..07c7a620c5dc 100644 --- a/services/forecastquery/pom.xml +++ b/services/forecastquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 forecastquery AWS Java SDK :: Services :: Forecastquery diff --git a/services/frauddetector/pom.xml b/services/frauddetector/pom.xml index c14199d0f5a6..f074ec26daed 100644 --- a/services/frauddetector/pom.xml +++ b/services/frauddetector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 frauddetector AWS Java SDK :: Services :: FraudDetector diff --git a/services/freetier/pom.xml b/services/freetier/pom.xml index 86cf2fb7bb44..f819d3cdfb3c 100644 --- a/services/freetier/pom.xml +++ b/services/freetier/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 freetier AWS Java SDK :: Services :: Free Tier diff --git a/services/fsx/pom.xml b/services/fsx/pom.xml index 3d95f15da35a..e084c65af7b7 100644 --- a/services/fsx/pom.xml +++ b/services/fsx/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 fsx AWS Java SDK :: Services :: FSx diff --git a/services/gamelift/pom.xml b/services/gamelift/pom.xml index 2f26a14808c4..c4c53dc1982e 100644 --- a/services/gamelift/pom.xml +++ b/services/gamelift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 gamelift AWS Java SDK :: Services :: AWS GameLift diff --git a/services/glacier/pom.xml b/services/glacier/pom.xml index a864a83963e7..c2b6f4f26a2d 100644 --- a/services/glacier/pom.xml +++ b/services/glacier/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 glacier AWS Java SDK :: Services :: Amazon Glacier diff --git a/services/globalaccelerator/pom.xml b/services/globalaccelerator/pom.xml index 2a31ff18186a..eaabacfdac69 100644 --- a/services/globalaccelerator/pom.xml +++ b/services/globalaccelerator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 globalaccelerator AWS Java SDK :: Services :: Global Accelerator diff --git a/services/glue/pom.xml b/services/glue/pom.xml index fe1e65c9d2eb..e32f33f4ccbc 100644 --- a/services/glue/pom.xml +++ b/services/glue/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20-SNAPSHOT + 2.27.20 4.0.0 glue diff --git a/services/grafana/pom.xml b/services/grafana/pom.xml index 74c74fb2a2ab..ad1633f87405 100644 --- a/services/grafana/pom.xml +++ b/services/grafana/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 grafana AWS Java SDK :: Services :: Grafana diff --git a/services/greengrass/pom.xml b/services/greengrass/pom.xml index 130c9bf61266..d00e74c75e78 100644 --- a/services/greengrass/pom.xml +++ b/services/greengrass/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 greengrass AWS Java SDK :: Services :: AWS Greengrass diff --git a/services/greengrassv2/pom.xml b/services/greengrassv2/pom.xml index 745ce3fd0b4f..cb0ca89ff2c8 100644 --- a/services/greengrassv2/pom.xml +++ b/services/greengrassv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 greengrassv2 AWS Java SDK :: Services :: Greengrass V2 diff --git a/services/groundstation/pom.xml b/services/groundstation/pom.xml index 1a9e0d681f1e..4ba1e7b93f91 100644 --- a/services/groundstation/pom.xml +++ b/services/groundstation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 groundstation AWS Java SDK :: Services :: GroundStation diff --git a/services/guardduty/pom.xml b/services/guardduty/pom.xml index 4b0d751cc210..ff7dc532faf9 100644 --- a/services/guardduty/pom.xml +++ b/services/guardduty/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20-SNAPSHOT + 2.27.20 4.0.0 guardduty diff --git a/services/health/pom.xml b/services/health/pom.xml index 70f173d12dcc..4862598935ef 100644 --- a/services/health/pom.xml +++ b/services/health/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 health AWS Java SDK :: Services :: AWS Health APIs and Notifications diff --git a/services/healthlake/pom.xml b/services/healthlake/pom.xml index c135da561031..0cc65e0c723f 100644 --- a/services/healthlake/pom.xml +++ b/services/healthlake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 healthlake AWS Java SDK :: Services :: Health Lake diff --git a/services/iam/pom.xml b/services/iam/pom.xml index eac9be93bf6d..3c829a2b0e2f 100644 --- a/services/iam/pom.xml +++ b/services/iam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 iam AWS Java SDK :: Services :: AWS IAM diff --git a/services/identitystore/pom.xml b/services/identitystore/pom.xml index 3927cf91a6d9..54513bf3153a 100644 --- a/services/identitystore/pom.xml +++ b/services/identitystore/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 identitystore AWS Java SDK :: Services :: Identitystore diff --git a/services/imagebuilder/pom.xml b/services/imagebuilder/pom.xml index 1d36cf401fd6..1c8b64ffc992 100644 --- a/services/imagebuilder/pom.xml +++ b/services/imagebuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 imagebuilder AWS Java SDK :: Services :: Imagebuilder diff --git a/services/inspector/pom.xml b/services/inspector/pom.xml index b56814dc3e97..aa5efe6da579 100644 --- a/services/inspector/pom.xml +++ b/services/inspector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 inspector AWS Java SDK :: Services :: Amazon Inspector Service diff --git a/services/inspector2/pom.xml b/services/inspector2/pom.xml index ab28d0e0719c..9123ea91b6c6 100644 --- a/services/inspector2/pom.xml +++ b/services/inspector2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 inspector2 AWS Java SDK :: Services :: Inspector2 diff --git a/services/inspectorscan/pom.xml b/services/inspectorscan/pom.xml index f06caf768788..53b587463c53 100644 --- a/services/inspectorscan/pom.xml +++ b/services/inspectorscan/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 inspectorscan AWS Java SDK :: Services :: Inspector Scan diff --git a/services/internetmonitor/pom.xml b/services/internetmonitor/pom.xml index 9da0bd893bb5..3fa1769acb88 100644 --- a/services/internetmonitor/pom.xml +++ b/services/internetmonitor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 internetmonitor AWS Java SDK :: Services :: Internet Monitor diff --git a/services/iot/pom.xml b/services/iot/pom.xml index ce82ca31544f..27b564902a0a 100644 --- a/services/iot/pom.xml +++ b/services/iot/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 iot AWS Java SDK :: Services :: AWS IoT diff --git a/services/iot1clickdevices/pom.xml b/services/iot1clickdevices/pom.xml index 7f430b3cff5b..f727deaf4d60 100644 --- a/services/iot1clickdevices/pom.xml +++ b/services/iot1clickdevices/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 iot1clickdevices AWS Java SDK :: Services :: IoT 1Click Devices Service diff --git a/services/iot1clickprojects/pom.xml b/services/iot1clickprojects/pom.xml index 8a1d8ae078a5..64e152cdb3a3 100644 --- a/services/iot1clickprojects/pom.xml +++ b/services/iot1clickprojects/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 iot1clickprojects AWS Java SDK :: Services :: IoT 1Click Projects diff --git a/services/iotanalytics/pom.xml b/services/iotanalytics/pom.xml index 82691a19fd30..c512bbbb450c 100644 --- a/services/iotanalytics/pom.xml +++ b/services/iotanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 iotanalytics AWS Java SDK :: Services :: IoTAnalytics diff --git a/services/iotdataplane/pom.xml b/services/iotdataplane/pom.xml index 81d5145e14a8..ae8c3a6834a3 100644 --- a/services/iotdataplane/pom.xml +++ b/services/iotdataplane/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 iotdataplane AWS Java SDK :: Services :: AWS IoT Data Plane diff --git a/services/iotdeviceadvisor/pom.xml b/services/iotdeviceadvisor/pom.xml index a8f30926ce36..f30e55c03a5e 100644 --- a/services/iotdeviceadvisor/pom.xml +++ b/services/iotdeviceadvisor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 iotdeviceadvisor AWS Java SDK :: Services :: Iot Device Advisor diff --git a/services/iotevents/pom.xml b/services/iotevents/pom.xml index 4013168f82de..74caf38717f5 100644 --- a/services/iotevents/pom.xml +++ b/services/iotevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 iotevents AWS Java SDK :: Services :: IoT Events diff --git a/services/ioteventsdata/pom.xml b/services/ioteventsdata/pom.xml index f4ac838b65b3..ee8480398d64 100644 --- a/services/ioteventsdata/pom.xml +++ b/services/ioteventsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 ioteventsdata AWS Java SDK :: Services :: IoT Events Data diff --git a/services/iotfleethub/pom.xml b/services/iotfleethub/pom.xml index 20e6f1854f9f..039217a6e9db 100644 --- a/services/iotfleethub/pom.xml +++ b/services/iotfleethub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 iotfleethub AWS Java SDK :: Services :: Io T Fleet Hub diff --git a/services/iotfleetwise/pom.xml b/services/iotfleetwise/pom.xml index 0948cbc28584..98151d8f1af8 100644 --- a/services/iotfleetwise/pom.xml +++ b/services/iotfleetwise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 iotfleetwise AWS Java SDK :: Services :: Io T Fleet Wise diff --git a/services/iotjobsdataplane/pom.xml b/services/iotjobsdataplane/pom.xml index 338215bf0619..1558aa1aa41e 100644 --- a/services/iotjobsdataplane/pom.xml +++ b/services/iotjobsdataplane/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 iotjobsdataplane AWS Java SDK :: Services :: IoT Jobs Data Plane diff --git a/services/iotsecuretunneling/pom.xml b/services/iotsecuretunneling/pom.xml index 27a72b7ea7fb..8a4ec1981e09 100644 --- a/services/iotsecuretunneling/pom.xml +++ b/services/iotsecuretunneling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 iotsecuretunneling AWS Java SDK :: Services :: IoTSecureTunneling diff --git a/services/iotsitewise/pom.xml b/services/iotsitewise/pom.xml index 7a0d735523ea..954e9271677b 100644 --- a/services/iotsitewise/pom.xml +++ b/services/iotsitewise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 iotsitewise AWS Java SDK :: Services :: Io T Site Wise diff --git a/services/iotthingsgraph/pom.xml b/services/iotthingsgraph/pom.xml index 2db4ee118f39..339950bb693a 100644 --- a/services/iotthingsgraph/pom.xml +++ b/services/iotthingsgraph/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 iotthingsgraph AWS Java SDK :: Services :: IoTThingsGraph diff --git a/services/iottwinmaker/pom.xml b/services/iottwinmaker/pom.xml index 72793a9568bd..26c302671185 100644 --- a/services/iottwinmaker/pom.xml +++ b/services/iottwinmaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 iottwinmaker AWS Java SDK :: Services :: Io T Twin Maker diff --git a/services/iotwireless/pom.xml b/services/iotwireless/pom.xml index dd62e3a9b218..f91f9a887361 100644 --- a/services/iotwireless/pom.xml +++ b/services/iotwireless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 iotwireless AWS Java SDK :: Services :: IoT Wireless diff --git a/services/ivs/pom.xml b/services/ivs/pom.xml index 4e93a7bbb0f5..2202ce21f61a 100644 --- a/services/ivs/pom.xml +++ b/services/ivs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 ivs AWS Java SDK :: Services :: Ivs diff --git a/services/ivschat/pom.xml b/services/ivschat/pom.xml index a5e5d90cdde1..6a3f90713cd9 100644 --- a/services/ivschat/pom.xml +++ b/services/ivschat/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 ivschat AWS Java SDK :: Services :: Ivschat diff --git a/services/ivsrealtime/pom.xml b/services/ivsrealtime/pom.xml index 950617ab9433..53331548666c 100644 --- a/services/ivsrealtime/pom.xml +++ b/services/ivsrealtime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 ivsrealtime AWS Java SDK :: Services :: IVS Real Time diff --git a/services/kafka/pom.xml b/services/kafka/pom.xml index 66c229b2a82a..752c8b861983 100644 --- a/services/kafka/pom.xml +++ b/services/kafka/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 kafka AWS Java SDK :: Services :: Kafka diff --git a/services/kafkaconnect/pom.xml b/services/kafkaconnect/pom.xml index c96f57f9a5de..670dc3d5db70 100644 --- a/services/kafkaconnect/pom.xml +++ b/services/kafkaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 kafkaconnect AWS Java SDK :: Services :: Kafka Connect diff --git a/services/kendra/pom.xml b/services/kendra/pom.xml index 242eaf636853..5cff39822770 100644 --- a/services/kendra/pom.xml +++ b/services/kendra/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 kendra AWS Java SDK :: Services :: Kendra diff --git a/services/kendraranking/pom.xml b/services/kendraranking/pom.xml index 246fe828d586..4f8627c0bbf4 100644 --- a/services/kendraranking/pom.xml +++ b/services/kendraranking/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 kendraranking AWS Java SDK :: Services :: Kendra Ranking diff --git a/services/keyspaces/pom.xml b/services/keyspaces/pom.xml index e930a9d913ee..4b7b4b760614 100644 --- a/services/keyspaces/pom.xml +++ b/services/keyspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 keyspaces AWS Java SDK :: Services :: Keyspaces diff --git a/services/kinesis/pom.xml b/services/kinesis/pom.xml index 43f09711d7ec..c5a52519af2f 100644 --- a/services/kinesis/pom.xml +++ b/services/kinesis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 kinesis AWS Java SDK :: Services :: Amazon Kinesis diff --git a/services/kinesisanalytics/pom.xml b/services/kinesisanalytics/pom.xml index 778c80ba7bed..2673daa8b824 100644 --- a/services/kinesisanalytics/pom.xml +++ b/services/kinesisanalytics/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 kinesisanalytics AWS Java SDK :: Services :: Amazon Kinesis Analytics diff --git a/services/kinesisanalyticsv2/pom.xml b/services/kinesisanalyticsv2/pom.xml index 071c7f32ae07..487288b7be4a 100644 --- a/services/kinesisanalyticsv2/pom.xml +++ b/services/kinesisanalyticsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 kinesisanalyticsv2 AWS Java SDK :: Services :: Kinesis Analytics V2 diff --git a/services/kinesisvideo/pom.xml b/services/kinesisvideo/pom.xml index c296cffa7d83..862ff10ec17f 100644 --- a/services/kinesisvideo/pom.xml +++ b/services/kinesisvideo/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20-SNAPSHOT + 2.27.20 4.0.0 kinesisvideo diff --git a/services/kinesisvideoarchivedmedia/pom.xml b/services/kinesisvideoarchivedmedia/pom.xml index c7e211ed639a..01386c4db4da 100644 --- a/services/kinesisvideoarchivedmedia/pom.xml +++ b/services/kinesisvideoarchivedmedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 kinesisvideoarchivedmedia AWS Java SDK :: Services :: Kinesis Video Archived Media diff --git a/services/kinesisvideomedia/pom.xml b/services/kinesisvideomedia/pom.xml index 461b689fbdce..d3086f7fdae8 100644 --- a/services/kinesisvideomedia/pom.xml +++ b/services/kinesisvideomedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 kinesisvideomedia AWS Java SDK :: Services :: Kinesis Video Media diff --git a/services/kinesisvideosignaling/pom.xml b/services/kinesisvideosignaling/pom.xml index 03009278e840..1c24c6d34c1a 100644 --- a/services/kinesisvideosignaling/pom.xml +++ b/services/kinesisvideosignaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 kinesisvideosignaling AWS Java SDK :: Services :: Kinesis Video Signaling diff --git a/services/kinesisvideowebrtcstorage/pom.xml b/services/kinesisvideowebrtcstorage/pom.xml index 008a7eca22d3..b9fffba5f13e 100644 --- a/services/kinesisvideowebrtcstorage/pom.xml +++ b/services/kinesisvideowebrtcstorage/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 kinesisvideowebrtcstorage AWS Java SDK :: Services :: Kinesis Video Web RTC Storage diff --git a/services/kms/pom.xml b/services/kms/pom.xml index 88d51e5c0133..72e47e649df2 100644 --- a/services/kms/pom.xml +++ b/services/kms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 kms AWS Java SDK :: Services :: AWS KMS diff --git a/services/lakeformation/pom.xml b/services/lakeformation/pom.xml index 2a05aea58845..3d9ea60d108d 100644 --- a/services/lakeformation/pom.xml +++ b/services/lakeformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 lakeformation AWS Java SDK :: Services :: LakeFormation diff --git a/services/lambda/pom.xml b/services/lambda/pom.xml index 512e67365ad4..b9746d3d05ed 100644 --- a/services/lambda/pom.xml +++ b/services/lambda/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 lambda AWS Java SDK :: Services :: AWS Lambda diff --git a/services/launchwizard/pom.xml b/services/launchwizard/pom.xml index c1a98552456c..738f8a10945b 100644 --- a/services/launchwizard/pom.xml +++ b/services/launchwizard/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 launchwizard AWS Java SDK :: Services :: Launch Wizard diff --git a/services/lexmodelbuilding/pom.xml b/services/lexmodelbuilding/pom.xml index 0678ec2d5b4c..5fd85f06c432 100644 --- a/services/lexmodelbuilding/pom.xml +++ b/services/lexmodelbuilding/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 lexmodelbuilding AWS Java SDK :: Services :: Amazon Lex Model Building diff --git a/services/lexmodelsv2/pom.xml b/services/lexmodelsv2/pom.xml index 854c01993a74..e07e0a19d025 100644 --- a/services/lexmodelsv2/pom.xml +++ b/services/lexmodelsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 lexmodelsv2 AWS Java SDK :: Services :: Lex Models V2 diff --git a/services/lexruntime/pom.xml b/services/lexruntime/pom.xml index fec876bb2b79..c0560ea4ecde 100644 --- a/services/lexruntime/pom.xml +++ b/services/lexruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 lexruntime AWS Java SDK :: Services :: Amazon Lex Runtime diff --git a/services/lexruntimev2/pom.xml b/services/lexruntimev2/pom.xml index 5b73e68a4564..de849c286c95 100644 --- a/services/lexruntimev2/pom.xml +++ b/services/lexruntimev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 lexruntimev2 AWS Java SDK :: Services :: Lex Runtime V2 diff --git a/services/licensemanager/pom.xml b/services/licensemanager/pom.xml index 939976e17cbc..c24016b9eb7e 100644 --- a/services/licensemanager/pom.xml +++ b/services/licensemanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 licensemanager AWS Java SDK :: Services :: License Manager diff --git a/services/licensemanagerlinuxsubscriptions/pom.xml b/services/licensemanagerlinuxsubscriptions/pom.xml index 5277c0f743e5..ea34015b5776 100644 --- a/services/licensemanagerlinuxsubscriptions/pom.xml +++ b/services/licensemanagerlinuxsubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 licensemanagerlinuxsubscriptions AWS Java SDK :: Services :: License Manager Linux Subscriptions diff --git a/services/licensemanagerusersubscriptions/pom.xml b/services/licensemanagerusersubscriptions/pom.xml index 79218178d07c..9ca62792ede5 100644 --- a/services/licensemanagerusersubscriptions/pom.xml +++ b/services/licensemanagerusersubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 licensemanagerusersubscriptions AWS Java SDK :: Services :: License Manager User Subscriptions diff --git a/services/lightsail/pom.xml b/services/lightsail/pom.xml index c0bf8ac92108..bd52a1192276 100644 --- a/services/lightsail/pom.xml +++ b/services/lightsail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 lightsail AWS Java SDK :: Services :: Amazon Lightsail diff --git a/services/location/pom.xml b/services/location/pom.xml index 9b1e5489bc0d..750b605c5d65 100644 --- a/services/location/pom.xml +++ b/services/location/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 location AWS Java SDK :: Services :: Location diff --git a/services/lookoutequipment/pom.xml b/services/lookoutequipment/pom.xml index 90c41bc638de..151473291d4a 100644 --- a/services/lookoutequipment/pom.xml +++ b/services/lookoutequipment/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 lookoutequipment AWS Java SDK :: Services :: Lookout Equipment diff --git a/services/lookoutmetrics/pom.xml b/services/lookoutmetrics/pom.xml index 874bf6bfa625..bcff379a25f1 100644 --- a/services/lookoutmetrics/pom.xml +++ b/services/lookoutmetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 lookoutmetrics AWS Java SDK :: Services :: Lookout Metrics diff --git a/services/lookoutvision/pom.xml b/services/lookoutvision/pom.xml index 0e56b285f51b..f5ebae3bf7ee 100644 --- a/services/lookoutvision/pom.xml +++ b/services/lookoutvision/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 lookoutvision AWS Java SDK :: Services :: Lookout Vision diff --git a/services/m2/pom.xml b/services/m2/pom.xml index fb6023b54b16..677b0dbe43e4 100644 --- a/services/m2/pom.xml +++ b/services/m2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 m2 AWS Java SDK :: Services :: M2 diff --git a/services/machinelearning/pom.xml b/services/machinelearning/pom.xml index 6c3257af3b10..8cc54f516788 100644 --- a/services/machinelearning/pom.xml +++ b/services/machinelearning/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 machinelearning AWS Java SDK :: Services :: Amazon Machine Learning diff --git a/services/macie2/pom.xml b/services/macie2/pom.xml index 969783510acf..28fd091c136a 100644 --- a/services/macie2/pom.xml +++ b/services/macie2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 macie2 AWS Java SDK :: Services :: Macie2 diff --git a/services/mailmanager/pom.xml b/services/mailmanager/pom.xml index 8e8551b71ccb..c1f598e5209d 100644 --- a/services/mailmanager/pom.xml +++ b/services/mailmanager/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 mailmanager AWS Java SDK :: Services :: Mail Manager diff --git a/services/managedblockchain/pom.xml b/services/managedblockchain/pom.xml index 9a2492375705..530b5fe92ef1 100644 --- a/services/managedblockchain/pom.xml +++ b/services/managedblockchain/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 managedblockchain AWS Java SDK :: Services :: ManagedBlockchain diff --git a/services/managedblockchainquery/pom.xml b/services/managedblockchainquery/pom.xml index eae00c88ee7d..3f41d4328164 100644 --- a/services/managedblockchainquery/pom.xml +++ b/services/managedblockchainquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 managedblockchainquery AWS Java SDK :: Services :: Managed Blockchain Query diff --git a/services/marketplaceagreement/pom.xml b/services/marketplaceagreement/pom.xml index e718361ac516..a4338ab6b72f 100644 --- a/services/marketplaceagreement/pom.xml +++ b/services/marketplaceagreement/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 marketplaceagreement AWS Java SDK :: Services :: Marketplace Agreement diff --git a/services/marketplacecatalog/pom.xml b/services/marketplacecatalog/pom.xml index 38f1004af733..2e11e22dfb04 100644 --- a/services/marketplacecatalog/pom.xml +++ b/services/marketplacecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 marketplacecatalog AWS Java SDK :: Services :: Marketplace Catalog diff --git a/services/marketplacecommerceanalytics/pom.xml b/services/marketplacecommerceanalytics/pom.xml index 4f2bc948cef6..f2bfd3f3f72b 100644 --- a/services/marketplacecommerceanalytics/pom.xml +++ b/services/marketplacecommerceanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 marketplacecommerceanalytics AWS Java SDK :: Services :: AWS Marketplace Commerce Analytics diff --git a/services/marketplacedeployment/pom.xml b/services/marketplacedeployment/pom.xml index 38a39c33f2e3..e59c608f67f8 100644 --- a/services/marketplacedeployment/pom.xml +++ b/services/marketplacedeployment/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 marketplacedeployment AWS Java SDK :: Services :: Marketplace Deployment diff --git a/services/marketplaceentitlement/pom.xml b/services/marketplaceentitlement/pom.xml index 96dec2258a5f..0a9670b19006 100644 --- a/services/marketplaceentitlement/pom.xml +++ b/services/marketplaceentitlement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 marketplaceentitlement AWS Java SDK :: Services :: AWS Marketplace Entitlement diff --git a/services/marketplacemetering/pom.xml b/services/marketplacemetering/pom.xml index bb8cd2047b54..7f3983a1122b 100644 --- a/services/marketplacemetering/pom.xml +++ b/services/marketplacemetering/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 marketplacemetering AWS Java SDK :: Services :: AWS Marketplace Metering Service diff --git a/services/mediaconnect/pom.xml b/services/mediaconnect/pom.xml index e377d9d05653..6419ad1a15dc 100644 --- a/services/mediaconnect/pom.xml +++ b/services/mediaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 mediaconnect AWS Java SDK :: Services :: MediaConnect diff --git a/services/mediaconvert/pom.xml b/services/mediaconvert/pom.xml index bcfd15f4d163..40815c643f03 100644 --- a/services/mediaconvert/pom.xml +++ b/services/mediaconvert/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20-SNAPSHOT + 2.27.20 4.0.0 mediaconvert diff --git a/services/medialive/pom.xml b/services/medialive/pom.xml index a4ba7ec7f1a2..1f52db5cadeb 100644 --- a/services/medialive/pom.xml +++ b/services/medialive/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20-SNAPSHOT + 2.27.20 4.0.0 medialive diff --git a/services/mediapackage/pom.xml b/services/mediapackage/pom.xml index aa9f87a08b50..7c6d028c3dc5 100644 --- a/services/mediapackage/pom.xml +++ b/services/mediapackage/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20-SNAPSHOT + 2.27.20 4.0.0 mediapackage diff --git a/services/mediapackagev2/pom.xml b/services/mediapackagev2/pom.xml index 0d73bfe22ede..3c4155b6b08f 100644 --- a/services/mediapackagev2/pom.xml +++ b/services/mediapackagev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 mediapackagev2 AWS Java SDK :: Services :: Media Package V2 diff --git a/services/mediapackagevod/pom.xml b/services/mediapackagevod/pom.xml index efa568a0151d..d699a82cdc64 100644 --- a/services/mediapackagevod/pom.xml +++ b/services/mediapackagevod/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 mediapackagevod AWS Java SDK :: Services :: MediaPackage Vod diff --git a/services/mediastore/pom.xml b/services/mediastore/pom.xml index 956f735cf061..bd3e35bb0b9a 100644 --- a/services/mediastore/pom.xml +++ b/services/mediastore/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20-SNAPSHOT + 2.27.20 4.0.0 mediastore diff --git a/services/mediastoredata/pom.xml b/services/mediastoredata/pom.xml index a4068c73dac8..98c25e1908a1 100644 --- a/services/mediastoredata/pom.xml +++ b/services/mediastoredata/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20-SNAPSHOT + 2.27.20 4.0.0 mediastoredata diff --git a/services/mediatailor/pom.xml b/services/mediatailor/pom.xml index e381caf68601..c1f0e2f10602 100644 --- a/services/mediatailor/pom.xml +++ b/services/mediatailor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 mediatailor AWS Java SDK :: Services :: MediaTailor diff --git a/services/medicalimaging/pom.xml b/services/medicalimaging/pom.xml index b535fd7e4af0..df278fdd64c9 100644 --- a/services/medicalimaging/pom.xml +++ b/services/medicalimaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 medicalimaging AWS Java SDK :: Services :: Medical Imaging diff --git a/services/memorydb/pom.xml b/services/memorydb/pom.xml index ea3a1280938b..e29fd028d521 100644 --- a/services/memorydb/pom.xml +++ b/services/memorydb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 memorydb AWS Java SDK :: Services :: Memory DB diff --git a/services/mgn/pom.xml b/services/mgn/pom.xml index 299e37b88753..674bd0bf4b28 100644 --- a/services/mgn/pom.xml +++ b/services/mgn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 mgn AWS Java SDK :: Services :: Mgn diff --git a/services/migrationhub/pom.xml b/services/migrationhub/pom.xml index b31989837a45..84f67bd1e5c8 100644 --- a/services/migrationhub/pom.xml +++ b/services/migrationhub/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20-SNAPSHOT + 2.27.20 4.0.0 migrationhub diff --git a/services/migrationhubconfig/pom.xml b/services/migrationhubconfig/pom.xml index 2e6d13085100..d3f06a304a88 100644 --- a/services/migrationhubconfig/pom.xml +++ b/services/migrationhubconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 migrationhubconfig AWS Java SDK :: Services :: MigrationHub Config diff --git a/services/migrationhuborchestrator/pom.xml b/services/migrationhuborchestrator/pom.xml index e3fb8fa1be94..0735b0f065ce 100644 --- a/services/migrationhuborchestrator/pom.xml +++ b/services/migrationhuborchestrator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 migrationhuborchestrator AWS Java SDK :: Services :: Migration Hub Orchestrator diff --git a/services/migrationhubrefactorspaces/pom.xml b/services/migrationhubrefactorspaces/pom.xml index a1bb0222e681..8a7bc5a3bd4c 100644 --- a/services/migrationhubrefactorspaces/pom.xml +++ b/services/migrationhubrefactorspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 migrationhubrefactorspaces AWS Java SDK :: Services :: Migration Hub Refactor Spaces diff --git a/services/migrationhubstrategy/pom.xml b/services/migrationhubstrategy/pom.xml index 2748e6e53041..3f7aabbb5304 100644 --- a/services/migrationhubstrategy/pom.xml +++ b/services/migrationhubstrategy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 migrationhubstrategy AWS Java SDK :: Services :: Migration Hub Strategy diff --git a/services/mq/pom.xml b/services/mq/pom.xml index 65af1f092701..9b8f3506efaf 100644 --- a/services/mq/pom.xml +++ b/services/mq/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20-SNAPSHOT + 2.27.20 4.0.0 mq diff --git a/services/mturk/pom.xml b/services/mturk/pom.xml index 205643ebb3fd..4dff2fd9e471 100644 --- a/services/mturk/pom.xml +++ b/services/mturk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 mturk AWS Java SDK :: Services :: Amazon Mechanical Turk Requester diff --git a/services/mwaa/pom.xml b/services/mwaa/pom.xml index d450166fc932..e34ee539c72b 100644 --- a/services/mwaa/pom.xml +++ b/services/mwaa/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 mwaa AWS Java SDK :: Services :: MWAA diff --git a/services/neptune/pom.xml b/services/neptune/pom.xml index badc087613d4..0d20ec5db75f 100644 --- a/services/neptune/pom.xml +++ b/services/neptune/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 neptune AWS Java SDK :: Services :: Neptune diff --git a/services/neptunedata/pom.xml b/services/neptunedata/pom.xml index 4c848d7abc7c..e3ef39fdede7 100644 --- a/services/neptunedata/pom.xml +++ b/services/neptunedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 neptunedata AWS Java SDK :: Services :: Neptunedata diff --git a/services/neptunegraph/pom.xml b/services/neptunegraph/pom.xml index 74618c4acf2c..fd8de336ec92 100644 --- a/services/neptunegraph/pom.xml +++ b/services/neptunegraph/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 neptunegraph AWS Java SDK :: Services :: Neptune Graph diff --git a/services/networkfirewall/pom.xml b/services/networkfirewall/pom.xml index d87fb7b9fcf3..28c23f80b7b1 100644 --- a/services/networkfirewall/pom.xml +++ b/services/networkfirewall/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 networkfirewall AWS Java SDK :: Services :: Network Firewall diff --git a/services/networkmanager/pom.xml b/services/networkmanager/pom.xml index 73ced6d04da3..bd4068007bd5 100644 --- a/services/networkmanager/pom.xml +++ b/services/networkmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 networkmanager AWS Java SDK :: Services :: NetworkManager diff --git a/services/networkmonitor/pom.xml b/services/networkmonitor/pom.xml index c5d110eb067f..5f2dc8a6da97 100644 --- a/services/networkmonitor/pom.xml +++ b/services/networkmonitor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 networkmonitor AWS Java SDK :: Services :: Network Monitor diff --git a/services/nimble/pom.xml b/services/nimble/pom.xml index 3ece4d73eecc..3c17c39b0e71 100644 --- a/services/nimble/pom.xml +++ b/services/nimble/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 nimble AWS Java SDK :: Services :: Nimble diff --git a/services/oam/pom.xml b/services/oam/pom.xml index c626a5d49010..a5c0f4163f15 100644 --- a/services/oam/pom.xml +++ b/services/oam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 oam AWS Java SDK :: Services :: OAM diff --git a/services/omics/pom.xml b/services/omics/pom.xml index 854de22bb029..9e73b9aea849 100644 --- a/services/omics/pom.xml +++ b/services/omics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 omics AWS Java SDK :: Services :: Omics diff --git a/services/opensearch/pom.xml b/services/opensearch/pom.xml index f75495321994..721b7a45dfa3 100644 --- a/services/opensearch/pom.xml +++ b/services/opensearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 opensearch AWS Java SDK :: Services :: Open Search diff --git a/services/opensearchserverless/pom.xml b/services/opensearchserverless/pom.xml index b0325790ee05..054b90a65cea 100644 --- a/services/opensearchserverless/pom.xml +++ b/services/opensearchserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 opensearchserverless AWS Java SDK :: Services :: Open Search Serverless diff --git a/services/opsworks/pom.xml b/services/opsworks/pom.xml index b1b5f924b0d8..2c4852141a74 100644 --- a/services/opsworks/pom.xml +++ b/services/opsworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 opsworks AWS Java SDK :: Services :: AWS OpsWorks diff --git a/services/opsworkscm/pom.xml b/services/opsworkscm/pom.xml index e3b4418cad8e..cf3771646a73 100644 --- a/services/opsworkscm/pom.xml +++ b/services/opsworkscm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 opsworkscm AWS Java SDK :: Services :: AWS OpsWorks for Chef Automate diff --git a/services/organizations/pom.xml b/services/organizations/pom.xml index 2baed407db0b..1f6a2bb69d88 100644 --- a/services/organizations/pom.xml +++ b/services/organizations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 organizations AWS Java SDK :: Services :: AWS Organizations diff --git a/services/osis/pom.xml b/services/osis/pom.xml index c29c60027037..ab9c99bd2036 100644 --- a/services/osis/pom.xml +++ b/services/osis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 osis AWS Java SDK :: Services :: OSIS diff --git a/services/outposts/pom.xml b/services/outposts/pom.xml index d4f8010498ca..168c48a57ede 100644 --- a/services/outposts/pom.xml +++ b/services/outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 outposts AWS Java SDK :: Services :: Outposts diff --git a/services/panorama/pom.xml b/services/panorama/pom.xml index aa192ef0f373..7acba49919a5 100644 --- a/services/panorama/pom.xml +++ b/services/panorama/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 panorama AWS Java SDK :: Services :: Panorama diff --git a/services/paymentcryptography/pom.xml b/services/paymentcryptography/pom.xml index ef0ee2080781..24e069763b0d 100644 --- a/services/paymentcryptography/pom.xml +++ b/services/paymentcryptography/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 paymentcryptography AWS Java SDK :: Services :: Payment Cryptography diff --git a/services/paymentcryptographydata/pom.xml b/services/paymentcryptographydata/pom.xml index 2f7d0caee45b..834945e5712d 100644 --- a/services/paymentcryptographydata/pom.xml +++ b/services/paymentcryptographydata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 paymentcryptographydata AWS Java SDK :: Services :: Payment Cryptography Data diff --git a/services/pcaconnectorad/pom.xml b/services/pcaconnectorad/pom.xml index a7f4ef030b82..9a9f37e7954b 100644 --- a/services/pcaconnectorad/pom.xml +++ b/services/pcaconnectorad/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 pcaconnectorad AWS Java SDK :: Services :: Pca Connector Ad diff --git a/services/pcaconnectorscep/pom.xml b/services/pcaconnectorscep/pom.xml index 04fae601c053..8147ed4d2c0e 100644 --- a/services/pcaconnectorscep/pom.xml +++ b/services/pcaconnectorscep/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 pcaconnectorscep AWS Java SDK :: Services :: Pca Connector Scep diff --git a/services/pcs/pom.xml b/services/pcs/pom.xml index e7857cc95339..50122420b1d5 100644 --- a/services/pcs/pom.xml +++ b/services/pcs/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 pcs AWS Java SDK :: Services :: PCS diff --git a/services/personalize/pom.xml b/services/personalize/pom.xml index b9a981ccbe93..6007ef25f9ef 100644 --- a/services/personalize/pom.xml +++ b/services/personalize/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 personalize AWS Java SDK :: Services :: Personalize diff --git a/services/personalizeevents/pom.xml b/services/personalizeevents/pom.xml index 1f2bb78349e8..cfc0dcc7d67a 100644 --- a/services/personalizeevents/pom.xml +++ b/services/personalizeevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 personalizeevents AWS Java SDK :: Services :: Personalize Events diff --git a/services/personalizeruntime/pom.xml b/services/personalizeruntime/pom.xml index 5b55883e4c07..f42dd238248a 100644 --- a/services/personalizeruntime/pom.xml +++ b/services/personalizeruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 personalizeruntime AWS Java SDK :: Services :: Personalize Runtime diff --git a/services/pi/pom.xml b/services/pi/pom.xml index 8ddf5ac4b869..5eb00d485b79 100644 --- a/services/pi/pom.xml +++ b/services/pi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 pi AWS Java SDK :: Services :: PI diff --git a/services/pinpoint/pom.xml b/services/pinpoint/pom.xml index 75800b13c2d9..ec6409716d6d 100644 --- a/services/pinpoint/pom.xml +++ b/services/pinpoint/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 pinpoint AWS Java SDK :: Services :: Amazon Pinpoint diff --git a/services/pinpointemail/pom.xml b/services/pinpointemail/pom.xml index 03b12618e6bb..de2cd09acea8 100644 --- a/services/pinpointemail/pom.xml +++ b/services/pinpointemail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 pinpointemail AWS Java SDK :: Services :: Pinpoint Email diff --git a/services/pinpointsmsvoice/pom.xml b/services/pinpointsmsvoice/pom.xml index 95146ce19423..a818c446df7f 100644 --- a/services/pinpointsmsvoice/pom.xml +++ b/services/pinpointsmsvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 pinpointsmsvoice AWS Java SDK :: Services :: Pinpoint SMS Voice diff --git a/services/pinpointsmsvoicev2/pom.xml b/services/pinpointsmsvoicev2/pom.xml index 781bf70a2ca8..9025f1f9271e 100644 --- a/services/pinpointsmsvoicev2/pom.xml +++ b/services/pinpointsmsvoicev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 pinpointsmsvoicev2 AWS Java SDK :: Services :: Pinpoint SMS Voice V2 diff --git a/services/pipes/pom.xml b/services/pipes/pom.xml index 3352c36cef93..ec8c8027ae79 100644 --- a/services/pipes/pom.xml +++ b/services/pipes/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 pipes AWS Java SDK :: Services :: Pipes diff --git a/services/polly/pom.xml b/services/polly/pom.xml index cb79f2596f0c..d6d0883e5b2f 100644 --- a/services/polly/pom.xml +++ b/services/polly/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 polly AWS Java SDK :: Services :: Amazon Polly diff --git a/services/pom.xml b/services/pom.xml index 542c793d9c52..aa6f51054cae 100644 --- a/services/pom.xml +++ b/services/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.20-SNAPSHOT + 2.27.20 services AWS Java SDK :: Services diff --git a/services/pricing/pom.xml b/services/pricing/pom.xml index 2341d152035c..4f861e9130f4 100644 --- a/services/pricing/pom.xml +++ b/services/pricing/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20-SNAPSHOT + 2.27.20 4.0.0 pricing diff --git a/services/privatenetworks/pom.xml b/services/privatenetworks/pom.xml index be3a565e1772..0844d36e43ec 100644 --- a/services/privatenetworks/pom.xml +++ b/services/privatenetworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 privatenetworks AWS Java SDK :: Services :: Private Networks diff --git a/services/proton/pom.xml b/services/proton/pom.xml index a3f26adcbbbb..56ad961ce99b 100644 --- a/services/proton/pom.xml +++ b/services/proton/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 proton AWS Java SDK :: Services :: Proton diff --git a/services/qapps/pom.xml b/services/qapps/pom.xml index bc8d04764ab9..069239e41548 100644 --- a/services/qapps/pom.xml +++ b/services/qapps/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 qapps AWS Java SDK :: Services :: Q Apps diff --git a/services/qbusiness/pom.xml b/services/qbusiness/pom.xml index 5df762a31949..b365456029cf 100644 --- a/services/qbusiness/pom.xml +++ b/services/qbusiness/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 qbusiness AWS Java SDK :: Services :: Q Business diff --git a/services/qconnect/pom.xml b/services/qconnect/pom.xml index fb1bcfeddde2..feb468331897 100644 --- a/services/qconnect/pom.xml +++ b/services/qconnect/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 qconnect AWS Java SDK :: Services :: Q Connect diff --git a/services/qldb/pom.xml b/services/qldb/pom.xml index 1a0869379492..e3dee19d2e14 100644 --- a/services/qldb/pom.xml +++ b/services/qldb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 qldb AWS Java SDK :: Services :: QLDB diff --git a/services/qldbsession/pom.xml b/services/qldbsession/pom.xml index 04b2f098bc07..d69ebeac6191 100644 --- a/services/qldbsession/pom.xml +++ b/services/qldbsession/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 qldbsession AWS Java SDK :: Services :: QLDB Session diff --git a/services/quicksight/pom.xml b/services/quicksight/pom.xml index 42316f8e307d..130e0050ca02 100644 --- a/services/quicksight/pom.xml +++ b/services/quicksight/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 quicksight AWS Java SDK :: Services :: QuickSight diff --git a/services/ram/pom.xml b/services/ram/pom.xml index 821f82cef841..0a821cce2d78 100644 --- a/services/ram/pom.xml +++ b/services/ram/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 ram AWS Java SDK :: Services :: RAM diff --git a/services/rbin/pom.xml b/services/rbin/pom.xml index 1d2e3dfd3632..b55dbbe346d9 100644 --- a/services/rbin/pom.xml +++ b/services/rbin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 rbin AWS Java SDK :: Services :: Rbin diff --git a/services/rds/pom.xml b/services/rds/pom.xml index 9ff43aa417db..f53520643616 100644 --- a/services/rds/pom.xml +++ b/services/rds/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 rds AWS Java SDK :: Services :: Amazon RDS diff --git a/services/rdsdata/pom.xml b/services/rdsdata/pom.xml index 012a70601bd0..c4ee65469bf1 100644 --- a/services/rdsdata/pom.xml +++ b/services/rdsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 rdsdata AWS Java SDK :: Services :: RDS Data diff --git a/services/redshift/pom.xml b/services/redshift/pom.xml index fa92a92fb2d8..b377145b2c48 100644 --- a/services/redshift/pom.xml +++ b/services/redshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 redshift AWS Java SDK :: Services :: Amazon Redshift diff --git a/services/redshiftdata/pom.xml b/services/redshiftdata/pom.xml index af02daa65e8f..27bd35611d22 100644 --- a/services/redshiftdata/pom.xml +++ b/services/redshiftdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 redshiftdata AWS Java SDK :: Services :: Redshift Data diff --git a/services/redshiftserverless/pom.xml b/services/redshiftserverless/pom.xml index aa016961ffed..e5d72951bb05 100644 --- a/services/redshiftserverless/pom.xml +++ b/services/redshiftserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 redshiftserverless AWS Java SDK :: Services :: Redshift Serverless diff --git a/services/rekognition/pom.xml b/services/rekognition/pom.xml index a005f6eac621..491f813296cb 100644 --- a/services/rekognition/pom.xml +++ b/services/rekognition/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 rekognition AWS Java SDK :: Services :: Amazon Rekognition diff --git a/services/repostspace/pom.xml b/services/repostspace/pom.xml index 56e464c32815..4fb9e2e9182c 100644 --- a/services/repostspace/pom.xml +++ b/services/repostspace/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 repostspace AWS Java SDK :: Services :: Repostspace diff --git a/services/resiliencehub/pom.xml b/services/resiliencehub/pom.xml index 3e3f6fbe2cf6..b16b678340ea 100644 --- a/services/resiliencehub/pom.xml +++ b/services/resiliencehub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 resiliencehub AWS Java SDK :: Services :: Resiliencehub diff --git a/services/resourceexplorer2/pom.xml b/services/resourceexplorer2/pom.xml index 0619e5a64e2e..545a7d5f7c19 100644 --- a/services/resourceexplorer2/pom.xml +++ b/services/resourceexplorer2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 resourceexplorer2 AWS Java SDK :: Services :: Resource Explorer 2 diff --git a/services/resourcegroups/pom.xml b/services/resourcegroups/pom.xml index 10f72b4c5624..6100cd419188 100644 --- a/services/resourcegroups/pom.xml +++ b/services/resourcegroups/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20-SNAPSHOT + 2.27.20 4.0.0 resourcegroups diff --git a/services/resourcegroupstaggingapi/pom.xml b/services/resourcegroupstaggingapi/pom.xml index d2784184cef6..84c01cf445c4 100644 --- a/services/resourcegroupstaggingapi/pom.xml +++ b/services/resourcegroupstaggingapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 resourcegroupstaggingapi AWS Java SDK :: Services :: AWS Resource Groups Tagging API diff --git a/services/robomaker/pom.xml b/services/robomaker/pom.xml index 2f222267c43d..f73926795500 100644 --- a/services/robomaker/pom.xml +++ b/services/robomaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 robomaker AWS Java SDK :: Services :: RoboMaker diff --git a/services/rolesanywhere/pom.xml b/services/rolesanywhere/pom.xml index 27830c41c814..18a361a4f898 100644 --- a/services/rolesanywhere/pom.xml +++ b/services/rolesanywhere/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 rolesanywhere AWS Java SDK :: Services :: Roles Anywhere diff --git a/services/route53/pom.xml b/services/route53/pom.xml index 8236a078d309..88b0941b505d 100644 --- a/services/route53/pom.xml +++ b/services/route53/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 route53 AWS Java SDK :: Services :: Amazon Route53 diff --git a/services/route53domains/pom.xml b/services/route53domains/pom.xml index 80e7056d0eb6..9cc39b2549c1 100644 --- a/services/route53domains/pom.xml +++ b/services/route53domains/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 route53domains AWS Java SDK :: Services :: Amazon Route53 Domains diff --git a/services/route53profiles/pom.xml b/services/route53profiles/pom.xml index 4f14f5de02c9..860fce9f46e8 100644 --- a/services/route53profiles/pom.xml +++ b/services/route53profiles/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 route53profiles AWS Java SDK :: Services :: Route53 Profiles diff --git a/services/route53recoverycluster/pom.xml b/services/route53recoverycluster/pom.xml index b1ed0aeeacd0..0641796942e0 100644 --- a/services/route53recoverycluster/pom.xml +++ b/services/route53recoverycluster/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 route53recoverycluster AWS Java SDK :: Services :: Route53 Recovery Cluster diff --git a/services/route53recoverycontrolconfig/pom.xml b/services/route53recoverycontrolconfig/pom.xml index c079ae186cc2..c4270fd6a49c 100644 --- a/services/route53recoverycontrolconfig/pom.xml +++ b/services/route53recoverycontrolconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 route53recoverycontrolconfig AWS Java SDK :: Services :: Route53 Recovery Control Config diff --git a/services/route53recoveryreadiness/pom.xml b/services/route53recoveryreadiness/pom.xml index 3d431f061274..6e722577821a 100644 --- a/services/route53recoveryreadiness/pom.xml +++ b/services/route53recoveryreadiness/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 route53recoveryreadiness AWS Java SDK :: Services :: Route53 Recovery Readiness diff --git a/services/route53resolver/pom.xml b/services/route53resolver/pom.xml index c453a554206c..9f1f0cba15a1 100644 --- a/services/route53resolver/pom.xml +++ b/services/route53resolver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 route53resolver AWS Java SDK :: Services :: Route53Resolver diff --git a/services/rum/pom.xml b/services/rum/pom.xml index 8695b5eadc5f..a3a7c32131c6 100644 --- a/services/rum/pom.xml +++ b/services/rum/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 rum AWS Java SDK :: Services :: RUM diff --git a/services/s3/pom.xml b/services/s3/pom.xml index 5de879accc34..74111fad4d04 100644 --- a/services/s3/pom.xml +++ b/services/s3/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 s3 AWS Java SDK :: Services :: Amazon S3 diff --git a/services/s3control/pom.xml b/services/s3control/pom.xml index 6f7b0f235eeb..d25042333161 100644 --- a/services/s3control/pom.xml +++ b/services/s3control/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 s3control AWS Java SDK :: Services :: Amazon S3 Control diff --git a/services/s3outposts/pom.xml b/services/s3outposts/pom.xml index 2dcd4cec3c5a..3982fd18be0f 100644 --- a/services/s3outposts/pom.xml +++ b/services/s3outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 s3outposts AWS Java SDK :: Services :: S3 Outposts diff --git a/services/sagemaker/pom.xml b/services/sagemaker/pom.xml index 5bf1e330b6a3..16c875249c70 100644 --- a/services/sagemaker/pom.xml +++ b/services/sagemaker/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20-SNAPSHOT + 2.27.20 4.0.0 sagemaker diff --git a/services/sagemakera2iruntime/pom.xml b/services/sagemakera2iruntime/pom.xml index 29350caba467..90e99762604c 100644 --- a/services/sagemakera2iruntime/pom.xml +++ b/services/sagemakera2iruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 sagemakera2iruntime AWS Java SDK :: Services :: SageMaker A2I Runtime diff --git a/services/sagemakeredge/pom.xml b/services/sagemakeredge/pom.xml index 8ce5bad21c9c..33b8be412f3c 100644 --- a/services/sagemakeredge/pom.xml +++ b/services/sagemakeredge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 sagemakeredge AWS Java SDK :: Services :: Sagemaker Edge diff --git a/services/sagemakerfeaturestoreruntime/pom.xml b/services/sagemakerfeaturestoreruntime/pom.xml index c744be54739b..30121a5cb05f 100644 --- a/services/sagemakerfeaturestoreruntime/pom.xml +++ b/services/sagemakerfeaturestoreruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 sagemakerfeaturestoreruntime AWS Java SDK :: Services :: Sage Maker Feature Store Runtime diff --git a/services/sagemakergeospatial/pom.xml b/services/sagemakergeospatial/pom.xml index 528d692a97ac..d3364513ef19 100644 --- a/services/sagemakergeospatial/pom.xml +++ b/services/sagemakergeospatial/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 sagemakergeospatial AWS Java SDK :: Services :: Sage Maker Geospatial diff --git a/services/sagemakermetrics/pom.xml b/services/sagemakermetrics/pom.xml index 8c4268874477..b2e77a89ea68 100644 --- a/services/sagemakermetrics/pom.xml +++ b/services/sagemakermetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 sagemakermetrics AWS Java SDK :: Services :: Sage Maker Metrics diff --git a/services/sagemakerruntime/pom.xml b/services/sagemakerruntime/pom.xml index 28d1f50bd415..f9f96fe47c07 100644 --- a/services/sagemakerruntime/pom.xml +++ b/services/sagemakerruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 sagemakerruntime AWS Java SDK :: Services :: SageMaker Runtime diff --git a/services/savingsplans/pom.xml b/services/savingsplans/pom.xml index cb1d1fb0b0ce..a04495554594 100644 --- a/services/savingsplans/pom.xml +++ b/services/savingsplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 savingsplans AWS Java SDK :: Services :: Savingsplans diff --git a/services/scheduler/pom.xml b/services/scheduler/pom.xml index a561b8d43214..90947297f5aa 100644 --- a/services/scheduler/pom.xml +++ b/services/scheduler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 scheduler AWS Java SDK :: Services :: Scheduler diff --git a/services/schemas/pom.xml b/services/schemas/pom.xml index 0f7decf44c6e..0b73e2e0ea80 100644 --- a/services/schemas/pom.xml +++ b/services/schemas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 schemas AWS Java SDK :: Services :: Schemas diff --git a/services/secretsmanager/pom.xml b/services/secretsmanager/pom.xml index c462d79f03ba..372196f18f1c 100644 --- a/services/secretsmanager/pom.xml +++ b/services/secretsmanager/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 secretsmanager AWS Java SDK :: Services :: AWS Secrets Manager diff --git a/services/securityhub/pom.xml b/services/securityhub/pom.xml index e40a688ebea3..5959f057607d 100644 --- a/services/securityhub/pom.xml +++ b/services/securityhub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 securityhub AWS Java SDK :: Services :: SecurityHub diff --git a/services/securitylake/pom.xml b/services/securitylake/pom.xml index 3ca4f11d99e0..674666f35b6b 100644 --- a/services/securitylake/pom.xml +++ b/services/securitylake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 securitylake AWS Java SDK :: Services :: Security Lake diff --git a/services/serverlessapplicationrepository/pom.xml b/services/serverlessapplicationrepository/pom.xml index 5ad92ae7764b..554c598fdc41 100644 --- a/services/serverlessapplicationrepository/pom.xml +++ b/services/serverlessapplicationrepository/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20-SNAPSHOT + 2.27.20 4.0.0 serverlessapplicationrepository diff --git a/services/servicecatalog/pom.xml b/services/servicecatalog/pom.xml index 8d74aee4b415..8af002fd1888 100644 --- a/services/servicecatalog/pom.xml +++ b/services/servicecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 servicecatalog AWS Java SDK :: Services :: AWS Service Catalog diff --git a/services/servicecatalogappregistry/pom.xml b/services/servicecatalogappregistry/pom.xml index 2cbb20dedc71..f0cd8c3d2834 100644 --- a/services/servicecatalogappregistry/pom.xml +++ b/services/servicecatalogappregistry/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 servicecatalogappregistry AWS Java SDK :: Services :: Service Catalog App Registry diff --git a/services/servicediscovery/pom.xml b/services/servicediscovery/pom.xml index 1043475103c7..2a8e07ddcebe 100644 --- a/services/servicediscovery/pom.xml +++ b/services/servicediscovery/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20-SNAPSHOT + 2.27.20 4.0.0 servicediscovery diff --git a/services/servicequotas/pom.xml b/services/servicequotas/pom.xml index f550a2a32021..2d2be015227a 100644 --- a/services/servicequotas/pom.xml +++ b/services/servicequotas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 servicequotas AWS Java SDK :: Services :: Service Quotas diff --git a/services/ses/pom.xml b/services/ses/pom.xml index d1aaef751a07..613dc0759363 100644 --- a/services/ses/pom.xml +++ b/services/ses/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 ses AWS Java SDK :: Services :: Amazon SES diff --git a/services/sesv2/pom.xml b/services/sesv2/pom.xml index 46c0c8598187..5235203cf509 100644 --- a/services/sesv2/pom.xml +++ b/services/sesv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 sesv2 AWS Java SDK :: Services :: SESv2 diff --git a/services/sfn/pom.xml b/services/sfn/pom.xml index b370378d02a0..700a87b83867 100644 --- a/services/sfn/pom.xml +++ b/services/sfn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 sfn AWS Java SDK :: Services :: AWS Step Functions diff --git a/services/shield/pom.xml b/services/shield/pom.xml index 87c814177df4..de5b885e331b 100644 --- a/services/shield/pom.xml +++ b/services/shield/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 shield AWS Java SDK :: Services :: AWS Shield diff --git a/services/signer/pom.xml b/services/signer/pom.xml index 3b6c5f966179..c5f17abffe84 100644 --- a/services/signer/pom.xml +++ b/services/signer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 signer AWS Java SDK :: Services :: Signer diff --git a/services/simspaceweaver/pom.xml b/services/simspaceweaver/pom.xml index df70041d2982..965931da8e05 100644 --- a/services/simspaceweaver/pom.xml +++ b/services/simspaceweaver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 simspaceweaver AWS Java SDK :: Services :: Sim Space Weaver diff --git a/services/sms/pom.xml b/services/sms/pom.xml index c8f3a14cd270..aa229ffd264d 100644 --- a/services/sms/pom.xml +++ b/services/sms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 sms AWS Java SDK :: Services :: AWS Server Migration diff --git a/services/snowball/pom.xml b/services/snowball/pom.xml index 9dc68199bb9e..325b3f057482 100644 --- a/services/snowball/pom.xml +++ b/services/snowball/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 snowball AWS Java SDK :: Services :: Amazon Snowball diff --git a/services/snowdevicemanagement/pom.xml b/services/snowdevicemanagement/pom.xml index ec3b01daeba3..879e4c020e4c 100644 --- a/services/snowdevicemanagement/pom.xml +++ b/services/snowdevicemanagement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 snowdevicemanagement AWS Java SDK :: Services :: Snow Device Management diff --git a/services/sns/pom.xml b/services/sns/pom.xml index 149e619ce77f..d48fad3f1129 100644 --- a/services/sns/pom.xml +++ b/services/sns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 sns AWS Java SDK :: Services :: Amazon SNS diff --git a/services/sqs/pom.xml b/services/sqs/pom.xml index 426a9d03d7ad..564a31512f61 100644 --- a/services/sqs/pom.xml +++ b/services/sqs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 sqs AWS Java SDK :: Services :: Amazon SQS diff --git a/services/ssm/pom.xml b/services/ssm/pom.xml index dc21d5e1c1bf..0452e1395350 100644 --- a/services/ssm/pom.xml +++ b/services/ssm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 ssm AWS Java SDK :: Services :: AWS Simple Systems Management (SSM) diff --git a/services/ssmcontacts/pom.xml b/services/ssmcontacts/pom.xml index bc61d06132c6..1474963caba9 100644 --- a/services/ssmcontacts/pom.xml +++ b/services/ssmcontacts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 ssmcontacts AWS Java SDK :: Services :: SSM Contacts diff --git a/services/ssmincidents/pom.xml b/services/ssmincidents/pom.xml index 3e08f5f1c365..ecd4900fadf7 100644 --- a/services/ssmincidents/pom.xml +++ b/services/ssmincidents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 ssmincidents AWS Java SDK :: Services :: SSM Incidents diff --git a/services/ssmquicksetup/pom.xml b/services/ssmquicksetup/pom.xml index 51a0c3e2029f..f4ffa7b86a8d 100644 --- a/services/ssmquicksetup/pom.xml +++ b/services/ssmquicksetup/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 ssmquicksetup AWS Java SDK :: Services :: SSM Quick Setup diff --git a/services/ssmsap/pom.xml b/services/ssmsap/pom.xml index d78a4c0984c6..026eb9b8c7d0 100644 --- a/services/ssmsap/pom.xml +++ b/services/ssmsap/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 ssmsap AWS Java SDK :: Services :: Ssm Sap diff --git a/services/sso/pom.xml b/services/sso/pom.xml index 49d795ccbbcb..ec4e8fca8735 100644 --- a/services/sso/pom.xml +++ b/services/sso/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 sso AWS Java SDK :: Services :: SSO diff --git a/services/ssoadmin/pom.xml b/services/ssoadmin/pom.xml index f0e0046185dc..cc3a6ee36d3a 100644 --- a/services/ssoadmin/pom.xml +++ b/services/ssoadmin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 ssoadmin AWS Java SDK :: Services :: SSO Admin diff --git a/services/ssooidc/pom.xml b/services/ssooidc/pom.xml index 10c0c5634f68..0c3d159b90c3 100644 --- a/services/ssooidc/pom.xml +++ b/services/ssooidc/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 ssooidc AWS Java SDK :: Services :: SSO OIDC diff --git a/services/storagegateway/pom.xml b/services/storagegateway/pom.xml index 515d7c69a4bf..ef26dc38a600 100644 --- a/services/storagegateway/pom.xml +++ b/services/storagegateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 storagegateway AWS Java SDK :: Services :: AWS Storage Gateway diff --git a/services/sts/pom.xml b/services/sts/pom.xml index 23fac7f7c896..0449724ea66f 100644 --- a/services/sts/pom.xml +++ b/services/sts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 sts AWS Java SDK :: Services :: AWS STS diff --git a/services/supplychain/pom.xml b/services/supplychain/pom.xml index 1801a34c1c5e..c9d7b408f541 100644 --- a/services/supplychain/pom.xml +++ b/services/supplychain/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 supplychain AWS Java SDK :: Services :: Supply Chain diff --git a/services/support/pom.xml b/services/support/pom.xml index 9dbaf90d1c8e..2e45552bdb30 100644 --- a/services/support/pom.xml +++ b/services/support/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 support AWS Java SDK :: Services :: AWS Support diff --git a/services/supportapp/pom.xml b/services/supportapp/pom.xml index 30b39750c604..59df30a1f2f0 100644 --- a/services/supportapp/pom.xml +++ b/services/supportapp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 supportapp AWS Java SDK :: Services :: Support App diff --git a/services/swf/pom.xml b/services/swf/pom.xml index 66db6bcf1b67..08013ad853ca 100644 --- a/services/swf/pom.xml +++ b/services/swf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 swf AWS Java SDK :: Services :: Amazon SWF diff --git a/services/synthetics/pom.xml b/services/synthetics/pom.xml index 09ed2ac1f6df..63c7c84c6101 100644 --- a/services/synthetics/pom.xml +++ b/services/synthetics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 synthetics AWS Java SDK :: Services :: Synthetics diff --git a/services/taxsettings/pom.xml b/services/taxsettings/pom.xml index 428ae45df205..13f4e1e76bda 100644 --- a/services/taxsettings/pom.xml +++ b/services/taxsettings/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 taxsettings AWS Java SDK :: Services :: Tax Settings diff --git a/services/textract/pom.xml b/services/textract/pom.xml index 535b3e0eca73..15e027a05af5 100644 --- a/services/textract/pom.xml +++ b/services/textract/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 textract AWS Java SDK :: Services :: Textract diff --git a/services/timestreaminfluxdb/pom.xml b/services/timestreaminfluxdb/pom.xml index 1853283d625b..819ed148ac36 100644 --- a/services/timestreaminfluxdb/pom.xml +++ b/services/timestreaminfluxdb/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 timestreaminfluxdb AWS Java SDK :: Services :: Timestream Influx DB diff --git a/services/timestreamquery/pom.xml b/services/timestreamquery/pom.xml index b677730ccdc7..0c4edfe01595 100644 --- a/services/timestreamquery/pom.xml +++ b/services/timestreamquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 timestreamquery AWS Java SDK :: Services :: Timestream Query diff --git a/services/timestreamwrite/pom.xml b/services/timestreamwrite/pom.xml index f75ac29b90bc..0c82b810d3aa 100644 --- a/services/timestreamwrite/pom.xml +++ b/services/timestreamwrite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 timestreamwrite AWS Java SDK :: Services :: Timestream Write diff --git a/services/tnb/pom.xml b/services/tnb/pom.xml index db3384efce3f..7febe14b1722 100644 --- a/services/tnb/pom.xml +++ b/services/tnb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 tnb AWS Java SDK :: Services :: Tnb diff --git a/services/transcribe/pom.xml b/services/transcribe/pom.xml index 3354915f7fea..747ac40a58e7 100644 --- a/services/transcribe/pom.xml +++ b/services/transcribe/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 transcribe AWS Java SDK :: Services :: Transcribe diff --git a/services/transcribestreaming/pom.xml b/services/transcribestreaming/pom.xml index cbbd05f4091e..d23101d84051 100644 --- a/services/transcribestreaming/pom.xml +++ b/services/transcribestreaming/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 transcribestreaming AWS Java SDK :: Services :: AWS Transcribe Streaming diff --git a/services/transfer/pom.xml b/services/transfer/pom.xml index 60137ec5844e..851be8dc0c5f 100644 --- a/services/transfer/pom.xml +++ b/services/transfer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 transfer AWS Java SDK :: Services :: Transfer diff --git a/services/translate/pom.xml b/services/translate/pom.xml index 83c4d62c0a36..62643854668b 100644 --- a/services/translate/pom.xml +++ b/services/translate/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20-SNAPSHOT + 2.27.20 4.0.0 translate diff --git a/services/trustedadvisor/pom.xml b/services/trustedadvisor/pom.xml index d10032b6b9d5..ad6a40e82bf4 100644 --- a/services/trustedadvisor/pom.xml +++ b/services/trustedadvisor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 trustedadvisor AWS Java SDK :: Services :: Trusted Advisor diff --git a/services/verifiedpermissions/pom.xml b/services/verifiedpermissions/pom.xml index 7be72849d699..50fb8f8a7c1e 100644 --- a/services/verifiedpermissions/pom.xml +++ b/services/verifiedpermissions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 verifiedpermissions AWS Java SDK :: Services :: Verified Permissions diff --git a/services/voiceid/pom.xml b/services/voiceid/pom.xml index 4d0a76ba8d2b..2536bc7fcf2f 100644 --- a/services/voiceid/pom.xml +++ b/services/voiceid/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 voiceid AWS Java SDK :: Services :: Voice ID diff --git a/services/vpclattice/pom.xml b/services/vpclattice/pom.xml index 320a93a02245..01a9eb82efd0 100644 --- a/services/vpclattice/pom.xml +++ b/services/vpclattice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 vpclattice AWS Java SDK :: Services :: VPC Lattice diff --git a/services/waf/pom.xml b/services/waf/pom.xml index 4a7f936b97b5..c2e20ec30266 100644 --- a/services/waf/pom.xml +++ b/services/waf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 waf AWS Java SDK :: Services :: AWS WAF diff --git a/services/wafv2/pom.xml b/services/wafv2/pom.xml index b285c09b1de6..1a52351b46f4 100644 --- a/services/wafv2/pom.xml +++ b/services/wafv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 wafv2 AWS Java SDK :: Services :: WAFV2 diff --git a/services/wellarchitected/pom.xml b/services/wellarchitected/pom.xml index e389e5aee8e3..859e99cf6a37 100644 --- a/services/wellarchitected/pom.xml +++ b/services/wellarchitected/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 wellarchitected AWS Java SDK :: Services :: Well Architected diff --git a/services/wisdom/pom.xml b/services/wisdom/pom.xml index aadc4164661e..b48f755a6dc7 100644 --- a/services/wisdom/pom.xml +++ b/services/wisdom/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 wisdom AWS Java SDK :: Services :: Wisdom diff --git a/services/workdocs/pom.xml b/services/workdocs/pom.xml index 4fd9fbc19050..f7525cadbd04 100644 --- a/services/workdocs/pom.xml +++ b/services/workdocs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 workdocs AWS Java SDK :: Services :: Amazon WorkDocs diff --git a/services/worklink/pom.xml b/services/worklink/pom.xml index eaeea7c4e135..ebe5c3823300 100644 --- a/services/worklink/pom.xml +++ b/services/worklink/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 worklink AWS Java SDK :: Services :: WorkLink diff --git a/services/workmail/pom.xml b/services/workmail/pom.xml index 0a90f3810a16..79f6d88a5a30 100644 --- a/services/workmail/pom.xml +++ b/services/workmail/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20-SNAPSHOT + 2.27.20 4.0.0 workmail diff --git a/services/workmailmessageflow/pom.xml b/services/workmailmessageflow/pom.xml index cf1e18c71463..6e7d5b3ab8cf 100644 --- a/services/workmailmessageflow/pom.xml +++ b/services/workmailmessageflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 workmailmessageflow AWS Java SDK :: Services :: WorkMailMessageFlow diff --git a/services/workspaces/pom.xml b/services/workspaces/pom.xml index eb29bdb30f6a..007e4e88e4eb 100644 --- a/services/workspaces/pom.xml +++ b/services/workspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 workspaces AWS Java SDK :: Services :: Amazon WorkSpaces diff --git a/services/workspacesthinclient/pom.xml b/services/workspacesthinclient/pom.xml index 6609a843785c..8bc3cd52cedf 100644 --- a/services/workspacesthinclient/pom.xml +++ b/services/workspacesthinclient/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 workspacesthinclient AWS Java SDK :: Services :: Work Spaces Thin Client diff --git a/services/workspacesweb/pom.xml b/services/workspacesweb/pom.xml index dcb078115c1c..0ed328c706d6 100644 --- a/services/workspacesweb/pom.xml +++ b/services/workspacesweb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 workspacesweb AWS Java SDK :: Services :: Work Spaces Web diff --git a/services/xray/pom.xml b/services/xray/pom.xml index 7d93a8276650..1cee3824ab1c 100644 --- a/services/xray/pom.xml +++ b/services/xray/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20-SNAPSHOT + 2.27.20 xray AWS Java SDK :: Services :: AWS X-Ray diff --git a/test/auth-tests/pom.xml b/test/auth-tests/pom.xml index 5516d2e1b049..9369bcfa44ef 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.27.20-SNAPSHOT + 2.27.20 ../../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 4b15461d81a9..2034be847aee 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.27.20-SNAPSHOT + 2.27.20 ../../pom.xml 4.0.0 diff --git a/test/bundle-shading-tests/pom.xml b/test/bundle-shading-tests/pom.xml index 4f7e8c34610a..47c134e947c4 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.27.20-SNAPSHOT + 2.27.20 ../../pom.xml 4.0.0 diff --git a/test/codegen-generated-classes-test/pom.xml b/test/codegen-generated-classes-test/pom.xml index b956c58861ce..aa855f05cc70 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.27.20-SNAPSHOT + 2.27.20 ../../pom.xml diff --git a/test/crt-unavailable-tests/pom.xml b/test/crt-unavailable-tests/pom.xml index 0846a4204d9d..3ae61e5ffce3 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.27.20-SNAPSHOT + 2.27.20 ../../pom.xml 4.0.0 diff --git a/test/http-client-tests/pom.xml b/test/http-client-tests/pom.xml index ff954c98954c..6509f2f47cb1 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.27.20-SNAPSHOT + 2.27.20 ../../pom.xml http-client-tests diff --git a/test/module-path-tests/pom.xml b/test/module-path-tests/pom.xml index 933201552c93..ac2624c66ba4 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.27.20-SNAPSHOT + 2.27.20 ../../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 cb8de9f533f9..d1266cadf306 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.27.20-SNAPSHOT + 2.27.20 ../../pom.xml diff --git a/test/protocol-tests-core/pom.xml b/test/protocol-tests-core/pom.xml index da2a6aeadec4..15c7d3a803f5 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.27.20-SNAPSHOT + 2.27.20 ../../pom.xml 4.0.0 diff --git a/test/protocol-tests/pom.xml b/test/protocol-tests/pom.xml index 87eda5635549..78299b838f51 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.27.20-SNAPSHOT + 2.27.20 ../../pom.xml 4.0.0 diff --git a/test/region-testing/pom.xml b/test/region-testing/pom.xml index 19ab9e0865ab..bcfa6016fb5f 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.27.20-SNAPSHOT + 2.27.20 ../../pom.xml 4.0.0 diff --git a/test/ruleset-testing-core/pom.xml b/test/ruleset-testing-core/pom.xml index 8e57c39b68c7..a1281baf98d9 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.27.20-SNAPSHOT + 2.27.20 ../../pom.xml 4.0.0 diff --git a/test/s3-benchmarks/pom.xml b/test/s3-benchmarks/pom.xml index 7320724e006f..ce57d3f35b93 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.27.20-SNAPSHOT + 2.27.20 ../../pom.xml 4.0.0 diff --git a/test/sdk-benchmarks/pom.xml b/test/sdk-benchmarks/pom.xml index 60ba7c0b3166..af11cd968737 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.27.20-SNAPSHOT + 2.27.20 ../../pom.xml diff --git a/test/sdk-native-image-test/pom.xml b/test/sdk-native-image-test/pom.xml index 4914b2dda090..7239bc51a4a3 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.27.20-SNAPSHOT + 2.27.20 ../../pom.xml 4.0.0 diff --git a/test/service-test-utils/pom.xml b/test/service-test-utils/pom.xml index ea428e1bb3f5..8cd6e3021cc8 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.27.20-SNAPSHOT + 2.27.20 ../../pom.xml service-test-utils diff --git a/test/stability-tests/pom.xml b/test/stability-tests/pom.xml index bb7d3178fa91..45fdaca5c6a0 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.27.20-SNAPSHOT + 2.27.20 ../../pom.xml 4.0.0 diff --git a/test/test-utils/pom.xml b/test/test-utils/pom.xml index b82594445dfa..7e41fd537eeb 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.27.20-SNAPSHOT + 2.27.20 ../../pom.xml test-utils diff --git a/test/tests-coverage-reporting/pom.xml b/test/tests-coverage-reporting/pom.xml index b468d4ddcb07..bc1caafa79d3 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.27.20-SNAPSHOT + 2.27.20 ../../pom.xml 4.0.0 diff --git a/test/v2-migration-tests/pom.xml b/test/v2-migration-tests/pom.xml index 0111100ced90..97f7f0ef7534 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.27.20-SNAPSHOT + 2.27.20 ../.. diff --git a/third-party/pom.xml b/third-party/pom.xml index a26d60d45855..c200630851f1 100644 --- a/third-party/pom.xml +++ b/third-party/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.20-SNAPSHOT + 2.27.20 third-party diff --git a/third-party/third-party-jackson-core/pom.xml b/third-party/third-party-jackson-core/pom.xml index bf4b7399f513..2c772af02874 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.27.20-SNAPSHOT + 2.27.20 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 d5e613d6f105..634c8f410390 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.27.20-SNAPSHOT + 2.27.20 4.0.0 diff --git a/third-party/third-party-slf4j-api/pom.xml b/third-party/third-party-slf4j-api/pom.xml index 6690a273a51f..f5c7d3f7261d 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.27.20-SNAPSHOT + 2.27.20 4.0.0 diff --git a/utils/pom.xml b/utils/pom.xml index 6c71d22efd5b..cab1a0c3fcf8 100644 --- a/utils/pom.xml +++ b/utils/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.20-SNAPSHOT + 2.27.20 4.0.0 diff --git a/v2-migration/pom.xml b/v2-migration/pom.xml index 5490897cd856..b929214fa144 100644 --- a/v2-migration/pom.xml +++ b/v2-migration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.20-SNAPSHOT + 2.27.20 ../pom.xml From 82046bf347eeb8baac6a6d7ad15a8af8e1449902 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Thu, 5 Sep 2024 18:52:23 +0000 Subject: [PATCH 029/108] Update to next snapshot version: 2.27.21-SNAPSHOT --- 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/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 +- metric-publishers/cloudwatch-metric-publisher/pom.xml | 2 +- metric-publishers/pom.xml | 2 +- pom.xml | 4 ++-- 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 +- services-custom/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/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 +- services/licensemanagerlinuxsubscriptions/pom.xml | 2 +- services/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/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 +- services/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/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/worklink/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 +- test/bundle-logging-bridge-binding-test/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 +- test/old-client-version-compatibility-test/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 +- third-party/third-party-jackson-dataformat-cbor/pom.xml | 2 +- third-party/third-party-slf4j-api/pom.xml | 2 +- utils/pom.xml | 2 +- v2-migration/pom.xml | 2 +- 469 files changed, 470 insertions(+), 470 deletions(-) diff --git a/archetypes/archetype-app-quickstart/pom.xml b/archetypes/archetype-app-quickstart/pom.xml index 7df32a2607ce..5b61047acb01 100644 --- a/archetypes/archetype-app-quickstart/pom.xml +++ b/archetypes/archetype-app-quickstart/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.20 + 2.27.21-SNAPSHOT 4.0.0 diff --git a/archetypes/archetype-lambda/pom.xml b/archetypes/archetype-lambda/pom.xml index 028bc9a428c9..6c6f5ee7b0f3 100644 --- a/archetypes/archetype-lambda/pom.xml +++ b/archetypes/archetype-lambda/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.20 + 2.27.21-SNAPSHOT 4.0.0 archetype-lambda diff --git a/archetypes/archetype-tools/pom.xml b/archetypes/archetype-tools/pom.xml index e53282667e50..022e14022a8d 100644 --- a/archetypes/archetype-tools/pom.xml +++ b/archetypes/archetype-tools/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.20 + 2.27.21-SNAPSHOT 4.0.0 diff --git a/archetypes/pom.xml b/archetypes/pom.xml index b2519cffa199..21b6c1638d4e 100644 --- a/archetypes/pom.xml +++ b/archetypes/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.20 + 2.27.21-SNAPSHOT 4.0.0 archetypes diff --git a/aws-sdk-java/pom.xml b/aws-sdk-java/pom.xml index c0a5af3206a5..5bee5ed2f6ad 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.27.20 + 2.27.21-SNAPSHOT ../pom.xml aws-sdk-java diff --git a/bom-internal/pom.xml b/bom-internal/pom.xml index aa1e0afde42d..83f2476d8d7a 100644 --- a/bom-internal/pom.xml +++ b/bom-internal/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.20 + 2.27.21-SNAPSHOT 4.0.0 diff --git a/bom/pom.xml b/bom/pom.xml index 5214c98e556f..76f5fde1676c 100644 --- a/bom/pom.xml +++ b/bom/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.20 + 2.27.21-SNAPSHOT ../pom.xml bom diff --git a/bundle-logging-bridge/pom.xml b/bundle-logging-bridge/pom.xml index 187d9ddd2091..641401687c35 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.27.20 + 2.27.21-SNAPSHOT bundle-logging-bridge jar diff --git a/bundle-sdk/pom.xml b/bundle-sdk/pom.xml index b9ca7a698dee..e930154a4dc0 100644 --- a/bundle-sdk/pom.xml +++ b/bundle-sdk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.20 + 2.27.21-SNAPSHOT bundle-sdk jar diff --git a/bundle/pom.xml b/bundle/pom.xml index 731444ea6b26..e82a7cdac9c7 100644 --- a/bundle/pom.xml +++ b/bundle/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.20 + 2.27.21-SNAPSHOT bundle jar diff --git a/codegen-lite-maven-plugin/pom.xml b/codegen-lite-maven-plugin/pom.xml index daa1570d5c45..fd9ac9ec9451 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.27.20 + 2.27.21-SNAPSHOT ../pom.xml codegen-lite-maven-plugin diff --git a/codegen-lite/pom.xml b/codegen-lite/pom.xml index f5729ec9f8d8..82d82d8f5ef0 100644 --- a/codegen-lite/pom.xml +++ b/codegen-lite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.20 + 2.27.21-SNAPSHOT codegen-lite AWS Java SDK :: Code Generator Lite diff --git a/codegen-maven-plugin/pom.xml b/codegen-maven-plugin/pom.xml index ee6ac5a83155..73edead1ce22 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.27.20 + 2.27.21-SNAPSHOT ../pom.xml codegen-maven-plugin diff --git a/codegen/pom.xml b/codegen/pom.xml index 7ce33ab33b66..9dbce0689cf8 100644 --- a/codegen/pom.xml +++ b/codegen/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.20 + 2.27.21-SNAPSHOT codegen AWS Java SDK :: Code Generator diff --git a/core/annotations/pom.xml b/core/annotations/pom.xml index 74f08e9d5ce0..02984865eecc 100644 --- a/core/annotations/pom.xml +++ b/core/annotations/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.20 + 2.27.21-SNAPSHOT 4.0.0 diff --git a/core/arns/pom.xml b/core/arns/pom.xml index 8de83747e9c4..dec227ea48fa 100644 --- a/core/arns/pom.xml +++ b/core/arns/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.20 + 2.27.21-SNAPSHOT 4.0.0 diff --git a/core/auth-crt/pom.xml b/core/auth-crt/pom.xml index bea136cbefcb..3c513b832293 100644 --- a/core/auth-crt/pom.xml +++ b/core/auth-crt/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.20 + 2.27.21-SNAPSHOT auth-crt diff --git a/core/auth/pom.xml b/core/auth/pom.xml index c21596a53d78..6bbf71b8d348 100644 --- a/core/auth/pom.xml +++ b/core/auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.20 + 2.27.21-SNAPSHOT auth diff --git a/core/aws-core/pom.xml b/core/aws-core/pom.xml index 9a894b74b1cb..d376d6f9665e 100644 --- a/core/aws-core/pom.xml +++ b/core/aws-core/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.20 + 2.27.21-SNAPSHOT aws-core diff --git a/core/checksums-spi/pom.xml b/core/checksums-spi/pom.xml index bb635bfb9c63..0795e6469851 100644 --- a/core/checksums-spi/pom.xml +++ b/core/checksums-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.20 + 2.27.21-SNAPSHOT checksums-spi diff --git a/core/checksums/pom.xml b/core/checksums/pom.xml index 1ed705260027..0668495a31a4 100644 --- a/core/checksums/pom.xml +++ b/core/checksums/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.20 + 2.27.21-SNAPSHOT checksums diff --git a/core/crt-core/pom.xml b/core/crt-core/pom.xml index 3b664b033a43..0815f9b54295 100644 --- a/core/crt-core/pom.xml +++ b/core/crt-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.27.20 + 2.27.21-SNAPSHOT crt-core diff --git a/core/endpoints-spi/pom.xml b/core/endpoints-spi/pom.xml index e7279d2cb9d7..daa84e541381 100644 --- a/core/endpoints-spi/pom.xml +++ b/core/endpoints-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.20 + 2.27.21-SNAPSHOT 4.0.0 diff --git a/core/http-auth-aws-crt/pom.xml b/core/http-auth-aws-crt/pom.xml index 2d0df017c1ca..7bf00072b806 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.27.20 + 2.27.21-SNAPSHOT http-auth-aws-crt diff --git a/core/http-auth-aws-eventstream/pom.xml b/core/http-auth-aws-eventstream/pom.xml index 737f87959902..7658129049b8 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.27.20 + 2.27.21-SNAPSHOT http-auth-aws-eventstream diff --git a/core/http-auth-aws/pom.xml b/core/http-auth-aws/pom.xml index 195d008fbaf5..f4d5836225ce 100644 --- a/core/http-auth-aws/pom.xml +++ b/core/http-auth-aws/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.20 + 2.27.21-SNAPSHOT http-auth-aws diff --git a/core/http-auth-spi/pom.xml b/core/http-auth-spi/pom.xml index 0178b7e3729d..3f6ee5359773 100644 --- a/core/http-auth-spi/pom.xml +++ b/core/http-auth-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.20 + 2.27.21-SNAPSHOT http-auth-spi diff --git a/core/http-auth/pom.xml b/core/http-auth/pom.xml index fb80cebdbef0..df5681e53799 100644 --- a/core/http-auth/pom.xml +++ b/core/http-auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.20 + 2.27.21-SNAPSHOT http-auth diff --git a/core/identity-spi/pom.xml b/core/identity-spi/pom.xml index def86a3b44b1..13a18760a7b7 100644 --- a/core/identity-spi/pom.xml +++ b/core/identity-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.20 + 2.27.21-SNAPSHOT identity-spi diff --git a/core/imds/pom.xml b/core/imds/pom.xml index 046dbdb76120..28fcef03fd24 100644 --- a/core/imds/pom.xml +++ b/core/imds/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.20 + 2.27.21-SNAPSHOT 4.0.0 imds diff --git a/core/json-utils/pom.xml b/core/json-utils/pom.xml index 246c196c34cd..e1c37c03ef72 100644 --- a/core/json-utils/pom.xml +++ b/core/json-utils/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.20 + 2.27.21-SNAPSHOT 4.0.0 diff --git a/core/metrics-spi/pom.xml b/core/metrics-spi/pom.xml index d38e62a43a27..b1bf100a751f 100644 --- a/core/metrics-spi/pom.xml +++ b/core/metrics-spi/pom.xml @@ -5,7 +5,7 @@ core software.amazon.awssdk - 2.27.20 + 2.27.21-SNAPSHOT 4.0.0 diff --git a/core/pom.xml b/core/pom.xml index 13148fd9a961..3688d742a289 100644 --- a/core/pom.xml +++ b/core/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.20 + 2.27.21-SNAPSHOT core diff --git a/core/profiles/pom.xml b/core/profiles/pom.xml index bc9333f7d953..015026c851e3 100644 --- a/core/profiles/pom.xml +++ b/core/profiles/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.20 + 2.27.21-SNAPSHOT profiles diff --git a/core/protocols/aws-cbor-protocol/pom.xml b/core/protocols/aws-cbor-protocol/pom.xml index ca363049bdd5..3d9e0f5d1c6a 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.27.20 + 2.27.21-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-json-protocol/pom.xml b/core/protocols/aws-json-protocol/pom.xml index b6f81a847473..3dd0e16d1538 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.27.20 + 2.27.21-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-query-protocol/pom.xml b/core/protocols/aws-query-protocol/pom.xml index 3814182f1365..1f3bedb5647d 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.27.20 + 2.27.21-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-xml-protocol/pom.xml b/core/protocols/aws-xml-protocol/pom.xml index fd6cec4ade19..b869e134dc02 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.27.20 + 2.27.21-SNAPSHOT 4.0.0 diff --git a/core/protocols/pom.xml b/core/protocols/pom.xml index 535ed8152c93..0d592e128aaf 100644 --- a/core/protocols/pom.xml +++ b/core/protocols/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.20 + 2.27.21-SNAPSHOT 4.0.0 diff --git a/core/protocols/protocol-core/pom.xml b/core/protocols/protocol-core/pom.xml index ac1f385e74d2..4ca99649b911 100644 --- a/core/protocols/protocol-core/pom.xml +++ b/core/protocols/protocol-core/pom.xml @@ -20,7 +20,7 @@ protocols software.amazon.awssdk - 2.27.20 + 2.27.21-SNAPSHOT 4.0.0 diff --git a/core/regions/pom.xml b/core/regions/pom.xml index 55bded2bb56d..5f492d0ea13b 100644 --- a/core/regions/pom.xml +++ b/core/regions/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.20 + 2.27.21-SNAPSHOT regions diff --git a/core/retries-spi/pom.xml b/core/retries-spi/pom.xml index 09f6e3dfab64..d0f1b7a40d94 100644 --- a/core/retries-spi/pom.xml +++ b/core/retries-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.20 + 2.27.21-SNAPSHOT 4.0.0 diff --git a/core/retries/pom.xml b/core/retries/pom.xml index e1f8e45fcf7e..9f3c8a7e19ac 100644 --- a/core/retries/pom.xml +++ b/core/retries/pom.xml @@ -21,7 +21,7 @@ core software.amazon.awssdk - 2.27.20 + 2.27.21-SNAPSHOT 4.0.0 diff --git a/core/sdk-core/pom.xml b/core/sdk-core/pom.xml index 2aac0a1a04fe..c6a2c4d6479e 100644 --- a/core/sdk-core/pom.xml +++ b/core/sdk-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.27.20 + 2.27.21-SNAPSHOT sdk-core AWS Java SDK :: SDK Core diff --git a/http-client-spi/pom.xml b/http-client-spi/pom.xml index 6a0d7ee8a0e5..8882f656ad21 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.27.20 + 2.27.21-SNAPSHOT http-client-spi AWS Java SDK :: HTTP Client Interface diff --git a/http-clients/apache-client/pom.xml b/http-clients/apache-client/pom.xml index 418aa09cafbf..27f790e97448 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.27.20 + 2.27.21-SNAPSHOT apache-client diff --git a/http-clients/aws-crt-client/pom.xml b/http-clients/aws-crt-client/pom.xml index a454601e021b..9f18a9640a55 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.27.20 + 2.27.21-SNAPSHOT 4.0.0 diff --git a/http-clients/netty-nio-client/pom.xml b/http-clients/netty-nio-client/pom.xml index d1bb5eeab2da..f51672d2e842 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.27.20 + 2.27.21-SNAPSHOT 4.0.0 diff --git a/http-clients/pom.xml b/http-clients/pom.xml index 66ca95dbbab3..e3fe178c8ee3 100644 --- a/http-clients/pom.xml +++ b/http-clients/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.20 + 2.27.21-SNAPSHOT 4.0.0 diff --git a/http-clients/url-connection-client/pom.xml b/http-clients/url-connection-client/pom.xml index 4948e85caa19..5a6a6f581cde 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.27.20 + 2.27.21-SNAPSHOT 4.0.0 diff --git a/metric-publishers/cloudwatch-metric-publisher/pom.xml b/metric-publishers/cloudwatch-metric-publisher/pom.xml index 80c8ae52addb..2b837ce8d863 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.27.20 + 2.27.21-SNAPSHOT cloudwatch-metric-publisher diff --git a/metric-publishers/pom.xml b/metric-publishers/pom.xml index 2680f2e2ab12..91521b101e69 100644 --- a/metric-publishers/pom.xml +++ b/metric-publishers/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.20 + 2.27.21-SNAPSHOT metric-publishers diff --git a/pom.xml b/pom.xml index 4f34ca641064..24914a13e61b 100644 --- a/pom.xml +++ b/pom.xml @@ -20,7 +20,7 @@ 4.0.0 software.amazon.awssdk aws-sdk-java-pom - 2.27.20 + 2.27.21-SNAPSHOT pom AWS Java SDK :: Parent The Amazon Web Services SDK for Java provides Java APIs @@ -99,7 +99,7 @@ ${project.version} - 2.27.19 + 2.27.20 2.15.2 2.15.2 2.13.2 diff --git a/release-scripts/pom.xml b/release-scripts/pom.xml index 4bc0d622bf78..c6f1637ef0aa 100644 --- a/release-scripts/pom.xml +++ b/release-scripts/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.20 + 2.27.21-SNAPSHOT ../pom.xml release-scripts diff --git a/services-custom/dynamodb-enhanced/pom.xml b/services-custom/dynamodb-enhanced/pom.xml index ca99e27761ef..834a623f86d5 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.27.20 + 2.27.21-SNAPSHOT dynamodb-enhanced AWS Java SDK :: DynamoDB :: Enhanced Client diff --git a/services-custom/iam-policy-builder/pom.xml b/services-custom/iam-policy-builder/pom.xml index ca9e15d2ec35..a48bdd51d63f 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.27.20 + 2.27.21-SNAPSHOT ../../pom.xml iam-policy-builder diff --git a/services-custom/pom.xml b/services-custom/pom.xml index b377e2c2338a..9a8bd10a6b62 100644 --- a/services-custom/pom.xml +++ b/services-custom/pom.xml @@ -19,7 +19,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.20 + 2.27.21-SNAPSHOT services-custom AWS Java SDK :: Custom Services diff --git a/services-custom/s3-event-notifications/pom.xml b/services-custom/s3-event-notifications/pom.xml index fcee7ffef2a7..ff5c7e2ad40c 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.27.20 + 2.27.21-SNAPSHOT ../../pom.xml s3-event-notifications diff --git a/services-custom/s3-transfer-manager/pom.xml b/services-custom/s3-transfer-manager/pom.xml index 361d8c920506..0e175ca26b8f 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.27.20 + 2.27.21-SNAPSHOT ../../pom.xml s3-transfer-manager diff --git a/services/accessanalyzer/pom.xml b/services/accessanalyzer/pom.xml index 2704e890d302..a71fd3b9de65 100644 --- a/services/accessanalyzer/pom.xml +++ b/services/accessanalyzer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT accessanalyzer AWS Java SDK :: Services :: AccessAnalyzer diff --git a/services/account/pom.xml b/services/account/pom.xml index 4a685f9d865c..b42a9c99da6f 100644 --- a/services/account/pom.xml +++ b/services/account/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT account AWS Java SDK :: Services :: Account diff --git a/services/acm/pom.xml b/services/acm/pom.xml index 065079b5646d..7ee97295ee2e 100644 --- a/services/acm/pom.xml +++ b/services/acm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT acm AWS Java SDK :: Services :: AWS Certificate Manager diff --git a/services/acmpca/pom.xml b/services/acmpca/pom.xml index 4b28fb83fdc9..2b8622d07167 100644 --- a/services/acmpca/pom.xml +++ b/services/acmpca/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT acmpca AWS Java SDK :: Services :: ACM PCA diff --git a/services/amp/pom.xml b/services/amp/pom.xml index e7508dfa724c..7d981ccd17ad 100644 --- a/services/amp/pom.xml +++ b/services/amp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT amp AWS Java SDK :: Services :: Amp diff --git a/services/amplify/pom.xml b/services/amplify/pom.xml index ecaee0ef98e9..7a136f8f0e5d 100644 --- a/services/amplify/pom.xml +++ b/services/amplify/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT amplify AWS Java SDK :: Services :: Amplify diff --git a/services/amplifybackend/pom.xml b/services/amplifybackend/pom.xml index 846b8cfe54a4..082a5a806264 100644 --- a/services/amplifybackend/pom.xml +++ b/services/amplifybackend/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT amplifybackend AWS Java SDK :: Services :: Amplify Backend diff --git a/services/amplifyuibuilder/pom.xml b/services/amplifyuibuilder/pom.xml index 99ecc14db463..bc9d1edae54e 100644 --- a/services/amplifyuibuilder/pom.xml +++ b/services/amplifyuibuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT amplifyuibuilder AWS Java SDK :: Services :: Amplify UI Builder diff --git a/services/apigateway/pom.xml b/services/apigateway/pom.xml index 085f8c51e775..e875f7491746 100644 --- a/services/apigateway/pom.xml +++ b/services/apigateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT apigateway AWS Java SDK :: Services :: Amazon API Gateway diff --git a/services/apigatewaymanagementapi/pom.xml b/services/apigatewaymanagementapi/pom.xml index 5556237242a0..1d42d9e41fc7 100644 --- a/services/apigatewaymanagementapi/pom.xml +++ b/services/apigatewaymanagementapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT apigatewaymanagementapi AWS Java SDK :: Services :: ApiGatewayManagementApi diff --git a/services/apigatewayv2/pom.xml b/services/apigatewayv2/pom.xml index a5eb47b41af7..e654b9d752c5 100644 --- a/services/apigatewayv2/pom.xml +++ b/services/apigatewayv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT apigatewayv2 AWS Java SDK :: Services :: ApiGatewayV2 diff --git a/services/appconfig/pom.xml b/services/appconfig/pom.xml index 71edc563ac10..98f717774765 100644 --- a/services/appconfig/pom.xml +++ b/services/appconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT appconfig AWS Java SDK :: Services :: AppConfig diff --git a/services/appconfigdata/pom.xml b/services/appconfigdata/pom.xml index 05164843d3a3..725ec9b1c0ba 100644 --- a/services/appconfigdata/pom.xml +++ b/services/appconfigdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT appconfigdata AWS Java SDK :: Services :: App Config Data diff --git a/services/appfabric/pom.xml b/services/appfabric/pom.xml index 837ce2f36153..0cf25cea600a 100644 --- a/services/appfabric/pom.xml +++ b/services/appfabric/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT appfabric AWS Java SDK :: Services :: App Fabric diff --git a/services/appflow/pom.xml b/services/appflow/pom.xml index 3de0680bdf33..62acde88f669 100644 --- a/services/appflow/pom.xml +++ b/services/appflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT appflow AWS Java SDK :: Services :: Appflow diff --git a/services/appintegrations/pom.xml b/services/appintegrations/pom.xml index f81b6c2c17ce..01c6dcdf5316 100644 --- a/services/appintegrations/pom.xml +++ b/services/appintegrations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT appintegrations AWS Java SDK :: Services :: App Integrations diff --git a/services/applicationautoscaling/pom.xml b/services/applicationautoscaling/pom.xml index 8cf8f1f54c99..35f81813c403 100644 --- a/services/applicationautoscaling/pom.xml +++ b/services/applicationautoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT applicationautoscaling AWS Java SDK :: Services :: AWS Application Auto Scaling diff --git a/services/applicationcostprofiler/pom.xml b/services/applicationcostprofiler/pom.xml index 4d81ef97fc0d..af4fafa71a80 100644 --- a/services/applicationcostprofiler/pom.xml +++ b/services/applicationcostprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT applicationcostprofiler AWS Java SDK :: Services :: Application Cost Profiler diff --git a/services/applicationdiscovery/pom.xml b/services/applicationdiscovery/pom.xml index 9e5e852255cd..c706afe26d2b 100644 --- a/services/applicationdiscovery/pom.xml +++ b/services/applicationdiscovery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT applicationdiscovery AWS Java SDK :: Services :: AWS Application Discovery Service diff --git a/services/applicationinsights/pom.xml b/services/applicationinsights/pom.xml index 8352e1ff5f13..4870907b837c 100644 --- a/services/applicationinsights/pom.xml +++ b/services/applicationinsights/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT applicationinsights AWS Java SDK :: Services :: Application Insights diff --git a/services/applicationsignals/pom.xml b/services/applicationsignals/pom.xml index e28a1c7d8542..e798482fa1f9 100644 --- a/services/applicationsignals/pom.xml +++ b/services/applicationsignals/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT applicationsignals AWS Java SDK :: Services :: Application Signals diff --git a/services/appmesh/pom.xml b/services/appmesh/pom.xml index 6f791f821867..c4ee659a4477 100644 --- a/services/appmesh/pom.xml +++ b/services/appmesh/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT appmesh AWS Java SDK :: Services :: App Mesh diff --git a/services/apprunner/pom.xml b/services/apprunner/pom.xml index 4337002642c8..00bd6547cae4 100644 --- a/services/apprunner/pom.xml +++ b/services/apprunner/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT apprunner AWS Java SDK :: Services :: App Runner diff --git a/services/appstream/pom.xml b/services/appstream/pom.xml index f32730c3d784..e26643685ff2 100644 --- a/services/appstream/pom.xml +++ b/services/appstream/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT appstream AWS Java SDK :: Services :: Amazon AppStream diff --git a/services/appsync/pom.xml b/services/appsync/pom.xml index c0780a4fce55..bd8e33994c70 100644 --- a/services/appsync/pom.xml +++ b/services/appsync/pom.xml @@ -21,7 +21,7 @@ services software.amazon.awssdk - 2.27.20 + 2.27.21-SNAPSHOT appsync diff --git a/services/apptest/pom.xml b/services/apptest/pom.xml index 06197e8d6ba5..8dac66146308 100644 --- a/services/apptest/pom.xml +++ b/services/apptest/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT apptest AWS Java SDK :: Services :: App Test diff --git a/services/arczonalshift/pom.xml b/services/arczonalshift/pom.xml index 5ff084663491..39e3e4ab7039 100644 --- a/services/arczonalshift/pom.xml +++ b/services/arczonalshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT arczonalshift AWS Java SDK :: Services :: ARC Zonal Shift diff --git a/services/artifact/pom.xml b/services/artifact/pom.xml index 72e05c382510..a6438ef2bc5d 100644 --- a/services/artifact/pom.xml +++ b/services/artifact/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT artifact AWS Java SDK :: Services :: Artifact diff --git a/services/athena/pom.xml b/services/athena/pom.xml index 52f94e1916d5..9f9561d8066c 100644 --- a/services/athena/pom.xml +++ b/services/athena/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT athena AWS Java SDK :: Services :: Amazon Athena diff --git a/services/auditmanager/pom.xml b/services/auditmanager/pom.xml index 3c276da14dee..f4517e891de4 100644 --- a/services/auditmanager/pom.xml +++ b/services/auditmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT auditmanager AWS Java SDK :: Services :: Audit Manager diff --git a/services/autoscaling/pom.xml b/services/autoscaling/pom.xml index fb8f03ba9153..3a703a65490e 100644 --- a/services/autoscaling/pom.xml +++ b/services/autoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT autoscaling AWS Java SDK :: Services :: Auto Scaling diff --git a/services/autoscalingplans/pom.xml b/services/autoscalingplans/pom.xml index f0028f2a1377..c65771a77fd7 100644 --- a/services/autoscalingplans/pom.xml +++ b/services/autoscalingplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT autoscalingplans AWS Java SDK :: Services :: Auto Scaling Plans diff --git a/services/b2bi/pom.xml b/services/b2bi/pom.xml index 589ac11e2e51..5ed6764cbcd3 100644 --- a/services/b2bi/pom.xml +++ b/services/b2bi/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT b2bi AWS Java SDK :: Services :: B2 Bi diff --git a/services/backup/pom.xml b/services/backup/pom.xml index f49253254c95..44e383a10fd8 100644 --- a/services/backup/pom.xml +++ b/services/backup/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT backup AWS Java SDK :: Services :: Backup diff --git a/services/backupgateway/pom.xml b/services/backupgateway/pom.xml index e9f1485342a4..462e08868078 100644 --- a/services/backupgateway/pom.xml +++ b/services/backupgateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT backupgateway AWS Java SDK :: Services :: Backup Gateway diff --git a/services/batch/pom.xml b/services/batch/pom.xml index bb6ac9819ec5..c92ea04106b4 100644 --- a/services/batch/pom.xml +++ b/services/batch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT batch AWS Java SDK :: Services :: AWS Batch diff --git a/services/bcmdataexports/pom.xml b/services/bcmdataexports/pom.xml index 7eef78f21242..3de18f1159c9 100644 --- a/services/bcmdataexports/pom.xml +++ b/services/bcmdataexports/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT bcmdataexports AWS Java SDK :: Services :: BCM Data Exports diff --git a/services/bedrock/pom.xml b/services/bedrock/pom.xml index 0ad9d7949006..6d9f43dd4557 100644 --- a/services/bedrock/pom.xml +++ b/services/bedrock/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT bedrock AWS Java SDK :: Services :: Bedrock diff --git a/services/bedrockagent/pom.xml b/services/bedrockagent/pom.xml index e968a72f5581..d2485a6212a6 100644 --- a/services/bedrockagent/pom.xml +++ b/services/bedrockagent/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT bedrockagent AWS Java SDK :: Services :: Bedrock Agent diff --git a/services/bedrockagentruntime/pom.xml b/services/bedrockagentruntime/pom.xml index 9be4b3c489a2..60945632a139 100644 --- a/services/bedrockagentruntime/pom.xml +++ b/services/bedrockagentruntime/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT bedrockagentruntime AWS Java SDK :: Services :: Bedrock Agent Runtime diff --git a/services/bedrockruntime/pom.xml b/services/bedrockruntime/pom.xml index 6319e97eb25b..f7496c5a03b4 100644 --- a/services/bedrockruntime/pom.xml +++ b/services/bedrockruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT bedrockruntime AWS Java SDK :: Services :: Bedrock Runtime diff --git a/services/billingconductor/pom.xml b/services/billingconductor/pom.xml index 43e3e4ebda65..573c2e712906 100644 --- a/services/billingconductor/pom.xml +++ b/services/billingconductor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT billingconductor AWS Java SDK :: Services :: Billingconductor diff --git a/services/braket/pom.xml b/services/braket/pom.xml index 4198efd382ba..f216c1e562ff 100644 --- a/services/braket/pom.xml +++ b/services/braket/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT braket AWS Java SDK :: Services :: Braket diff --git a/services/budgets/pom.xml b/services/budgets/pom.xml index 1521ed02fb41..d233ef0f21b5 100644 --- a/services/budgets/pom.xml +++ b/services/budgets/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT budgets AWS Java SDK :: Services :: AWS Budgets diff --git a/services/chatbot/pom.xml b/services/chatbot/pom.xml index 00aa1070b52f..d94dc4ee5b93 100644 --- a/services/chatbot/pom.xml +++ b/services/chatbot/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT chatbot AWS Java SDK :: Services :: Chatbot diff --git a/services/chime/pom.xml b/services/chime/pom.xml index 6db9352fbb57..35faf5dcc4e8 100644 --- a/services/chime/pom.xml +++ b/services/chime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT chime AWS Java SDK :: Services :: Chime diff --git a/services/chimesdkidentity/pom.xml b/services/chimesdkidentity/pom.xml index fa3d229d3deb..8e39344eb337 100644 --- a/services/chimesdkidentity/pom.xml +++ b/services/chimesdkidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT chimesdkidentity AWS Java SDK :: Services :: Chime SDK Identity diff --git a/services/chimesdkmediapipelines/pom.xml b/services/chimesdkmediapipelines/pom.xml index f67f4ea2e61b..d0cba714f761 100644 --- a/services/chimesdkmediapipelines/pom.xml +++ b/services/chimesdkmediapipelines/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT chimesdkmediapipelines AWS Java SDK :: Services :: Chime SDK Media Pipelines diff --git a/services/chimesdkmeetings/pom.xml b/services/chimesdkmeetings/pom.xml index 343b593c4e24..f3054b9efdca 100644 --- a/services/chimesdkmeetings/pom.xml +++ b/services/chimesdkmeetings/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT chimesdkmeetings AWS Java SDK :: Services :: Chime SDK Meetings diff --git a/services/chimesdkmessaging/pom.xml b/services/chimesdkmessaging/pom.xml index 1d473c03a278..bff541f78e5c 100644 --- a/services/chimesdkmessaging/pom.xml +++ b/services/chimesdkmessaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT chimesdkmessaging AWS Java SDK :: Services :: Chime SDK Messaging diff --git a/services/chimesdkvoice/pom.xml b/services/chimesdkvoice/pom.xml index 4ecb0df716ea..cc5944f0e1c8 100644 --- a/services/chimesdkvoice/pom.xml +++ b/services/chimesdkvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT chimesdkvoice AWS Java SDK :: Services :: Chime SDK Voice diff --git a/services/cleanrooms/pom.xml b/services/cleanrooms/pom.xml index 64ac65f95de6..08b8791d8f18 100644 --- a/services/cleanrooms/pom.xml +++ b/services/cleanrooms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT cleanrooms AWS Java SDK :: Services :: Clean Rooms diff --git a/services/cleanroomsml/pom.xml b/services/cleanroomsml/pom.xml index 5d67f6629462..d8890d2297fc 100644 --- a/services/cleanroomsml/pom.xml +++ b/services/cleanroomsml/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT cleanroomsml AWS Java SDK :: Services :: Clean Rooms ML diff --git a/services/cloud9/pom.xml b/services/cloud9/pom.xml index 198b3e9bd97f..1b1e59ecae76 100644 --- a/services/cloud9/pom.xml +++ b/services/cloud9/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20 + 2.27.21-SNAPSHOT 4.0.0 cloud9 diff --git a/services/cloudcontrol/pom.xml b/services/cloudcontrol/pom.xml index a1c101122c73..895437337042 100644 --- a/services/cloudcontrol/pom.xml +++ b/services/cloudcontrol/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT cloudcontrol AWS Java SDK :: Services :: Cloud Control diff --git a/services/clouddirectory/pom.xml b/services/clouddirectory/pom.xml index 1b8304e9d6e9..c49221cde1ea 100644 --- a/services/clouddirectory/pom.xml +++ b/services/clouddirectory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT clouddirectory AWS Java SDK :: Services :: Amazon CloudDirectory diff --git a/services/cloudformation/pom.xml b/services/cloudformation/pom.xml index bbf6b7926db6..dc2d4ee218df 100644 --- a/services/cloudformation/pom.xml +++ b/services/cloudformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT cloudformation AWS Java SDK :: Services :: AWS CloudFormation diff --git a/services/cloudfront/pom.xml b/services/cloudfront/pom.xml index 16d177661759..f5372720f756 100644 --- a/services/cloudfront/pom.xml +++ b/services/cloudfront/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT cloudfront AWS Java SDK :: Services :: Amazon CloudFront diff --git a/services/cloudfrontkeyvaluestore/pom.xml b/services/cloudfrontkeyvaluestore/pom.xml index 8d872a93ad75..1b997c4e6cae 100644 --- a/services/cloudfrontkeyvaluestore/pom.xml +++ b/services/cloudfrontkeyvaluestore/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT cloudfrontkeyvaluestore AWS Java SDK :: Services :: Cloud Front Key Value Store diff --git a/services/cloudhsm/pom.xml b/services/cloudhsm/pom.xml index 91a99c4571b8..28cf077dadfe 100644 --- a/services/cloudhsm/pom.xml +++ b/services/cloudhsm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT cloudhsm AWS Java SDK :: Services :: AWS CloudHSM diff --git a/services/cloudhsmv2/pom.xml b/services/cloudhsmv2/pom.xml index e3ec88495809..2a86102ca73b 100644 --- a/services/cloudhsmv2/pom.xml +++ b/services/cloudhsmv2/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20 + 2.27.21-SNAPSHOT 4.0.0 cloudhsmv2 diff --git a/services/cloudsearch/pom.xml b/services/cloudsearch/pom.xml index f6ad47b4843f..61bd03bb3033 100644 --- a/services/cloudsearch/pom.xml +++ b/services/cloudsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT cloudsearch AWS Java SDK :: Services :: Amazon CloudSearch diff --git a/services/cloudsearchdomain/pom.xml b/services/cloudsearchdomain/pom.xml index 060360ed636f..271a651c8cfc 100644 --- a/services/cloudsearchdomain/pom.xml +++ b/services/cloudsearchdomain/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT cloudsearchdomain AWS Java SDK :: Services :: Amazon CloudSearch Domain diff --git a/services/cloudtrail/pom.xml b/services/cloudtrail/pom.xml index 71ae1db259e8..17dafa8f5445 100644 --- a/services/cloudtrail/pom.xml +++ b/services/cloudtrail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT cloudtrail AWS Java SDK :: Services :: AWS CloudTrail diff --git a/services/cloudtraildata/pom.xml b/services/cloudtraildata/pom.xml index 2a6ecf7db60c..aa2ad6558339 100644 --- a/services/cloudtraildata/pom.xml +++ b/services/cloudtraildata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT cloudtraildata AWS Java SDK :: Services :: Cloud Trail Data diff --git a/services/cloudwatch/pom.xml b/services/cloudwatch/pom.xml index 6d4d98315a1a..aa406f261a67 100644 --- a/services/cloudwatch/pom.xml +++ b/services/cloudwatch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT cloudwatch AWS Java SDK :: Services :: Amazon CloudWatch diff --git a/services/cloudwatchevents/pom.xml b/services/cloudwatchevents/pom.xml index cd7aadfb00f7..9328be900662 100644 --- a/services/cloudwatchevents/pom.xml +++ b/services/cloudwatchevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT cloudwatchevents AWS Java SDK :: Services :: Amazon CloudWatch Events diff --git a/services/cloudwatchlogs/pom.xml b/services/cloudwatchlogs/pom.xml index 172bfcf861cc..3b420ea3d7f5 100644 --- a/services/cloudwatchlogs/pom.xml +++ b/services/cloudwatchlogs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT cloudwatchlogs AWS Java SDK :: Services :: Amazon CloudWatch Logs diff --git a/services/codeartifact/pom.xml b/services/codeartifact/pom.xml index b4b6efd54335..ebeea223837d 100644 --- a/services/codeartifact/pom.xml +++ b/services/codeartifact/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT codeartifact AWS Java SDK :: Services :: Codeartifact diff --git a/services/codebuild/pom.xml b/services/codebuild/pom.xml index fc26ac551d74..028e50b1720c 100644 --- a/services/codebuild/pom.xml +++ b/services/codebuild/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT codebuild AWS Java SDK :: Services :: AWS Code Build diff --git a/services/codecatalyst/pom.xml b/services/codecatalyst/pom.xml index c0521e6df1a9..2aa7e9ad6736 100644 --- a/services/codecatalyst/pom.xml +++ b/services/codecatalyst/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT codecatalyst AWS Java SDK :: Services :: Code Catalyst diff --git a/services/codecommit/pom.xml b/services/codecommit/pom.xml index c5c4f80d088b..41956cadb5b4 100644 --- a/services/codecommit/pom.xml +++ b/services/codecommit/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT codecommit AWS Java SDK :: Services :: AWS CodeCommit diff --git a/services/codeconnections/pom.xml b/services/codeconnections/pom.xml index 084187bf98e4..0ce0a9be2db2 100644 --- a/services/codeconnections/pom.xml +++ b/services/codeconnections/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT codeconnections AWS Java SDK :: Services :: Code Connections diff --git a/services/codedeploy/pom.xml b/services/codedeploy/pom.xml index 6adae9149c11..d028e930cf81 100644 --- a/services/codedeploy/pom.xml +++ b/services/codedeploy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT codedeploy AWS Java SDK :: Services :: AWS CodeDeploy diff --git a/services/codeguruprofiler/pom.xml b/services/codeguruprofiler/pom.xml index 6129e37c5f89..50de98152ff6 100644 --- a/services/codeguruprofiler/pom.xml +++ b/services/codeguruprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT codeguruprofiler AWS Java SDK :: Services :: CodeGuruProfiler diff --git a/services/codegurureviewer/pom.xml b/services/codegurureviewer/pom.xml index 0a15c68a8bfc..437bc0db1456 100644 --- a/services/codegurureviewer/pom.xml +++ b/services/codegurureviewer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT codegurureviewer AWS Java SDK :: Services :: CodeGuru Reviewer diff --git a/services/codegurusecurity/pom.xml b/services/codegurusecurity/pom.xml index 7527e2683f7a..f69ca0de721a 100644 --- a/services/codegurusecurity/pom.xml +++ b/services/codegurusecurity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT codegurusecurity AWS Java SDK :: Services :: Code Guru Security diff --git a/services/codepipeline/pom.xml b/services/codepipeline/pom.xml index 5405861a23e0..007752c1a44c 100644 --- a/services/codepipeline/pom.xml +++ b/services/codepipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT codepipeline AWS Java SDK :: Services :: AWS CodePipeline diff --git a/services/codestarconnections/pom.xml b/services/codestarconnections/pom.xml index 1a21d8e0de9e..fd84c073deaf 100644 --- a/services/codestarconnections/pom.xml +++ b/services/codestarconnections/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT codestarconnections AWS Java SDK :: Services :: CodeStar connections diff --git a/services/codestarnotifications/pom.xml b/services/codestarnotifications/pom.xml index 466bd5035126..7f77be699771 100644 --- a/services/codestarnotifications/pom.xml +++ b/services/codestarnotifications/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT codestarnotifications AWS Java SDK :: Services :: Codestar Notifications diff --git a/services/cognitoidentity/pom.xml b/services/cognitoidentity/pom.xml index 17c6b4d0c1ca..4e703f9800d3 100644 --- a/services/cognitoidentity/pom.xml +++ b/services/cognitoidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT cognitoidentity AWS Java SDK :: Services :: Amazon Cognito Identity diff --git a/services/cognitoidentityprovider/pom.xml b/services/cognitoidentityprovider/pom.xml index 2ec7d109c042..0c8a3a8ca7ce 100644 --- a/services/cognitoidentityprovider/pom.xml +++ b/services/cognitoidentityprovider/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT cognitoidentityprovider AWS Java SDK :: Services :: Amazon Cognito Identity Provider Service diff --git a/services/cognitosync/pom.xml b/services/cognitosync/pom.xml index 2ca35c4203f1..9f2c65271e45 100644 --- a/services/cognitosync/pom.xml +++ b/services/cognitosync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT cognitosync AWS Java SDK :: Services :: Amazon Cognito Sync diff --git a/services/comprehend/pom.xml b/services/comprehend/pom.xml index 3f5ce98dd4bb..ba785402b74f 100644 --- a/services/comprehend/pom.xml +++ b/services/comprehend/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20 + 2.27.21-SNAPSHOT 4.0.0 comprehend diff --git a/services/comprehendmedical/pom.xml b/services/comprehendmedical/pom.xml index 1791dd71eb9a..121c6e7ef4de 100644 --- a/services/comprehendmedical/pom.xml +++ b/services/comprehendmedical/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT comprehendmedical AWS Java SDK :: Services :: ComprehendMedical diff --git a/services/computeoptimizer/pom.xml b/services/computeoptimizer/pom.xml index 0910e9f51ce8..13e5f2c1e78a 100644 --- a/services/computeoptimizer/pom.xml +++ b/services/computeoptimizer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT computeoptimizer AWS Java SDK :: Services :: Compute Optimizer diff --git a/services/config/pom.xml b/services/config/pom.xml index e13521cc0fc2..076deb0fb6d8 100644 --- a/services/config/pom.xml +++ b/services/config/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT config AWS Java SDK :: Services :: AWS Config diff --git a/services/connect/pom.xml b/services/connect/pom.xml index a05823c50c4c..63144a35827b 100644 --- a/services/connect/pom.xml +++ b/services/connect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT connect AWS Java SDK :: Services :: Connect diff --git a/services/connectcampaigns/pom.xml b/services/connectcampaigns/pom.xml index 204f7ddf58d0..adf4a98c4ff0 100644 --- a/services/connectcampaigns/pom.xml +++ b/services/connectcampaigns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT connectcampaigns AWS Java SDK :: Services :: Connect Campaigns diff --git a/services/connectcases/pom.xml b/services/connectcases/pom.xml index 56cd443d6338..65dfecbca14d 100644 --- a/services/connectcases/pom.xml +++ b/services/connectcases/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT connectcases AWS Java SDK :: Services :: Connect Cases diff --git a/services/connectcontactlens/pom.xml b/services/connectcontactlens/pom.xml index e2dfe62226f6..05fecc9682a1 100644 --- a/services/connectcontactlens/pom.xml +++ b/services/connectcontactlens/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT connectcontactlens AWS Java SDK :: Services :: Connect Contact Lens diff --git a/services/connectparticipant/pom.xml b/services/connectparticipant/pom.xml index cb0741e9b5a1..4b156aa6a9b2 100644 --- a/services/connectparticipant/pom.xml +++ b/services/connectparticipant/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT connectparticipant AWS Java SDK :: Services :: ConnectParticipant diff --git a/services/controlcatalog/pom.xml b/services/controlcatalog/pom.xml index 96d9e9ffffbb..0477fa19139d 100644 --- a/services/controlcatalog/pom.xml +++ b/services/controlcatalog/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT controlcatalog AWS Java SDK :: Services :: Control Catalog diff --git a/services/controltower/pom.xml b/services/controltower/pom.xml index 775e84f43581..0f93565ed98f 100644 --- a/services/controltower/pom.xml +++ b/services/controltower/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT controltower AWS Java SDK :: Services :: Control Tower diff --git a/services/costandusagereport/pom.xml b/services/costandusagereport/pom.xml index 350b17657937..1ecd5d2f07cc 100644 --- a/services/costandusagereport/pom.xml +++ b/services/costandusagereport/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT costandusagereport AWS Java SDK :: Services :: AWS Cost and Usage Report diff --git a/services/costexplorer/pom.xml b/services/costexplorer/pom.xml index c213462a6d67..260b95622228 100644 --- a/services/costexplorer/pom.xml +++ b/services/costexplorer/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20 + 2.27.21-SNAPSHOT 4.0.0 costexplorer diff --git a/services/costoptimizationhub/pom.xml b/services/costoptimizationhub/pom.xml index b5349af164cb..80137c8b7d55 100644 --- a/services/costoptimizationhub/pom.xml +++ b/services/costoptimizationhub/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT costoptimizationhub AWS Java SDK :: Services :: Cost Optimization Hub diff --git a/services/customerprofiles/pom.xml b/services/customerprofiles/pom.xml index cc791ccf3eda..d709e45f9eba 100644 --- a/services/customerprofiles/pom.xml +++ b/services/customerprofiles/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT customerprofiles AWS Java SDK :: Services :: Customer Profiles diff --git a/services/databasemigration/pom.xml b/services/databasemigration/pom.xml index 53b5bd9797fa..e1571bb2c097 100644 --- a/services/databasemigration/pom.xml +++ b/services/databasemigration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT databasemigration AWS Java SDK :: Services :: AWS Database Migration Service diff --git a/services/databrew/pom.xml b/services/databrew/pom.xml index e14348e3cfed..7119b6f51143 100644 --- a/services/databrew/pom.xml +++ b/services/databrew/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT databrew AWS Java SDK :: Services :: Data Brew diff --git a/services/dataexchange/pom.xml b/services/dataexchange/pom.xml index 291e08a1960a..818aa6952d8c 100644 --- a/services/dataexchange/pom.xml +++ b/services/dataexchange/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT dataexchange AWS Java SDK :: Services :: DataExchange diff --git a/services/datapipeline/pom.xml b/services/datapipeline/pom.xml index f85a7d49ad14..b633e965420c 100644 --- a/services/datapipeline/pom.xml +++ b/services/datapipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT datapipeline AWS Java SDK :: Services :: AWS Data Pipeline diff --git a/services/datasync/pom.xml b/services/datasync/pom.xml index 8b3bf78f8f86..541d848125fc 100644 --- a/services/datasync/pom.xml +++ b/services/datasync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT datasync AWS Java SDK :: Services :: DataSync diff --git a/services/datazone/pom.xml b/services/datazone/pom.xml index 853880e3e6a6..0b6096719642 100644 --- a/services/datazone/pom.xml +++ b/services/datazone/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT datazone AWS Java SDK :: Services :: Data Zone diff --git a/services/dax/pom.xml b/services/dax/pom.xml index f060107d3618..1191efedfb5f 100644 --- a/services/dax/pom.xml +++ b/services/dax/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT dax AWS Java SDK :: Services :: Amazon DynamoDB Accelerator (DAX) diff --git a/services/deadline/pom.xml b/services/deadline/pom.xml index 17f5751b3be8..b20ffd83134e 100644 --- a/services/deadline/pom.xml +++ b/services/deadline/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT deadline AWS Java SDK :: Services :: Deadline diff --git a/services/detective/pom.xml b/services/detective/pom.xml index 78e4e77e18c5..bfa91593f80e 100644 --- a/services/detective/pom.xml +++ b/services/detective/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT detective AWS Java SDK :: Services :: Detective diff --git a/services/devicefarm/pom.xml b/services/devicefarm/pom.xml index 4ddf63afafc0..4120bb153322 100644 --- a/services/devicefarm/pom.xml +++ b/services/devicefarm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT devicefarm AWS Java SDK :: Services :: AWS Device Farm diff --git a/services/devopsguru/pom.xml b/services/devopsguru/pom.xml index 76447d81e673..9f9278900a1e 100644 --- a/services/devopsguru/pom.xml +++ b/services/devopsguru/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT devopsguru AWS Java SDK :: Services :: Dev Ops Guru diff --git a/services/directconnect/pom.xml b/services/directconnect/pom.xml index 7480b5580886..aa98297cfcf3 100644 --- a/services/directconnect/pom.xml +++ b/services/directconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT directconnect AWS Java SDK :: Services :: AWS Direct Connect diff --git a/services/directory/pom.xml b/services/directory/pom.xml index 2950d2538254..8a1d8d2b0ba8 100644 --- a/services/directory/pom.xml +++ b/services/directory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT directory AWS Java SDK :: Services :: AWS Directory Service diff --git a/services/dlm/pom.xml b/services/dlm/pom.xml index fa4ae3a2e7da..9d74853777c8 100644 --- a/services/dlm/pom.xml +++ b/services/dlm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT dlm AWS Java SDK :: Services :: DLM diff --git a/services/docdb/pom.xml b/services/docdb/pom.xml index 707eb03b796c..4db29caa12d7 100644 --- a/services/docdb/pom.xml +++ b/services/docdb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT docdb AWS Java SDK :: Services :: DocDB diff --git a/services/docdbelastic/pom.xml b/services/docdbelastic/pom.xml index 6058f7528015..11761b8e0690 100644 --- a/services/docdbelastic/pom.xml +++ b/services/docdbelastic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT docdbelastic AWS Java SDK :: Services :: Doc DB Elastic diff --git a/services/drs/pom.xml b/services/drs/pom.xml index dbb44349759f..6769af3213f2 100644 --- a/services/drs/pom.xml +++ b/services/drs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT drs AWS Java SDK :: Services :: Drs diff --git a/services/dynamodb/pom.xml b/services/dynamodb/pom.xml index adfe79ff0bb6..2295f7780e37 100644 --- a/services/dynamodb/pom.xml +++ b/services/dynamodb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT dynamodb AWS Java SDK :: Services :: Amazon DynamoDB diff --git a/services/ebs/pom.xml b/services/ebs/pom.xml index 353e38fe205a..e319b4293873 100644 --- a/services/ebs/pom.xml +++ b/services/ebs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT ebs AWS Java SDK :: Services :: EBS diff --git a/services/ec2/pom.xml b/services/ec2/pom.xml index c4b72faa1910..b7ea7714b399 100644 --- a/services/ec2/pom.xml +++ b/services/ec2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT ec2 AWS Java SDK :: Services :: Amazon EC2 diff --git a/services/ec2instanceconnect/pom.xml b/services/ec2instanceconnect/pom.xml index b8a5a0612a20..309be3f3d9e9 100644 --- a/services/ec2instanceconnect/pom.xml +++ b/services/ec2instanceconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT ec2instanceconnect AWS Java SDK :: Services :: EC2 Instance Connect diff --git a/services/ecr/pom.xml b/services/ecr/pom.xml index 1cce6e97813f..dc834d319416 100644 --- a/services/ecr/pom.xml +++ b/services/ecr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT ecr AWS Java SDK :: Services :: Amazon EC2 Container Registry diff --git a/services/ecrpublic/pom.xml b/services/ecrpublic/pom.xml index 33d64cfa1453..d1f6b957e339 100644 --- a/services/ecrpublic/pom.xml +++ b/services/ecrpublic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT ecrpublic AWS Java SDK :: Services :: ECR PUBLIC diff --git a/services/ecs/pom.xml b/services/ecs/pom.xml index b7cd3634a6ca..eea80af62b61 100644 --- a/services/ecs/pom.xml +++ b/services/ecs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT ecs AWS Java SDK :: Services :: Amazon EC2 Container Service diff --git a/services/efs/pom.xml b/services/efs/pom.xml index 9b49cd52f347..fddfd8d68299 100644 --- a/services/efs/pom.xml +++ b/services/efs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT efs AWS Java SDK :: Services :: Amazon Elastic File System diff --git a/services/eks/pom.xml b/services/eks/pom.xml index 157a44339175..4067ef1ab9cc 100644 --- a/services/eks/pom.xml +++ b/services/eks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT eks AWS Java SDK :: Services :: EKS diff --git a/services/eksauth/pom.xml b/services/eksauth/pom.xml index 890d78085fc7..8d8225df8582 100644 --- a/services/eksauth/pom.xml +++ b/services/eksauth/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT eksauth AWS Java SDK :: Services :: EKS Auth diff --git a/services/elasticache/pom.xml b/services/elasticache/pom.xml index 398a66b7afe3..c5e4ca38585d 100644 --- a/services/elasticache/pom.xml +++ b/services/elasticache/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT elasticache AWS Java SDK :: Services :: Amazon ElastiCache diff --git a/services/elasticbeanstalk/pom.xml b/services/elasticbeanstalk/pom.xml index 5b064fe9b2d9..d47255be2329 100644 --- a/services/elasticbeanstalk/pom.xml +++ b/services/elasticbeanstalk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT elasticbeanstalk AWS Java SDK :: Services :: AWS Elastic Beanstalk diff --git a/services/elasticinference/pom.xml b/services/elasticinference/pom.xml index 8fc3cb7ade2d..e7e08312f3b1 100644 --- a/services/elasticinference/pom.xml +++ b/services/elasticinference/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT elasticinference AWS Java SDK :: Services :: Elastic Inference diff --git a/services/elasticloadbalancing/pom.xml b/services/elasticloadbalancing/pom.xml index f6b9a5f252f6..d4ddc2ec47bb 100644 --- a/services/elasticloadbalancing/pom.xml +++ b/services/elasticloadbalancing/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT elasticloadbalancing AWS Java SDK :: Services :: Elastic Load Balancing diff --git a/services/elasticloadbalancingv2/pom.xml b/services/elasticloadbalancingv2/pom.xml index 4eb264cfbd20..5d643de13f01 100644 --- a/services/elasticloadbalancingv2/pom.xml +++ b/services/elasticloadbalancingv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT elasticloadbalancingv2 AWS Java SDK :: Services :: Elastic Load Balancing V2 diff --git a/services/elasticsearch/pom.xml b/services/elasticsearch/pom.xml index caf605ea7d47..55aba69c7701 100644 --- a/services/elasticsearch/pom.xml +++ b/services/elasticsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT elasticsearch AWS Java SDK :: Services :: Amazon Elasticsearch Service diff --git a/services/elastictranscoder/pom.xml b/services/elastictranscoder/pom.xml index aee5c385456d..0bb7a21e2153 100644 --- a/services/elastictranscoder/pom.xml +++ b/services/elastictranscoder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT elastictranscoder AWS Java SDK :: Services :: Amazon Elastic Transcoder diff --git a/services/emr/pom.xml b/services/emr/pom.xml index c19bb10c759c..4f2b485ec54d 100644 --- a/services/emr/pom.xml +++ b/services/emr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT emr AWS Java SDK :: Services :: Amazon EMR diff --git a/services/emrcontainers/pom.xml b/services/emrcontainers/pom.xml index c86a523424b0..8efad2d6fcac 100644 --- a/services/emrcontainers/pom.xml +++ b/services/emrcontainers/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT emrcontainers AWS Java SDK :: Services :: EMR Containers diff --git a/services/emrserverless/pom.xml b/services/emrserverless/pom.xml index e1ba727d4e5d..dc9c26ef9278 100644 --- a/services/emrserverless/pom.xml +++ b/services/emrserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT emrserverless AWS Java SDK :: Services :: EMR Serverless diff --git a/services/entityresolution/pom.xml b/services/entityresolution/pom.xml index 6d9f21e8d9cd..52e7ee3b0e89 100644 --- a/services/entityresolution/pom.xml +++ b/services/entityresolution/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT entityresolution AWS Java SDK :: Services :: Entity Resolution diff --git a/services/eventbridge/pom.xml b/services/eventbridge/pom.xml index 1006f7b3bf24..270644efeefd 100644 --- a/services/eventbridge/pom.xml +++ b/services/eventbridge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT eventbridge AWS Java SDK :: Services :: EventBridge diff --git a/services/evidently/pom.xml b/services/evidently/pom.xml index 7941bff879e2..04057e66e8a3 100644 --- a/services/evidently/pom.xml +++ b/services/evidently/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT evidently AWS Java SDK :: Services :: Evidently diff --git a/services/finspace/pom.xml b/services/finspace/pom.xml index bff385b08754..7f8ade8075f4 100644 --- a/services/finspace/pom.xml +++ b/services/finspace/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT finspace AWS Java SDK :: Services :: Finspace diff --git a/services/finspacedata/pom.xml b/services/finspacedata/pom.xml index fe5fcceea171..37f04569523c 100644 --- a/services/finspacedata/pom.xml +++ b/services/finspacedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT finspacedata AWS Java SDK :: Services :: Finspace Data diff --git a/services/firehose/pom.xml b/services/firehose/pom.xml index b76d8005c7aa..65b5a0cfd843 100644 --- a/services/firehose/pom.xml +++ b/services/firehose/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT firehose AWS Java SDK :: Services :: Amazon Kinesis Firehose diff --git a/services/fis/pom.xml b/services/fis/pom.xml index e9f74f78e1c7..296feb6e054c 100644 --- a/services/fis/pom.xml +++ b/services/fis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT fis AWS Java SDK :: Services :: Fis diff --git a/services/fms/pom.xml b/services/fms/pom.xml index 8aa33342f014..fe6021039afa 100644 --- a/services/fms/pom.xml +++ b/services/fms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT fms AWS Java SDK :: Services :: FMS diff --git a/services/forecast/pom.xml b/services/forecast/pom.xml index a2f2acd2aa62..b977f1747793 100644 --- a/services/forecast/pom.xml +++ b/services/forecast/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT forecast AWS Java SDK :: Services :: Forecast diff --git a/services/forecastquery/pom.xml b/services/forecastquery/pom.xml index 07c7a620c5dc..c9492bb6fd21 100644 --- a/services/forecastquery/pom.xml +++ b/services/forecastquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT forecastquery AWS Java SDK :: Services :: Forecastquery diff --git a/services/frauddetector/pom.xml b/services/frauddetector/pom.xml index f074ec26daed..6fbaf8c62fb3 100644 --- a/services/frauddetector/pom.xml +++ b/services/frauddetector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT frauddetector AWS Java SDK :: Services :: FraudDetector diff --git a/services/freetier/pom.xml b/services/freetier/pom.xml index f819d3cdfb3c..9c64abb0ff09 100644 --- a/services/freetier/pom.xml +++ b/services/freetier/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT freetier AWS Java SDK :: Services :: Free Tier diff --git a/services/fsx/pom.xml b/services/fsx/pom.xml index e084c65af7b7..d97e6f12d2d0 100644 --- a/services/fsx/pom.xml +++ b/services/fsx/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT fsx AWS Java SDK :: Services :: FSx diff --git a/services/gamelift/pom.xml b/services/gamelift/pom.xml index c4c53dc1982e..362d483a00a6 100644 --- a/services/gamelift/pom.xml +++ b/services/gamelift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT gamelift AWS Java SDK :: Services :: AWS GameLift diff --git a/services/glacier/pom.xml b/services/glacier/pom.xml index c2b6f4f26a2d..4d113beece05 100644 --- a/services/glacier/pom.xml +++ b/services/glacier/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT glacier AWS Java SDK :: Services :: Amazon Glacier diff --git a/services/globalaccelerator/pom.xml b/services/globalaccelerator/pom.xml index eaabacfdac69..557851b5b7a5 100644 --- a/services/globalaccelerator/pom.xml +++ b/services/globalaccelerator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT globalaccelerator AWS Java SDK :: Services :: Global Accelerator diff --git a/services/glue/pom.xml b/services/glue/pom.xml index e32f33f4ccbc..2144cfa261b3 100644 --- a/services/glue/pom.xml +++ b/services/glue/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20 + 2.27.21-SNAPSHOT 4.0.0 glue diff --git a/services/grafana/pom.xml b/services/grafana/pom.xml index ad1633f87405..73129699e3f1 100644 --- a/services/grafana/pom.xml +++ b/services/grafana/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT grafana AWS Java SDK :: Services :: Grafana diff --git a/services/greengrass/pom.xml b/services/greengrass/pom.xml index d00e74c75e78..ea89fadd9b25 100644 --- a/services/greengrass/pom.xml +++ b/services/greengrass/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT greengrass AWS Java SDK :: Services :: AWS Greengrass diff --git a/services/greengrassv2/pom.xml b/services/greengrassv2/pom.xml index cb0ca89ff2c8..ee228a555270 100644 --- a/services/greengrassv2/pom.xml +++ b/services/greengrassv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT greengrassv2 AWS Java SDK :: Services :: Greengrass V2 diff --git a/services/groundstation/pom.xml b/services/groundstation/pom.xml index 4ba1e7b93f91..84d453018234 100644 --- a/services/groundstation/pom.xml +++ b/services/groundstation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT groundstation AWS Java SDK :: Services :: GroundStation diff --git a/services/guardduty/pom.xml b/services/guardduty/pom.xml index ff7dc532faf9..49a929b975c0 100644 --- a/services/guardduty/pom.xml +++ b/services/guardduty/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20 + 2.27.21-SNAPSHOT 4.0.0 guardduty diff --git a/services/health/pom.xml b/services/health/pom.xml index 4862598935ef..7db15e7eb7c4 100644 --- a/services/health/pom.xml +++ b/services/health/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT health AWS Java SDK :: Services :: AWS Health APIs and Notifications diff --git a/services/healthlake/pom.xml b/services/healthlake/pom.xml index 0cc65e0c723f..cca02fbb20d4 100644 --- a/services/healthlake/pom.xml +++ b/services/healthlake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT healthlake AWS Java SDK :: Services :: Health Lake diff --git a/services/iam/pom.xml b/services/iam/pom.xml index 3c829a2b0e2f..07625f5091bc 100644 --- a/services/iam/pom.xml +++ b/services/iam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT iam AWS Java SDK :: Services :: AWS IAM diff --git a/services/identitystore/pom.xml b/services/identitystore/pom.xml index 54513bf3153a..a74ebd259ead 100644 --- a/services/identitystore/pom.xml +++ b/services/identitystore/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT identitystore AWS Java SDK :: Services :: Identitystore diff --git a/services/imagebuilder/pom.xml b/services/imagebuilder/pom.xml index 1c8b64ffc992..20737471d7d7 100644 --- a/services/imagebuilder/pom.xml +++ b/services/imagebuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT imagebuilder AWS Java SDK :: Services :: Imagebuilder diff --git a/services/inspector/pom.xml b/services/inspector/pom.xml index aa5efe6da579..348c1eeb2996 100644 --- a/services/inspector/pom.xml +++ b/services/inspector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT inspector AWS Java SDK :: Services :: Amazon Inspector Service diff --git a/services/inspector2/pom.xml b/services/inspector2/pom.xml index 9123ea91b6c6..ffa16518d816 100644 --- a/services/inspector2/pom.xml +++ b/services/inspector2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT inspector2 AWS Java SDK :: Services :: Inspector2 diff --git a/services/inspectorscan/pom.xml b/services/inspectorscan/pom.xml index 53b587463c53..27e061f58b55 100644 --- a/services/inspectorscan/pom.xml +++ b/services/inspectorscan/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT inspectorscan AWS Java SDK :: Services :: Inspector Scan diff --git a/services/internetmonitor/pom.xml b/services/internetmonitor/pom.xml index 3fa1769acb88..6a8edf9d9f6c 100644 --- a/services/internetmonitor/pom.xml +++ b/services/internetmonitor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT internetmonitor AWS Java SDK :: Services :: Internet Monitor diff --git a/services/iot/pom.xml b/services/iot/pom.xml index 27b564902a0a..2b60e098e4d4 100644 --- a/services/iot/pom.xml +++ b/services/iot/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT iot AWS Java SDK :: Services :: AWS IoT diff --git a/services/iot1clickdevices/pom.xml b/services/iot1clickdevices/pom.xml index f727deaf4d60..5b7059320729 100644 --- a/services/iot1clickdevices/pom.xml +++ b/services/iot1clickdevices/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT iot1clickdevices AWS Java SDK :: Services :: IoT 1Click Devices Service diff --git a/services/iot1clickprojects/pom.xml b/services/iot1clickprojects/pom.xml index 64e152cdb3a3..b625b715457e 100644 --- a/services/iot1clickprojects/pom.xml +++ b/services/iot1clickprojects/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT iot1clickprojects AWS Java SDK :: Services :: IoT 1Click Projects diff --git a/services/iotanalytics/pom.xml b/services/iotanalytics/pom.xml index c512bbbb450c..3409952a53a9 100644 --- a/services/iotanalytics/pom.xml +++ b/services/iotanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT iotanalytics AWS Java SDK :: Services :: IoTAnalytics diff --git a/services/iotdataplane/pom.xml b/services/iotdataplane/pom.xml index ae8c3a6834a3..f9130395dc6c 100644 --- a/services/iotdataplane/pom.xml +++ b/services/iotdataplane/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT iotdataplane AWS Java SDK :: Services :: AWS IoT Data Plane diff --git a/services/iotdeviceadvisor/pom.xml b/services/iotdeviceadvisor/pom.xml index f30e55c03a5e..7cdb02186106 100644 --- a/services/iotdeviceadvisor/pom.xml +++ b/services/iotdeviceadvisor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT iotdeviceadvisor AWS Java SDK :: Services :: Iot Device Advisor diff --git a/services/iotevents/pom.xml b/services/iotevents/pom.xml index 74caf38717f5..e2bffdafeb4c 100644 --- a/services/iotevents/pom.xml +++ b/services/iotevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT iotevents AWS Java SDK :: Services :: IoT Events diff --git a/services/ioteventsdata/pom.xml b/services/ioteventsdata/pom.xml index ee8480398d64..53578ef71ab5 100644 --- a/services/ioteventsdata/pom.xml +++ b/services/ioteventsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT ioteventsdata AWS Java SDK :: Services :: IoT Events Data diff --git a/services/iotfleethub/pom.xml b/services/iotfleethub/pom.xml index 039217a6e9db..ee910754dbc8 100644 --- a/services/iotfleethub/pom.xml +++ b/services/iotfleethub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT iotfleethub AWS Java SDK :: Services :: Io T Fleet Hub diff --git a/services/iotfleetwise/pom.xml b/services/iotfleetwise/pom.xml index 98151d8f1af8..a2fb95703adf 100644 --- a/services/iotfleetwise/pom.xml +++ b/services/iotfleetwise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT iotfleetwise AWS Java SDK :: Services :: Io T Fleet Wise diff --git a/services/iotjobsdataplane/pom.xml b/services/iotjobsdataplane/pom.xml index 1558aa1aa41e..d62b1e3f2524 100644 --- a/services/iotjobsdataplane/pom.xml +++ b/services/iotjobsdataplane/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT iotjobsdataplane AWS Java SDK :: Services :: IoT Jobs Data Plane diff --git a/services/iotsecuretunneling/pom.xml b/services/iotsecuretunneling/pom.xml index 8a4ec1981e09..f8e58bbe9dba 100644 --- a/services/iotsecuretunneling/pom.xml +++ b/services/iotsecuretunneling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT iotsecuretunneling AWS Java SDK :: Services :: IoTSecureTunneling diff --git a/services/iotsitewise/pom.xml b/services/iotsitewise/pom.xml index 954e9271677b..e7f012c0d58e 100644 --- a/services/iotsitewise/pom.xml +++ b/services/iotsitewise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT iotsitewise AWS Java SDK :: Services :: Io T Site Wise diff --git a/services/iotthingsgraph/pom.xml b/services/iotthingsgraph/pom.xml index 339950bb693a..de273b25ac34 100644 --- a/services/iotthingsgraph/pom.xml +++ b/services/iotthingsgraph/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT iotthingsgraph AWS Java SDK :: Services :: IoTThingsGraph diff --git a/services/iottwinmaker/pom.xml b/services/iottwinmaker/pom.xml index 26c302671185..b213a9b93998 100644 --- a/services/iottwinmaker/pom.xml +++ b/services/iottwinmaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT iottwinmaker AWS Java SDK :: Services :: Io T Twin Maker diff --git a/services/iotwireless/pom.xml b/services/iotwireless/pom.xml index f91f9a887361..0f8697a8f18a 100644 --- a/services/iotwireless/pom.xml +++ b/services/iotwireless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT iotwireless AWS Java SDK :: Services :: IoT Wireless diff --git a/services/ivs/pom.xml b/services/ivs/pom.xml index 2202ce21f61a..4ee41bdac3a1 100644 --- a/services/ivs/pom.xml +++ b/services/ivs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT ivs AWS Java SDK :: Services :: Ivs diff --git a/services/ivschat/pom.xml b/services/ivschat/pom.xml index 6a3f90713cd9..f8a04281d9f3 100644 --- a/services/ivschat/pom.xml +++ b/services/ivschat/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT ivschat AWS Java SDK :: Services :: Ivschat diff --git a/services/ivsrealtime/pom.xml b/services/ivsrealtime/pom.xml index 53331548666c..18d3d17c7deb 100644 --- a/services/ivsrealtime/pom.xml +++ b/services/ivsrealtime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT ivsrealtime AWS Java SDK :: Services :: IVS Real Time diff --git a/services/kafka/pom.xml b/services/kafka/pom.xml index 752c8b861983..04c7273dd8b9 100644 --- a/services/kafka/pom.xml +++ b/services/kafka/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT kafka AWS Java SDK :: Services :: Kafka diff --git a/services/kafkaconnect/pom.xml b/services/kafkaconnect/pom.xml index 670dc3d5db70..44620f5cfb22 100644 --- a/services/kafkaconnect/pom.xml +++ b/services/kafkaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT kafkaconnect AWS Java SDK :: Services :: Kafka Connect diff --git a/services/kendra/pom.xml b/services/kendra/pom.xml index 5cff39822770..88aabdb4ea59 100644 --- a/services/kendra/pom.xml +++ b/services/kendra/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT kendra AWS Java SDK :: Services :: Kendra diff --git a/services/kendraranking/pom.xml b/services/kendraranking/pom.xml index 4f8627c0bbf4..3662de1bce68 100644 --- a/services/kendraranking/pom.xml +++ b/services/kendraranking/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT kendraranking AWS Java SDK :: Services :: Kendra Ranking diff --git a/services/keyspaces/pom.xml b/services/keyspaces/pom.xml index 4b7b4b760614..e181eab5f931 100644 --- a/services/keyspaces/pom.xml +++ b/services/keyspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT keyspaces AWS Java SDK :: Services :: Keyspaces diff --git a/services/kinesis/pom.xml b/services/kinesis/pom.xml index c5a52519af2f..4216f233bf84 100644 --- a/services/kinesis/pom.xml +++ b/services/kinesis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT kinesis AWS Java SDK :: Services :: Amazon Kinesis diff --git a/services/kinesisanalytics/pom.xml b/services/kinesisanalytics/pom.xml index 2673daa8b824..a4209f7b8df6 100644 --- a/services/kinesisanalytics/pom.xml +++ b/services/kinesisanalytics/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT kinesisanalytics AWS Java SDK :: Services :: Amazon Kinesis Analytics diff --git a/services/kinesisanalyticsv2/pom.xml b/services/kinesisanalyticsv2/pom.xml index 487288b7be4a..399939a949e2 100644 --- a/services/kinesisanalyticsv2/pom.xml +++ b/services/kinesisanalyticsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT kinesisanalyticsv2 AWS Java SDK :: Services :: Kinesis Analytics V2 diff --git a/services/kinesisvideo/pom.xml b/services/kinesisvideo/pom.xml index 862ff10ec17f..e591f1f35a72 100644 --- a/services/kinesisvideo/pom.xml +++ b/services/kinesisvideo/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20 + 2.27.21-SNAPSHOT 4.0.0 kinesisvideo diff --git a/services/kinesisvideoarchivedmedia/pom.xml b/services/kinesisvideoarchivedmedia/pom.xml index 01386c4db4da..bbc6f4ba0e5c 100644 --- a/services/kinesisvideoarchivedmedia/pom.xml +++ b/services/kinesisvideoarchivedmedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT kinesisvideoarchivedmedia AWS Java SDK :: Services :: Kinesis Video Archived Media diff --git a/services/kinesisvideomedia/pom.xml b/services/kinesisvideomedia/pom.xml index d3086f7fdae8..7c966d0cf7fb 100644 --- a/services/kinesisvideomedia/pom.xml +++ b/services/kinesisvideomedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT kinesisvideomedia AWS Java SDK :: Services :: Kinesis Video Media diff --git a/services/kinesisvideosignaling/pom.xml b/services/kinesisvideosignaling/pom.xml index 1c24c6d34c1a..e2eddcde88d8 100644 --- a/services/kinesisvideosignaling/pom.xml +++ b/services/kinesisvideosignaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT kinesisvideosignaling AWS Java SDK :: Services :: Kinesis Video Signaling diff --git a/services/kinesisvideowebrtcstorage/pom.xml b/services/kinesisvideowebrtcstorage/pom.xml index b9fffba5f13e..bf71cf7dc38a 100644 --- a/services/kinesisvideowebrtcstorage/pom.xml +++ b/services/kinesisvideowebrtcstorage/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT kinesisvideowebrtcstorage AWS Java SDK :: Services :: Kinesis Video Web RTC Storage diff --git a/services/kms/pom.xml b/services/kms/pom.xml index 72e47e649df2..76398e43b2a4 100644 --- a/services/kms/pom.xml +++ b/services/kms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT kms AWS Java SDK :: Services :: AWS KMS diff --git a/services/lakeformation/pom.xml b/services/lakeformation/pom.xml index 3d9ea60d108d..244469af05ec 100644 --- a/services/lakeformation/pom.xml +++ b/services/lakeformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT lakeformation AWS Java SDK :: Services :: LakeFormation diff --git a/services/lambda/pom.xml b/services/lambda/pom.xml index b9746d3d05ed..c8098a0f4523 100644 --- a/services/lambda/pom.xml +++ b/services/lambda/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT lambda AWS Java SDK :: Services :: AWS Lambda diff --git a/services/launchwizard/pom.xml b/services/launchwizard/pom.xml index 738f8a10945b..09ff06f015f8 100644 --- a/services/launchwizard/pom.xml +++ b/services/launchwizard/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT launchwizard AWS Java SDK :: Services :: Launch Wizard diff --git a/services/lexmodelbuilding/pom.xml b/services/lexmodelbuilding/pom.xml index 5fd85f06c432..df5fb8a5e8f0 100644 --- a/services/lexmodelbuilding/pom.xml +++ b/services/lexmodelbuilding/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT lexmodelbuilding AWS Java SDK :: Services :: Amazon Lex Model Building diff --git a/services/lexmodelsv2/pom.xml b/services/lexmodelsv2/pom.xml index e07e0a19d025..312577f52c12 100644 --- a/services/lexmodelsv2/pom.xml +++ b/services/lexmodelsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT lexmodelsv2 AWS Java SDK :: Services :: Lex Models V2 diff --git a/services/lexruntime/pom.xml b/services/lexruntime/pom.xml index c0560ea4ecde..2a91f39887f8 100644 --- a/services/lexruntime/pom.xml +++ b/services/lexruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT lexruntime AWS Java SDK :: Services :: Amazon Lex Runtime diff --git a/services/lexruntimev2/pom.xml b/services/lexruntimev2/pom.xml index de849c286c95..88291c6304c7 100644 --- a/services/lexruntimev2/pom.xml +++ b/services/lexruntimev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT lexruntimev2 AWS Java SDK :: Services :: Lex Runtime V2 diff --git a/services/licensemanager/pom.xml b/services/licensemanager/pom.xml index c24016b9eb7e..f17fa4f8c277 100644 --- a/services/licensemanager/pom.xml +++ b/services/licensemanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT licensemanager AWS Java SDK :: Services :: License Manager diff --git a/services/licensemanagerlinuxsubscriptions/pom.xml b/services/licensemanagerlinuxsubscriptions/pom.xml index ea34015b5776..28b684036be9 100644 --- a/services/licensemanagerlinuxsubscriptions/pom.xml +++ b/services/licensemanagerlinuxsubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT licensemanagerlinuxsubscriptions AWS Java SDK :: Services :: License Manager Linux Subscriptions diff --git a/services/licensemanagerusersubscriptions/pom.xml b/services/licensemanagerusersubscriptions/pom.xml index 9ca62792ede5..23d194ad4454 100644 --- a/services/licensemanagerusersubscriptions/pom.xml +++ b/services/licensemanagerusersubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT licensemanagerusersubscriptions AWS Java SDK :: Services :: License Manager User Subscriptions diff --git a/services/lightsail/pom.xml b/services/lightsail/pom.xml index bd52a1192276..f0a942e5ece0 100644 --- a/services/lightsail/pom.xml +++ b/services/lightsail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT lightsail AWS Java SDK :: Services :: Amazon Lightsail diff --git a/services/location/pom.xml b/services/location/pom.xml index 750b605c5d65..0391ee76b3e4 100644 --- a/services/location/pom.xml +++ b/services/location/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT location AWS Java SDK :: Services :: Location diff --git a/services/lookoutequipment/pom.xml b/services/lookoutequipment/pom.xml index 151473291d4a..4aca7aee5cac 100644 --- a/services/lookoutequipment/pom.xml +++ b/services/lookoutequipment/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT lookoutequipment AWS Java SDK :: Services :: Lookout Equipment diff --git a/services/lookoutmetrics/pom.xml b/services/lookoutmetrics/pom.xml index bcff379a25f1..12e8ff9f770e 100644 --- a/services/lookoutmetrics/pom.xml +++ b/services/lookoutmetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT lookoutmetrics AWS Java SDK :: Services :: Lookout Metrics diff --git a/services/lookoutvision/pom.xml b/services/lookoutvision/pom.xml index f5ebae3bf7ee..8b7bc7499418 100644 --- a/services/lookoutvision/pom.xml +++ b/services/lookoutvision/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT lookoutvision AWS Java SDK :: Services :: Lookout Vision diff --git a/services/m2/pom.xml b/services/m2/pom.xml index 677b0dbe43e4..26d524dd32c2 100644 --- a/services/m2/pom.xml +++ b/services/m2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT m2 AWS Java SDK :: Services :: M2 diff --git a/services/machinelearning/pom.xml b/services/machinelearning/pom.xml index 8cc54f516788..ee3a88f89be0 100644 --- a/services/machinelearning/pom.xml +++ b/services/machinelearning/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT machinelearning AWS Java SDK :: Services :: Amazon Machine Learning diff --git a/services/macie2/pom.xml b/services/macie2/pom.xml index 28fd091c136a..a83c67a925a6 100644 --- a/services/macie2/pom.xml +++ b/services/macie2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT macie2 AWS Java SDK :: Services :: Macie2 diff --git a/services/mailmanager/pom.xml b/services/mailmanager/pom.xml index c1f598e5209d..c4ccf56be653 100644 --- a/services/mailmanager/pom.xml +++ b/services/mailmanager/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT mailmanager AWS Java SDK :: Services :: Mail Manager diff --git a/services/managedblockchain/pom.xml b/services/managedblockchain/pom.xml index 530b5fe92ef1..9c36ebe9e5e2 100644 --- a/services/managedblockchain/pom.xml +++ b/services/managedblockchain/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT managedblockchain AWS Java SDK :: Services :: ManagedBlockchain diff --git a/services/managedblockchainquery/pom.xml b/services/managedblockchainquery/pom.xml index 3f41d4328164..0ced0b8fee17 100644 --- a/services/managedblockchainquery/pom.xml +++ b/services/managedblockchainquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT managedblockchainquery AWS Java SDK :: Services :: Managed Blockchain Query diff --git a/services/marketplaceagreement/pom.xml b/services/marketplaceagreement/pom.xml index a4338ab6b72f..3d3ff367746a 100644 --- a/services/marketplaceagreement/pom.xml +++ b/services/marketplaceagreement/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT marketplaceagreement AWS Java SDK :: Services :: Marketplace Agreement diff --git a/services/marketplacecatalog/pom.xml b/services/marketplacecatalog/pom.xml index 2e11e22dfb04..0eaf5a3aa04b 100644 --- a/services/marketplacecatalog/pom.xml +++ b/services/marketplacecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT marketplacecatalog AWS Java SDK :: Services :: Marketplace Catalog diff --git a/services/marketplacecommerceanalytics/pom.xml b/services/marketplacecommerceanalytics/pom.xml index f2bfd3f3f72b..62d27cdf1374 100644 --- a/services/marketplacecommerceanalytics/pom.xml +++ b/services/marketplacecommerceanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT marketplacecommerceanalytics AWS Java SDK :: Services :: AWS Marketplace Commerce Analytics diff --git a/services/marketplacedeployment/pom.xml b/services/marketplacedeployment/pom.xml index e59c608f67f8..2156efe68979 100644 --- a/services/marketplacedeployment/pom.xml +++ b/services/marketplacedeployment/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT marketplacedeployment AWS Java SDK :: Services :: Marketplace Deployment diff --git a/services/marketplaceentitlement/pom.xml b/services/marketplaceentitlement/pom.xml index 0a9670b19006..537e96f22f38 100644 --- a/services/marketplaceentitlement/pom.xml +++ b/services/marketplaceentitlement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT marketplaceentitlement AWS Java SDK :: Services :: AWS Marketplace Entitlement diff --git a/services/marketplacemetering/pom.xml b/services/marketplacemetering/pom.xml index 7f3983a1122b..18a4405180c7 100644 --- a/services/marketplacemetering/pom.xml +++ b/services/marketplacemetering/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT marketplacemetering AWS Java SDK :: Services :: AWS Marketplace Metering Service diff --git a/services/mediaconnect/pom.xml b/services/mediaconnect/pom.xml index 6419ad1a15dc..8dbbe1787081 100644 --- a/services/mediaconnect/pom.xml +++ b/services/mediaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT mediaconnect AWS Java SDK :: Services :: MediaConnect diff --git a/services/mediaconvert/pom.xml b/services/mediaconvert/pom.xml index 40815c643f03..2494be34c398 100644 --- a/services/mediaconvert/pom.xml +++ b/services/mediaconvert/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20 + 2.27.21-SNAPSHOT 4.0.0 mediaconvert diff --git a/services/medialive/pom.xml b/services/medialive/pom.xml index 1f52db5cadeb..40c956e4b38d 100644 --- a/services/medialive/pom.xml +++ b/services/medialive/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20 + 2.27.21-SNAPSHOT 4.0.0 medialive diff --git a/services/mediapackage/pom.xml b/services/mediapackage/pom.xml index 7c6d028c3dc5..78d05028eb9a 100644 --- a/services/mediapackage/pom.xml +++ b/services/mediapackage/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20 + 2.27.21-SNAPSHOT 4.0.0 mediapackage diff --git a/services/mediapackagev2/pom.xml b/services/mediapackagev2/pom.xml index 3c4155b6b08f..11b262c8cc2f 100644 --- a/services/mediapackagev2/pom.xml +++ b/services/mediapackagev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT mediapackagev2 AWS Java SDK :: Services :: Media Package V2 diff --git a/services/mediapackagevod/pom.xml b/services/mediapackagevod/pom.xml index d699a82cdc64..f5171be81b72 100644 --- a/services/mediapackagevod/pom.xml +++ b/services/mediapackagevod/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT mediapackagevod AWS Java SDK :: Services :: MediaPackage Vod diff --git a/services/mediastore/pom.xml b/services/mediastore/pom.xml index bd3e35bb0b9a..bc9f10830a26 100644 --- a/services/mediastore/pom.xml +++ b/services/mediastore/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20 + 2.27.21-SNAPSHOT 4.0.0 mediastore diff --git a/services/mediastoredata/pom.xml b/services/mediastoredata/pom.xml index 98c25e1908a1..a0b3258144eb 100644 --- a/services/mediastoredata/pom.xml +++ b/services/mediastoredata/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20 + 2.27.21-SNAPSHOT 4.0.0 mediastoredata diff --git a/services/mediatailor/pom.xml b/services/mediatailor/pom.xml index c1f0e2f10602..700f9a3b1322 100644 --- a/services/mediatailor/pom.xml +++ b/services/mediatailor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT mediatailor AWS Java SDK :: Services :: MediaTailor diff --git a/services/medicalimaging/pom.xml b/services/medicalimaging/pom.xml index df278fdd64c9..8041bf0d9e9d 100644 --- a/services/medicalimaging/pom.xml +++ b/services/medicalimaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT medicalimaging AWS Java SDK :: Services :: Medical Imaging diff --git a/services/memorydb/pom.xml b/services/memorydb/pom.xml index e29fd028d521..7ee5d43d100a 100644 --- a/services/memorydb/pom.xml +++ b/services/memorydb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT memorydb AWS Java SDK :: Services :: Memory DB diff --git a/services/mgn/pom.xml b/services/mgn/pom.xml index 674bd0bf4b28..fcd4a48b6517 100644 --- a/services/mgn/pom.xml +++ b/services/mgn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT mgn AWS Java SDK :: Services :: Mgn diff --git a/services/migrationhub/pom.xml b/services/migrationhub/pom.xml index 84f67bd1e5c8..423354a1c9aa 100644 --- a/services/migrationhub/pom.xml +++ b/services/migrationhub/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20 + 2.27.21-SNAPSHOT 4.0.0 migrationhub diff --git a/services/migrationhubconfig/pom.xml b/services/migrationhubconfig/pom.xml index d3f06a304a88..2836644fb4f8 100644 --- a/services/migrationhubconfig/pom.xml +++ b/services/migrationhubconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT migrationhubconfig AWS Java SDK :: Services :: MigrationHub Config diff --git a/services/migrationhuborchestrator/pom.xml b/services/migrationhuborchestrator/pom.xml index 0735b0f065ce..c30adecc17ba 100644 --- a/services/migrationhuborchestrator/pom.xml +++ b/services/migrationhuborchestrator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT migrationhuborchestrator AWS Java SDK :: Services :: Migration Hub Orchestrator diff --git a/services/migrationhubrefactorspaces/pom.xml b/services/migrationhubrefactorspaces/pom.xml index 8a7bc5a3bd4c..99bb432bfa3c 100644 --- a/services/migrationhubrefactorspaces/pom.xml +++ b/services/migrationhubrefactorspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT migrationhubrefactorspaces AWS Java SDK :: Services :: Migration Hub Refactor Spaces diff --git a/services/migrationhubstrategy/pom.xml b/services/migrationhubstrategy/pom.xml index 3f7aabbb5304..4db9f4ed007d 100644 --- a/services/migrationhubstrategy/pom.xml +++ b/services/migrationhubstrategy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT migrationhubstrategy AWS Java SDK :: Services :: Migration Hub Strategy diff --git a/services/mq/pom.xml b/services/mq/pom.xml index 9b8f3506efaf..101235070a2d 100644 --- a/services/mq/pom.xml +++ b/services/mq/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20 + 2.27.21-SNAPSHOT 4.0.0 mq diff --git a/services/mturk/pom.xml b/services/mturk/pom.xml index 4dff2fd9e471..77ea2333e2f1 100644 --- a/services/mturk/pom.xml +++ b/services/mturk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT mturk AWS Java SDK :: Services :: Amazon Mechanical Turk Requester diff --git a/services/mwaa/pom.xml b/services/mwaa/pom.xml index e34ee539c72b..97a246bbbd46 100644 --- a/services/mwaa/pom.xml +++ b/services/mwaa/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT mwaa AWS Java SDK :: Services :: MWAA diff --git a/services/neptune/pom.xml b/services/neptune/pom.xml index 0d20ec5db75f..3f933f772e8a 100644 --- a/services/neptune/pom.xml +++ b/services/neptune/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT neptune AWS Java SDK :: Services :: Neptune diff --git a/services/neptunedata/pom.xml b/services/neptunedata/pom.xml index e3ef39fdede7..7e89eeb9d205 100644 --- a/services/neptunedata/pom.xml +++ b/services/neptunedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT neptunedata AWS Java SDK :: Services :: Neptunedata diff --git a/services/neptunegraph/pom.xml b/services/neptunegraph/pom.xml index fd8de336ec92..93fe13222d25 100644 --- a/services/neptunegraph/pom.xml +++ b/services/neptunegraph/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT neptunegraph AWS Java SDK :: Services :: Neptune Graph diff --git a/services/networkfirewall/pom.xml b/services/networkfirewall/pom.xml index 28c23f80b7b1..198baacd09c8 100644 --- a/services/networkfirewall/pom.xml +++ b/services/networkfirewall/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT networkfirewall AWS Java SDK :: Services :: Network Firewall diff --git a/services/networkmanager/pom.xml b/services/networkmanager/pom.xml index bd4068007bd5..d4b11a39049e 100644 --- a/services/networkmanager/pom.xml +++ b/services/networkmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT networkmanager AWS Java SDK :: Services :: NetworkManager diff --git a/services/networkmonitor/pom.xml b/services/networkmonitor/pom.xml index 5f2dc8a6da97..cd00e32bd3fb 100644 --- a/services/networkmonitor/pom.xml +++ b/services/networkmonitor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT networkmonitor AWS Java SDK :: Services :: Network Monitor diff --git a/services/nimble/pom.xml b/services/nimble/pom.xml index 3c17c39b0e71..b036c1757ef2 100644 --- a/services/nimble/pom.xml +++ b/services/nimble/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT nimble AWS Java SDK :: Services :: Nimble diff --git a/services/oam/pom.xml b/services/oam/pom.xml index a5c0f4163f15..e88ad49e1ce0 100644 --- a/services/oam/pom.xml +++ b/services/oam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT oam AWS Java SDK :: Services :: OAM diff --git a/services/omics/pom.xml b/services/omics/pom.xml index 9e73b9aea849..ee6cdd365eb1 100644 --- a/services/omics/pom.xml +++ b/services/omics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT omics AWS Java SDK :: Services :: Omics diff --git a/services/opensearch/pom.xml b/services/opensearch/pom.xml index 721b7a45dfa3..ee564ea98b7c 100644 --- a/services/opensearch/pom.xml +++ b/services/opensearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT opensearch AWS Java SDK :: Services :: Open Search diff --git a/services/opensearchserverless/pom.xml b/services/opensearchserverless/pom.xml index 054b90a65cea..f5e744e9783e 100644 --- a/services/opensearchserverless/pom.xml +++ b/services/opensearchserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT opensearchserverless AWS Java SDK :: Services :: Open Search Serverless diff --git a/services/opsworks/pom.xml b/services/opsworks/pom.xml index 2c4852141a74..d69844d3a50e 100644 --- a/services/opsworks/pom.xml +++ b/services/opsworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT opsworks AWS Java SDK :: Services :: AWS OpsWorks diff --git a/services/opsworkscm/pom.xml b/services/opsworkscm/pom.xml index cf3771646a73..dca1ed119ea1 100644 --- a/services/opsworkscm/pom.xml +++ b/services/opsworkscm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT opsworkscm AWS Java SDK :: Services :: AWS OpsWorks for Chef Automate diff --git a/services/organizations/pom.xml b/services/organizations/pom.xml index 1f6a2bb69d88..2585332792d6 100644 --- a/services/organizations/pom.xml +++ b/services/organizations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT organizations AWS Java SDK :: Services :: AWS Organizations diff --git a/services/osis/pom.xml b/services/osis/pom.xml index ab9c99bd2036..e21309d38c8e 100644 --- a/services/osis/pom.xml +++ b/services/osis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT osis AWS Java SDK :: Services :: OSIS diff --git a/services/outposts/pom.xml b/services/outposts/pom.xml index 168c48a57ede..088f6d0cd563 100644 --- a/services/outposts/pom.xml +++ b/services/outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT outposts AWS Java SDK :: Services :: Outposts diff --git a/services/panorama/pom.xml b/services/panorama/pom.xml index 7acba49919a5..9f0343f03095 100644 --- a/services/panorama/pom.xml +++ b/services/panorama/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT panorama AWS Java SDK :: Services :: Panorama diff --git a/services/paymentcryptography/pom.xml b/services/paymentcryptography/pom.xml index 24e069763b0d..0e1c51fbb1e4 100644 --- a/services/paymentcryptography/pom.xml +++ b/services/paymentcryptography/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT paymentcryptography AWS Java SDK :: Services :: Payment Cryptography diff --git a/services/paymentcryptographydata/pom.xml b/services/paymentcryptographydata/pom.xml index 834945e5712d..c0091b8b3b02 100644 --- a/services/paymentcryptographydata/pom.xml +++ b/services/paymentcryptographydata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT paymentcryptographydata AWS Java SDK :: Services :: Payment Cryptography Data diff --git a/services/pcaconnectorad/pom.xml b/services/pcaconnectorad/pom.xml index 9a9f37e7954b..c761f8c9ba5a 100644 --- a/services/pcaconnectorad/pom.xml +++ b/services/pcaconnectorad/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT pcaconnectorad AWS Java SDK :: Services :: Pca Connector Ad diff --git a/services/pcaconnectorscep/pom.xml b/services/pcaconnectorscep/pom.xml index 8147ed4d2c0e..e29a1518b57d 100644 --- a/services/pcaconnectorscep/pom.xml +++ b/services/pcaconnectorscep/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT pcaconnectorscep AWS Java SDK :: Services :: Pca Connector Scep diff --git a/services/pcs/pom.xml b/services/pcs/pom.xml index 50122420b1d5..6ac1e293a0d9 100644 --- a/services/pcs/pom.xml +++ b/services/pcs/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT pcs AWS Java SDK :: Services :: PCS diff --git a/services/personalize/pom.xml b/services/personalize/pom.xml index 6007ef25f9ef..9659be29de0f 100644 --- a/services/personalize/pom.xml +++ b/services/personalize/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT personalize AWS Java SDK :: Services :: Personalize diff --git a/services/personalizeevents/pom.xml b/services/personalizeevents/pom.xml index cfc0dcc7d67a..9ec232484811 100644 --- a/services/personalizeevents/pom.xml +++ b/services/personalizeevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT personalizeevents AWS Java SDK :: Services :: Personalize Events diff --git a/services/personalizeruntime/pom.xml b/services/personalizeruntime/pom.xml index f42dd238248a..8b0bf3237916 100644 --- a/services/personalizeruntime/pom.xml +++ b/services/personalizeruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT personalizeruntime AWS Java SDK :: Services :: Personalize Runtime diff --git a/services/pi/pom.xml b/services/pi/pom.xml index 5eb00d485b79..3a28c6b2412e 100644 --- a/services/pi/pom.xml +++ b/services/pi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT pi AWS Java SDK :: Services :: PI diff --git a/services/pinpoint/pom.xml b/services/pinpoint/pom.xml index ec6409716d6d..d7db3efb9cdb 100644 --- a/services/pinpoint/pom.xml +++ b/services/pinpoint/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT pinpoint AWS Java SDK :: Services :: Amazon Pinpoint diff --git a/services/pinpointemail/pom.xml b/services/pinpointemail/pom.xml index de2cd09acea8..a5fababf0bac 100644 --- a/services/pinpointemail/pom.xml +++ b/services/pinpointemail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT pinpointemail AWS Java SDK :: Services :: Pinpoint Email diff --git a/services/pinpointsmsvoice/pom.xml b/services/pinpointsmsvoice/pom.xml index a818c446df7f..0cefcb74dbac 100644 --- a/services/pinpointsmsvoice/pom.xml +++ b/services/pinpointsmsvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT pinpointsmsvoice AWS Java SDK :: Services :: Pinpoint SMS Voice diff --git a/services/pinpointsmsvoicev2/pom.xml b/services/pinpointsmsvoicev2/pom.xml index 9025f1f9271e..083497bf43eb 100644 --- a/services/pinpointsmsvoicev2/pom.xml +++ b/services/pinpointsmsvoicev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT pinpointsmsvoicev2 AWS Java SDK :: Services :: Pinpoint SMS Voice V2 diff --git a/services/pipes/pom.xml b/services/pipes/pom.xml index ec8c8027ae79..557f74919c50 100644 --- a/services/pipes/pom.xml +++ b/services/pipes/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT pipes AWS Java SDK :: Services :: Pipes diff --git a/services/polly/pom.xml b/services/polly/pom.xml index d6d0883e5b2f..faf637e243a8 100644 --- a/services/polly/pom.xml +++ b/services/polly/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT polly AWS Java SDK :: Services :: Amazon Polly diff --git a/services/pom.xml b/services/pom.xml index aa6f51054cae..d2ed0fe3b677 100644 --- a/services/pom.xml +++ b/services/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.20 + 2.27.21-SNAPSHOT services AWS Java SDK :: Services diff --git a/services/pricing/pom.xml b/services/pricing/pom.xml index 4f861e9130f4..1cf89af92edc 100644 --- a/services/pricing/pom.xml +++ b/services/pricing/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20 + 2.27.21-SNAPSHOT 4.0.0 pricing diff --git a/services/privatenetworks/pom.xml b/services/privatenetworks/pom.xml index 0844d36e43ec..ad3afefda563 100644 --- a/services/privatenetworks/pom.xml +++ b/services/privatenetworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT privatenetworks AWS Java SDK :: Services :: Private Networks diff --git a/services/proton/pom.xml b/services/proton/pom.xml index 56ad961ce99b..ad7d6b2c0f7f 100644 --- a/services/proton/pom.xml +++ b/services/proton/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT proton AWS Java SDK :: Services :: Proton diff --git a/services/qapps/pom.xml b/services/qapps/pom.xml index 069239e41548..82b680d3e393 100644 --- a/services/qapps/pom.xml +++ b/services/qapps/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT qapps AWS Java SDK :: Services :: Q Apps diff --git a/services/qbusiness/pom.xml b/services/qbusiness/pom.xml index b365456029cf..de0cdcc5e3b8 100644 --- a/services/qbusiness/pom.xml +++ b/services/qbusiness/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT qbusiness AWS Java SDK :: Services :: Q Business diff --git a/services/qconnect/pom.xml b/services/qconnect/pom.xml index feb468331897..d3986ac924e3 100644 --- a/services/qconnect/pom.xml +++ b/services/qconnect/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT qconnect AWS Java SDK :: Services :: Q Connect diff --git a/services/qldb/pom.xml b/services/qldb/pom.xml index e3dee19d2e14..ea3c1e4e42a7 100644 --- a/services/qldb/pom.xml +++ b/services/qldb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT qldb AWS Java SDK :: Services :: QLDB diff --git a/services/qldbsession/pom.xml b/services/qldbsession/pom.xml index d69ebeac6191..2c3701b53abc 100644 --- a/services/qldbsession/pom.xml +++ b/services/qldbsession/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT qldbsession AWS Java SDK :: Services :: QLDB Session diff --git a/services/quicksight/pom.xml b/services/quicksight/pom.xml index 130e0050ca02..b0eb4c6e34f3 100644 --- a/services/quicksight/pom.xml +++ b/services/quicksight/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT quicksight AWS Java SDK :: Services :: QuickSight diff --git a/services/ram/pom.xml b/services/ram/pom.xml index 0a821cce2d78..4ef924abad78 100644 --- a/services/ram/pom.xml +++ b/services/ram/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT ram AWS Java SDK :: Services :: RAM diff --git a/services/rbin/pom.xml b/services/rbin/pom.xml index b55dbbe346d9..06249fd0e598 100644 --- a/services/rbin/pom.xml +++ b/services/rbin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT rbin AWS Java SDK :: Services :: Rbin diff --git a/services/rds/pom.xml b/services/rds/pom.xml index f53520643616..16458e4ddb65 100644 --- a/services/rds/pom.xml +++ b/services/rds/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT rds AWS Java SDK :: Services :: Amazon RDS diff --git a/services/rdsdata/pom.xml b/services/rdsdata/pom.xml index c4ee65469bf1..bba77a8934d6 100644 --- a/services/rdsdata/pom.xml +++ b/services/rdsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT rdsdata AWS Java SDK :: Services :: RDS Data diff --git a/services/redshift/pom.xml b/services/redshift/pom.xml index b377145b2c48..266eb56a6856 100644 --- a/services/redshift/pom.xml +++ b/services/redshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT redshift AWS Java SDK :: Services :: Amazon Redshift diff --git a/services/redshiftdata/pom.xml b/services/redshiftdata/pom.xml index 27bd35611d22..ff332bbb8b88 100644 --- a/services/redshiftdata/pom.xml +++ b/services/redshiftdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT redshiftdata AWS Java SDK :: Services :: Redshift Data diff --git a/services/redshiftserverless/pom.xml b/services/redshiftserverless/pom.xml index e5d72951bb05..e2016c775318 100644 --- a/services/redshiftserverless/pom.xml +++ b/services/redshiftserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT redshiftserverless AWS Java SDK :: Services :: Redshift Serverless diff --git a/services/rekognition/pom.xml b/services/rekognition/pom.xml index 491f813296cb..3e9118e4bf3e 100644 --- a/services/rekognition/pom.xml +++ b/services/rekognition/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT rekognition AWS Java SDK :: Services :: Amazon Rekognition diff --git a/services/repostspace/pom.xml b/services/repostspace/pom.xml index 4fb9e2e9182c..30bb586c9a79 100644 --- a/services/repostspace/pom.xml +++ b/services/repostspace/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT repostspace AWS Java SDK :: Services :: Repostspace diff --git a/services/resiliencehub/pom.xml b/services/resiliencehub/pom.xml index b16b678340ea..459d1a3344ef 100644 --- a/services/resiliencehub/pom.xml +++ b/services/resiliencehub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT resiliencehub AWS Java SDK :: Services :: Resiliencehub diff --git a/services/resourceexplorer2/pom.xml b/services/resourceexplorer2/pom.xml index 545a7d5f7c19..321e790b72c8 100644 --- a/services/resourceexplorer2/pom.xml +++ b/services/resourceexplorer2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT resourceexplorer2 AWS Java SDK :: Services :: Resource Explorer 2 diff --git a/services/resourcegroups/pom.xml b/services/resourcegroups/pom.xml index 6100cd419188..8c6d0ab715b3 100644 --- a/services/resourcegroups/pom.xml +++ b/services/resourcegroups/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20 + 2.27.21-SNAPSHOT 4.0.0 resourcegroups diff --git a/services/resourcegroupstaggingapi/pom.xml b/services/resourcegroupstaggingapi/pom.xml index 84c01cf445c4..2d11beb3f3ad 100644 --- a/services/resourcegroupstaggingapi/pom.xml +++ b/services/resourcegroupstaggingapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT resourcegroupstaggingapi AWS Java SDK :: Services :: AWS Resource Groups Tagging API diff --git a/services/robomaker/pom.xml b/services/robomaker/pom.xml index f73926795500..0a7c3911a73d 100644 --- a/services/robomaker/pom.xml +++ b/services/robomaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT robomaker AWS Java SDK :: Services :: RoboMaker diff --git a/services/rolesanywhere/pom.xml b/services/rolesanywhere/pom.xml index 18a361a4f898..e7a09caf432c 100644 --- a/services/rolesanywhere/pom.xml +++ b/services/rolesanywhere/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT rolesanywhere AWS Java SDK :: Services :: Roles Anywhere diff --git a/services/route53/pom.xml b/services/route53/pom.xml index 88b0941b505d..ca0b1d7a5812 100644 --- a/services/route53/pom.xml +++ b/services/route53/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT route53 AWS Java SDK :: Services :: Amazon Route53 diff --git a/services/route53domains/pom.xml b/services/route53domains/pom.xml index 9cc39b2549c1..bf911243e094 100644 --- a/services/route53domains/pom.xml +++ b/services/route53domains/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT route53domains AWS Java SDK :: Services :: Amazon Route53 Domains diff --git a/services/route53profiles/pom.xml b/services/route53profiles/pom.xml index 860fce9f46e8..6aa1e5a9b11a 100644 --- a/services/route53profiles/pom.xml +++ b/services/route53profiles/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT route53profiles AWS Java SDK :: Services :: Route53 Profiles diff --git a/services/route53recoverycluster/pom.xml b/services/route53recoverycluster/pom.xml index 0641796942e0..f6287f05fccc 100644 --- a/services/route53recoverycluster/pom.xml +++ b/services/route53recoverycluster/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT route53recoverycluster AWS Java SDK :: Services :: Route53 Recovery Cluster diff --git a/services/route53recoverycontrolconfig/pom.xml b/services/route53recoverycontrolconfig/pom.xml index c4270fd6a49c..4929cdba7acd 100644 --- a/services/route53recoverycontrolconfig/pom.xml +++ b/services/route53recoverycontrolconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT route53recoverycontrolconfig AWS Java SDK :: Services :: Route53 Recovery Control Config diff --git a/services/route53recoveryreadiness/pom.xml b/services/route53recoveryreadiness/pom.xml index 6e722577821a..64fc6e59213a 100644 --- a/services/route53recoveryreadiness/pom.xml +++ b/services/route53recoveryreadiness/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT route53recoveryreadiness AWS Java SDK :: Services :: Route53 Recovery Readiness diff --git a/services/route53resolver/pom.xml b/services/route53resolver/pom.xml index 9f1f0cba15a1..d0a64a3ff39d 100644 --- a/services/route53resolver/pom.xml +++ b/services/route53resolver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT route53resolver AWS Java SDK :: Services :: Route53Resolver diff --git a/services/rum/pom.xml b/services/rum/pom.xml index a3a7c32131c6..297f965b0988 100644 --- a/services/rum/pom.xml +++ b/services/rum/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT rum AWS Java SDK :: Services :: RUM diff --git a/services/s3/pom.xml b/services/s3/pom.xml index 74111fad4d04..afbeaca16362 100644 --- a/services/s3/pom.xml +++ b/services/s3/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT s3 AWS Java SDK :: Services :: Amazon S3 diff --git a/services/s3control/pom.xml b/services/s3control/pom.xml index d25042333161..578e44cdf4fc 100644 --- a/services/s3control/pom.xml +++ b/services/s3control/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT s3control AWS Java SDK :: Services :: Amazon S3 Control diff --git a/services/s3outposts/pom.xml b/services/s3outposts/pom.xml index 3982fd18be0f..b3357853a654 100644 --- a/services/s3outposts/pom.xml +++ b/services/s3outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT s3outposts AWS Java SDK :: Services :: S3 Outposts diff --git a/services/sagemaker/pom.xml b/services/sagemaker/pom.xml index 16c875249c70..17658a8a1946 100644 --- a/services/sagemaker/pom.xml +++ b/services/sagemaker/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20 + 2.27.21-SNAPSHOT 4.0.0 sagemaker diff --git a/services/sagemakera2iruntime/pom.xml b/services/sagemakera2iruntime/pom.xml index 90e99762604c..bc931cbec02e 100644 --- a/services/sagemakera2iruntime/pom.xml +++ b/services/sagemakera2iruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT sagemakera2iruntime AWS Java SDK :: Services :: SageMaker A2I Runtime diff --git a/services/sagemakeredge/pom.xml b/services/sagemakeredge/pom.xml index 33b8be412f3c..70d9b4c87b29 100644 --- a/services/sagemakeredge/pom.xml +++ b/services/sagemakeredge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT sagemakeredge AWS Java SDK :: Services :: Sagemaker Edge diff --git a/services/sagemakerfeaturestoreruntime/pom.xml b/services/sagemakerfeaturestoreruntime/pom.xml index 30121a5cb05f..7459b77c55c9 100644 --- a/services/sagemakerfeaturestoreruntime/pom.xml +++ b/services/sagemakerfeaturestoreruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT sagemakerfeaturestoreruntime AWS Java SDK :: Services :: Sage Maker Feature Store Runtime diff --git a/services/sagemakergeospatial/pom.xml b/services/sagemakergeospatial/pom.xml index d3364513ef19..aae19a552ee6 100644 --- a/services/sagemakergeospatial/pom.xml +++ b/services/sagemakergeospatial/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT sagemakergeospatial AWS Java SDK :: Services :: Sage Maker Geospatial diff --git a/services/sagemakermetrics/pom.xml b/services/sagemakermetrics/pom.xml index b2e77a89ea68..5a423adaced3 100644 --- a/services/sagemakermetrics/pom.xml +++ b/services/sagemakermetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT sagemakermetrics AWS Java SDK :: Services :: Sage Maker Metrics diff --git a/services/sagemakerruntime/pom.xml b/services/sagemakerruntime/pom.xml index f9f96fe47c07..728f17874178 100644 --- a/services/sagemakerruntime/pom.xml +++ b/services/sagemakerruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT sagemakerruntime AWS Java SDK :: Services :: SageMaker Runtime diff --git a/services/savingsplans/pom.xml b/services/savingsplans/pom.xml index a04495554594..3838a3e83b7d 100644 --- a/services/savingsplans/pom.xml +++ b/services/savingsplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT savingsplans AWS Java SDK :: Services :: Savingsplans diff --git a/services/scheduler/pom.xml b/services/scheduler/pom.xml index 90947297f5aa..ba03ed8f7bbe 100644 --- a/services/scheduler/pom.xml +++ b/services/scheduler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT scheduler AWS Java SDK :: Services :: Scheduler diff --git a/services/schemas/pom.xml b/services/schemas/pom.xml index 0b73e2e0ea80..ae5192657a47 100644 --- a/services/schemas/pom.xml +++ b/services/schemas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT schemas AWS Java SDK :: Services :: Schemas diff --git a/services/secretsmanager/pom.xml b/services/secretsmanager/pom.xml index 372196f18f1c..0c0809436e44 100644 --- a/services/secretsmanager/pom.xml +++ b/services/secretsmanager/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT secretsmanager AWS Java SDK :: Services :: AWS Secrets Manager diff --git a/services/securityhub/pom.xml b/services/securityhub/pom.xml index 5959f057607d..303cc27869ae 100644 --- a/services/securityhub/pom.xml +++ b/services/securityhub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT securityhub AWS Java SDK :: Services :: SecurityHub diff --git a/services/securitylake/pom.xml b/services/securitylake/pom.xml index 674666f35b6b..2a73334435b9 100644 --- a/services/securitylake/pom.xml +++ b/services/securitylake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT securitylake AWS Java SDK :: Services :: Security Lake diff --git a/services/serverlessapplicationrepository/pom.xml b/services/serverlessapplicationrepository/pom.xml index 554c598fdc41..5ef13360365d 100644 --- a/services/serverlessapplicationrepository/pom.xml +++ b/services/serverlessapplicationrepository/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20 + 2.27.21-SNAPSHOT 4.0.0 serverlessapplicationrepository diff --git a/services/servicecatalog/pom.xml b/services/servicecatalog/pom.xml index 8af002fd1888..a6abf1987b2e 100644 --- a/services/servicecatalog/pom.xml +++ b/services/servicecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT servicecatalog AWS Java SDK :: Services :: AWS Service Catalog diff --git a/services/servicecatalogappregistry/pom.xml b/services/servicecatalogappregistry/pom.xml index f0cd8c3d2834..03703ebd2c45 100644 --- a/services/servicecatalogappregistry/pom.xml +++ b/services/servicecatalogappregistry/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT servicecatalogappregistry AWS Java SDK :: Services :: Service Catalog App Registry diff --git a/services/servicediscovery/pom.xml b/services/servicediscovery/pom.xml index 2a8e07ddcebe..ca22c7cfceee 100644 --- a/services/servicediscovery/pom.xml +++ b/services/servicediscovery/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20 + 2.27.21-SNAPSHOT 4.0.0 servicediscovery diff --git a/services/servicequotas/pom.xml b/services/servicequotas/pom.xml index 2d2be015227a..bd64b52c8403 100644 --- a/services/servicequotas/pom.xml +++ b/services/servicequotas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT servicequotas AWS Java SDK :: Services :: Service Quotas diff --git a/services/ses/pom.xml b/services/ses/pom.xml index 613dc0759363..f286935639f8 100644 --- a/services/ses/pom.xml +++ b/services/ses/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT ses AWS Java SDK :: Services :: Amazon SES diff --git a/services/sesv2/pom.xml b/services/sesv2/pom.xml index 5235203cf509..4ed66e3dc2f7 100644 --- a/services/sesv2/pom.xml +++ b/services/sesv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT sesv2 AWS Java SDK :: Services :: SESv2 diff --git a/services/sfn/pom.xml b/services/sfn/pom.xml index 700a87b83867..55ea2139336b 100644 --- a/services/sfn/pom.xml +++ b/services/sfn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT sfn AWS Java SDK :: Services :: AWS Step Functions diff --git a/services/shield/pom.xml b/services/shield/pom.xml index de5b885e331b..9eee51a43010 100644 --- a/services/shield/pom.xml +++ b/services/shield/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT shield AWS Java SDK :: Services :: AWS Shield diff --git a/services/signer/pom.xml b/services/signer/pom.xml index c5f17abffe84..05a0dc0a93c9 100644 --- a/services/signer/pom.xml +++ b/services/signer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT signer AWS Java SDK :: Services :: Signer diff --git a/services/simspaceweaver/pom.xml b/services/simspaceweaver/pom.xml index 965931da8e05..9a6690d80f64 100644 --- a/services/simspaceweaver/pom.xml +++ b/services/simspaceweaver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT simspaceweaver AWS Java SDK :: Services :: Sim Space Weaver diff --git a/services/sms/pom.xml b/services/sms/pom.xml index aa229ffd264d..a93efc423ea0 100644 --- a/services/sms/pom.xml +++ b/services/sms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT sms AWS Java SDK :: Services :: AWS Server Migration diff --git a/services/snowball/pom.xml b/services/snowball/pom.xml index 325b3f057482..0bc373161871 100644 --- a/services/snowball/pom.xml +++ b/services/snowball/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT snowball AWS Java SDK :: Services :: Amazon Snowball diff --git a/services/snowdevicemanagement/pom.xml b/services/snowdevicemanagement/pom.xml index 879e4c020e4c..c1b8d23bb38a 100644 --- a/services/snowdevicemanagement/pom.xml +++ b/services/snowdevicemanagement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT snowdevicemanagement AWS Java SDK :: Services :: Snow Device Management diff --git a/services/sns/pom.xml b/services/sns/pom.xml index d48fad3f1129..07b07025c9f6 100644 --- a/services/sns/pom.xml +++ b/services/sns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT sns AWS Java SDK :: Services :: Amazon SNS diff --git a/services/sqs/pom.xml b/services/sqs/pom.xml index 564a31512f61..0d3a6d46e220 100644 --- a/services/sqs/pom.xml +++ b/services/sqs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT sqs AWS Java SDK :: Services :: Amazon SQS diff --git a/services/ssm/pom.xml b/services/ssm/pom.xml index 0452e1395350..7034ae13728d 100644 --- a/services/ssm/pom.xml +++ b/services/ssm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT ssm AWS Java SDK :: Services :: AWS Simple Systems Management (SSM) diff --git a/services/ssmcontacts/pom.xml b/services/ssmcontacts/pom.xml index 1474963caba9..7a7b05008f25 100644 --- a/services/ssmcontacts/pom.xml +++ b/services/ssmcontacts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT ssmcontacts AWS Java SDK :: Services :: SSM Contacts diff --git a/services/ssmincidents/pom.xml b/services/ssmincidents/pom.xml index ecd4900fadf7..e5bebd87530b 100644 --- a/services/ssmincidents/pom.xml +++ b/services/ssmincidents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT ssmincidents AWS Java SDK :: Services :: SSM Incidents diff --git a/services/ssmquicksetup/pom.xml b/services/ssmquicksetup/pom.xml index f4ffa7b86a8d..c8790831d6c5 100644 --- a/services/ssmquicksetup/pom.xml +++ b/services/ssmquicksetup/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT ssmquicksetup AWS Java SDK :: Services :: SSM Quick Setup diff --git a/services/ssmsap/pom.xml b/services/ssmsap/pom.xml index 026eb9b8c7d0..8600c29d675d 100644 --- a/services/ssmsap/pom.xml +++ b/services/ssmsap/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT ssmsap AWS Java SDK :: Services :: Ssm Sap diff --git a/services/sso/pom.xml b/services/sso/pom.xml index ec4e8fca8735..26ba34a2695f 100644 --- a/services/sso/pom.xml +++ b/services/sso/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT sso AWS Java SDK :: Services :: SSO diff --git a/services/ssoadmin/pom.xml b/services/ssoadmin/pom.xml index cc3a6ee36d3a..2522192060d8 100644 --- a/services/ssoadmin/pom.xml +++ b/services/ssoadmin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT ssoadmin AWS Java SDK :: Services :: SSO Admin diff --git a/services/ssooidc/pom.xml b/services/ssooidc/pom.xml index 0c3d159b90c3..d1a5e7b67d46 100644 --- a/services/ssooidc/pom.xml +++ b/services/ssooidc/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT ssooidc AWS Java SDK :: Services :: SSO OIDC diff --git a/services/storagegateway/pom.xml b/services/storagegateway/pom.xml index ef26dc38a600..5ca6bdc4553a 100644 --- a/services/storagegateway/pom.xml +++ b/services/storagegateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT storagegateway AWS Java SDK :: Services :: AWS Storage Gateway diff --git a/services/sts/pom.xml b/services/sts/pom.xml index 0449724ea66f..ad1d972ea2dd 100644 --- a/services/sts/pom.xml +++ b/services/sts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT sts AWS Java SDK :: Services :: AWS STS diff --git a/services/supplychain/pom.xml b/services/supplychain/pom.xml index c9d7b408f541..0fee3a0a370d 100644 --- a/services/supplychain/pom.xml +++ b/services/supplychain/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT supplychain AWS Java SDK :: Services :: Supply Chain diff --git a/services/support/pom.xml b/services/support/pom.xml index 2e45552bdb30..9d46692f3c4d 100644 --- a/services/support/pom.xml +++ b/services/support/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT support AWS Java SDK :: Services :: AWS Support diff --git a/services/supportapp/pom.xml b/services/supportapp/pom.xml index 59df30a1f2f0..0233fa4d9c70 100644 --- a/services/supportapp/pom.xml +++ b/services/supportapp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT supportapp AWS Java SDK :: Services :: Support App diff --git a/services/swf/pom.xml b/services/swf/pom.xml index 08013ad853ca..4c434fc7303e 100644 --- a/services/swf/pom.xml +++ b/services/swf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT swf AWS Java SDK :: Services :: Amazon SWF diff --git a/services/synthetics/pom.xml b/services/synthetics/pom.xml index 63c7c84c6101..584703f284a8 100644 --- a/services/synthetics/pom.xml +++ b/services/synthetics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT synthetics AWS Java SDK :: Services :: Synthetics diff --git a/services/taxsettings/pom.xml b/services/taxsettings/pom.xml index 13f4e1e76bda..2e38ac29249f 100644 --- a/services/taxsettings/pom.xml +++ b/services/taxsettings/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT taxsettings AWS Java SDK :: Services :: Tax Settings diff --git a/services/textract/pom.xml b/services/textract/pom.xml index 15e027a05af5..72440b9f0989 100644 --- a/services/textract/pom.xml +++ b/services/textract/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT textract AWS Java SDK :: Services :: Textract diff --git a/services/timestreaminfluxdb/pom.xml b/services/timestreaminfluxdb/pom.xml index 819ed148ac36..efa1e919cdf3 100644 --- a/services/timestreaminfluxdb/pom.xml +++ b/services/timestreaminfluxdb/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT timestreaminfluxdb AWS Java SDK :: Services :: Timestream Influx DB diff --git a/services/timestreamquery/pom.xml b/services/timestreamquery/pom.xml index 0c4edfe01595..4ab2a99e17f1 100644 --- a/services/timestreamquery/pom.xml +++ b/services/timestreamquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT timestreamquery AWS Java SDK :: Services :: Timestream Query diff --git a/services/timestreamwrite/pom.xml b/services/timestreamwrite/pom.xml index 0c82b810d3aa..794eecab0340 100644 --- a/services/timestreamwrite/pom.xml +++ b/services/timestreamwrite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT timestreamwrite AWS Java SDK :: Services :: Timestream Write diff --git a/services/tnb/pom.xml b/services/tnb/pom.xml index 7febe14b1722..137710ceea52 100644 --- a/services/tnb/pom.xml +++ b/services/tnb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT tnb AWS Java SDK :: Services :: Tnb diff --git a/services/transcribe/pom.xml b/services/transcribe/pom.xml index 747ac40a58e7..ec2cabc0a59e 100644 --- a/services/transcribe/pom.xml +++ b/services/transcribe/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT transcribe AWS Java SDK :: Services :: Transcribe diff --git a/services/transcribestreaming/pom.xml b/services/transcribestreaming/pom.xml index d23101d84051..2f87e44c190b 100644 --- a/services/transcribestreaming/pom.xml +++ b/services/transcribestreaming/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT transcribestreaming AWS Java SDK :: Services :: AWS Transcribe Streaming diff --git a/services/transfer/pom.xml b/services/transfer/pom.xml index 851be8dc0c5f..c7f46e8e1d43 100644 --- a/services/transfer/pom.xml +++ b/services/transfer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT transfer AWS Java SDK :: Services :: Transfer diff --git a/services/translate/pom.xml b/services/translate/pom.xml index 62643854668b..9c0ee51a3623 100644 --- a/services/translate/pom.xml +++ b/services/translate/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20 + 2.27.21-SNAPSHOT 4.0.0 translate diff --git a/services/trustedadvisor/pom.xml b/services/trustedadvisor/pom.xml index ad6a40e82bf4..125344ef6a06 100644 --- a/services/trustedadvisor/pom.xml +++ b/services/trustedadvisor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT trustedadvisor AWS Java SDK :: Services :: Trusted Advisor diff --git a/services/verifiedpermissions/pom.xml b/services/verifiedpermissions/pom.xml index 50fb8f8a7c1e..3020c60bbab7 100644 --- a/services/verifiedpermissions/pom.xml +++ b/services/verifiedpermissions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT verifiedpermissions AWS Java SDK :: Services :: Verified Permissions diff --git a/services/voiceid/pom.xml b/services/voiceid/pom.xml index 2536bc7fcf2f..b8ee5045c987 100644 --- a/services/voiceid/pom.xml +++ b/services/voiceid/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT voiceid AWS Java SDK :: Services :: Voice ID diff --git a/services/vpclattice/pom.xml b/services/vpclattice/pom.xml index 01a9eb82efd0..39b2bbf5c2c5 100644 --- a/services/vpclattice/pom.xml +++ b/services/vpclattice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT vpclattice AWS Java SDK :: Services :: VPC Lattice diff --git a/services/waf/pom.xml b/services/waf/pom.xml index c2e20ec30266..a37f5cabcab8 100644 --- a/services/waf/pom.xml +++ b/services/waf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT waf AWS Java SDK :: Services :: AWS WAF diff --git a/services/wafv2/pom.xml b/services/wafv2/pom.xml index 1a52351b46f4..bf7178242757 100644 --- a/services/wafv2/pom.xml +++ b/services/wafv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT wafv2 AWS Java SDK :: Services :: WAFV2 diff --git a/services/wellarchitected/pom.xml b/services/wellarchitected/pom.xml index 859e99cf6a37..c702702a2e7e 100644 --- a/services/wellarchitected/pom.xml +++ b/services/wellarchitected/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT wellarchitected AWS Java SDK :: Services :: Well Architected diff --git a/services/wisdom/pom.xml b/services/wisdom/pom.xml index b48f755a6dc7..e086efa1affb 100644 --- a/services/wisdom/pom.xml +++ b/services/wisdom/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT wisdom AWS Java SDK :: Services :: Wisdom diff --git a/services/workdocs/pom.xml b/services/workdocs/pom.xml index f7525cadbd04..bfe7e064ba7a 100644 --- a/services/workdocs/pom.xml +++ b/services/workdocs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT workdocs AWS Java SDK :: Services :: Amazon WorkDocs diff --git a/services/worklink/pom.xml b/services/worklink/pom.xml index ebe5c3823300..478373f2edfd 100644 --- a/services/worklink/pom.xml +++ b/services/worklink/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT worklink AWS Java SDK :: Services :: WorkLink diff --git a/services/workmail/pom.xml b/services/workmail/pom.xml index 79f6d88a5a30..513a6087a03a 100644 --- a/services/workmail/pom.xml +++ b/services/workmail/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.20 + 2.27.21-SNAPSHOT 4.0.0 workmail diff --git a/services/workmailmessageflow/pom.xml b/services/workmailmessageflow/pom.xml index 6e7d5b3ab8cf..0221b2101999 100644 --- a/services/workmailmessageflow/pom.xml +++ b/services/workmailmessageflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT workmailmessageflow AWS Java SDK :: Services :: WorkMailMessageFlow diff --git a/services/workspaces/pom.xml b/services/workspaces/pom.xml index 007e4e88e4eb..bed4827a08c8 100644 --- a/services/workspaces/pom.xml +++ b/services/workspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT workspaces AWS Java SDK :: Services :: Amazon WorkSpaces diff --git a/services/workspacesthinclient/pom.xml b/services/workspacesthinclient/pom.xml index 8bc3cd52cedf..08552b6005ac 100644 --- a/services/workspacesthinclient/pom.xml +++ b/services/workspacesthinclient/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT workspacesthinclient AWS Java SDK :: Services :: Work Spaces Thin Client diff --git a/services/workspacesweb/pom.xml b/services/workspacesweb/pom.xml index 0ed328c706d6..e34ee482cdbb 100644 --- a/services/workspacesweb/pom.xml +++ b/services/workspacesweb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT workspacesweb AWS Java SDK :: Services :: Work Spaces Web diff --git a/services/xray/pom.xml b/services/xray/pom.xml index 1cee3824ab1c..a4edcea4b7e5 100644 --- a/services/xray/pom.xml +++ b/services/xray/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.20 + 2.27.21-SNAPSHOT xray AWS Java SDK :: Services :: AWS X-Ray diff --git a/test/auth-tests/pom.xml b/test/auth-tests/pom.xml index 9369bcfa44ef..6fda5a867585 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.27.20 + 2.27.21-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/bundle-logging-bridge-binding-test/pom.xml b/test/bundle-logging-bridge-binding-test/pom.xml index 2034be847aee..929d34630c29 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.27.20 + 2.27.21-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/bundle-shading-tests/pom.xml b/test/bundle-shading-tests/pom.xml index 47c134e947c4..d2e0a9889ff0 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.27.20 + 2.27.21-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/codegen-generated-classes-test/pom.xml b/test/codegen-generated-classes-test/pom.xml index aa855f05cc70..bc2c4c6a1190 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.27.20 + 2.27.21-SNAPSHOT ../../pom.xml diff --git a/test/crt-unavailable-tests/pom.xml b/test/crt-unavailable-tests/pom.xml index 3ae61e5ffce3..831968cd4113 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.27.20 + 2.27.21-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/http-client-tests/pom.xml b/test/http-client-tests/pom.xml index 6509f2f47cb1..45779b88760c 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.27.20 + 2.27.21-SNAPSHOT ../../pom.xml http-client-tests diff --git a/test/module-path-tests/pom.xml b/test/module-path-tests/pom.xml index ac2624c66ba4..c7a385f7f8d1 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.27.20 + 2.27.21-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/old-client-version-compatibility-test/pom.xml b/test/old-client-version-compatibility-test/pom.xml index d1266cadf306..7f00272f32ab 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.27.20 + 2.27.21-SNAPSHOT ../../pom.xml diff --git a/test/protocol-tests-core/pom.xml b/test/protocol-tests-core/pom.xml index 15c7d3a803f5..bb2fa1878797 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.27.20 + 2.27.21-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/protocol-tests/pom.xml b/test/protocol-tests/pom.xml index 78299b838f51..729b11e48b03 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.27.20 + 2.27.21-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/region-testing/pom.xml b/test/region-testing/pom.xml index bcfa6016fb5f..8fef34cb0df4 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.27.20 + 2.27.21-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/ruleset-testing-core/pom.xml b/test/ruleset-testing-core/pom.xml index a1281baf98d9..b131638917f8 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.27.20 + 2.27.21-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/s3-benchmarks/pom.xml b/test/s3-benchmarks/pom.xml index ce57d3f35b93..1fd10b027e3b 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.27.20 + 2.27.21-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/sdk-benchmarks/pom.xml b/test/sdk-benchmarks/pom.xml index af11cd968737..af321e158dd7 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.27.20 + 2.27.21-SNAPSHOT ../../pom.xml diff --git a/test/sdk-native-image-test/pom.xml b/test/sdk-native-image-test/pom.xml index 7239bc51a4a3..9b84875613f4 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.27.20 + 2.27.21-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/service-test-utils/pom.xml b/test/service-test-utils/pom.xml index 8cd6e3021cc8..075df0237a7d 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.27.20 + 2.27.21-SNAPSHOT ../../pom.xml service-test-utils diff --git a/test/stability-tests/pom.xml b/test/stability-tests/pom.xml index 45fdaca5c6a0..36fa53130ea0 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.27.20 + 2.27.21-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/test-utils/pom.xml b/test/test-utils/pom.xml index 7e41fd537eeb..b9b39f1705db 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.27.20 + 2.27.21-SNAPSHOT ../../pom.xml test-utils diff --git a/test/tests-coverage-reporting/pom.xml b/test/tests-coverage-reporting/pom.xml index bc1caafa79d3..13509e5fd3f6 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.27.20 + 2.27.21-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/v2-migration-tests/pom.xml b/test/v2-migration-tests/pom.xml index 97f7f0ef7534..f16fda2de05a 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.27.20 + 2.27.21-SNAPSHOT ../.. diff --git a/third-party/pom.xml b/third-party/pom.xml index c200630851f1..e5e6152a7ff1 100644 --- a/third-party/pom.xml +++ b/third-party/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.20 + 2.27.21-SNAPSHOT third-party diff --git a/third-party/third-party-jackson-core/pom.xml b/third-party/third-party-jackson-core/pom.xml index 2c772af02874..fce77f94137e 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.27.20 + 2.27.21-SNAPSHOT 4.0.0 diff --git a/third-party/third-party-jackson-dataformat-cbor/pom.xml b/third-party/third-party-jackson-dataformat-cbor/pom.xml index 634c8f410390..f17dfd1977dc 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.27.20 + 2.27.21-SNAPSHOT 4.0.0 diff --git a/third-party/third-party-slf4j-api/pom.xml b/third-party/third-party-slf4j-api/pom.xml index f5c7d3f7261d..bfd509f07319 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.27.20 + 2.27.21-SNAPSHOT 4.0.0 diff --git a/utils/pom.xml b/utils/pom.xml index cab1a0c3fcf8..ce90566afbd9 100644 --- a/utils/pom.xml +++ b/utils/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.20 + 2.27.21-SNAPSHOT 4.0.0 diff --git a/v2-migration/pom.xml b/v2-migration/pom.xml index b929214fa144..ee999d8df3e4 100644 --- a/v2-migration/pom.xml +++ b/v2-migration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.20 + 2.27.21-SNAPSHOT ../pom.xml From b0b230fdfa47d6f594a32315458e4da707a64106 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Fri, 6 Sep 2024 18:07:57 +0000 Subject: [PATCH 030/108] QApps Update: Adds UpdateLibraryItemMetadata api to change status of app for admin verification feature and returns isVerified field in any api returning the app or library item. --- .../next-release/feature-QApps-4fe99b9.json | 6 ++ .../codegen-resources/service-2.json | 73 ++++++++++++++++++- 2 files changed, 76 insertions(+), 3 deletions(-) create mode 100644 .changes/next-release/feature-QApps-4fe99b9.json diff --git a/.changes/next-release/feature-QApps-4fe99b9.json b/.changes/next-release/feature-QApps-4fe99b9.json new file mode 100644 index 000000000000..f08d2d406761 --- /dev/null +++ b/.changes/next-release/feature-QApps-4fe99b9.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "QApps", + "contributor": "", + "description": "Adds UpdateLibraryItemMetadata api to change status of app for admin verification feature and returns isVerified field in any api returning the app or library item." +} diff --git a/services/qapps/src/main/resources/codegen-resources/service-2.json b/services/qapps/src/main/resources/codegen-resources/service-2.json index bdda103f4c8c..cce8be26c806 100644 --- a/services/qapps/src/main/resources/codegen-resources/service-2.json +++ b/services/qapps/src/main/resources/codegen-resources/service-2.json @@ -24,6 +24,7 @@ "errors":[ {"shape":"ResourceNotFoundException"}, {"shape":"AccessDeniedException"}, + {"shape":"ConflictException"}, {"shape":"ValidationException"}, {"shape":"InternalServerException"}, {"shape":"UnauthorizedException"}, @@ -142,6 +143,7 @@ "errors":[ {"shape":"ResourceNotFoundException"}, {"shape":"AccessDeniedException"}, + {"shape":"ConflictException"}, {"shape":"ValidationException"}, {"shape":"InternalServerException"}, {"shape":"UnauthorizedException"}, @@ -410,12 +412,33 @@ "errors":[ {"shape":"ResourceNotFoundException"}, {"shape":"AccessDeniedException"}, + {"shape":"ConflictException"}, {"shape":"ValidationException"}, {"shape":"InternalServerException"}, {"shape":"UnauthorizedException"}, {"shape":"ThrottlingException"} ], - "documentation":"

Updates the metadata and status of a library item for an Amazon Q App.

" + "documentation":"

Updates the library item for an Amazon Q App.

" + }, + "UpdateLibraryItemMetadata":{ + "name":"UpdateLibraryItemMetadata", + "http":{ + "method":"POST", + "requestUri":"/catalog.updateItemMetadata", + "responseCode":200 + }, + "input":{"shape":"UpdateLibraryItemMetadataInput"}, + "errors":[ + {"shape":"ResourceNotFoundException"}, + {"shape":"AccessDeniedException"}, + {"shape":"ConflictException"}, + {"shape":"ValidationException"}, + {"shape":"InternalServerException"}, + {"shape":"UnauthorizedException"}, + {"shape":"ThrottlingException"} + ], + "documentation":"

Updates the verification status of a library item for an Amazon Q App.

", + "idempotent":true }, "UpdateQApp":{ "name":"UpdateQApp", @@ -929,6 +952,10 @@ "ratingCount":{ "shape":"Integer", "documentation":"

The number of ratings the library item has received from users.

" + }, + "isVerified":{ + "shape":"Boolean", + "documentation":"

Indicates whether the library item has been verified.

" } } }, @@ -1356,6 +1383,10 @@ "userCount":{ "shape":"Integer", "documentation":"

The number of users who have associated the Q App with their account.

" + }, + "isVerified":{ + "shape":"Boolean", + "documentation":"

Indicates whether the library item has been verified.

" } } }, @@ -1641,6 +1672,10 @@ "userCount":{ "shape":"Integer", "documentation":"

The number of users who have the associated Q App.

" + }, + "isVerified":{ + "shape":"Boolean", + "documentation":"

Indicates whether the library item has been verified.

" } }, "documentation":"

A library item is a snapshot of an Amazon Q App that can be published so the users in their Amazon Q Apps library can discover it, clone it, and run it.

" @@ -2327,7 +2362,8 @@ "Title":{ "type":"string", "max":100, - "min":0 + "min":0, + "pattern":"[^{}\\\\\"<>]+" }, "UUID":{ "type":"string", @@ -2399,6 +2435,29 @@ } } }, + "UpdateLibraryItemMetadataInput":{ + "type":"structure", + "required":[ + "instanceId", + "libraryItemId" + ], + "members":{ + "instanceId":{ + "shape":"InstanceId", + "documentation":"

The unique identifier of the Amazon Q Business application environment instance.

", + "location":"header", + "locationName":"instance-id" + }, + "libraryItemId":{ + "shape":"UUID", + "documentation":"

The unique identifier of the updated library item.

" + }, + "isVerified":{ + "shape":"Boolean", + "documentation":"

The verification status of the library item

" + } + } + }, "UpdateLibraryItemOutput":{ "type":"structure", "required":[ @@ -2459,6 +2518,10 @@ "userCount":{ "shape":"Integer", "documentation":"

The number of users who have the associated Q App.

" + }, + "isVerified":{ + "shape":"Boolean", + "documentation":"

Indicates whether the library item has been verified.

" } } }, @@ -2633,6 +2696,10 @@ "status":{ "shape":"String", "documentation":"

The status of the user's association with the Q App.

" + }, + "isVerified":{ + "shape":"Boolean", + "documentation":"

Indicates whether the Q App has been verified.

" } }, "documentation":"

An Amazon Q App associated with a user, either owned by the user or favorited.

" @@ -2655,5 +2722,5 @@ "exception":true } }, - "documentation":"

The Amazon Q Apps feature capability within Amazon Q Business allows web experience users to create lightweight, purpose-built AI apps to fulfill specific tasks from within their web experience. For example, users can create an Q Appthat exclusively generates marketing-related content to improve your marketing team's productivity or a Q App for marketing content-generation like writing customer emails and creating promotional content using a certain style of voice, tone, and branding. For more information, see Amazon Q App in the Amazon Q Business User Guide.

" + "documentation":"

The Amazon Q Apps feature capability within Amazon Q Business allows web experience users to create lightweight, purpose-built AI apps to fulfill specific tasks from within their web experience. For example, users can create a Q App that exclusively generates marketing-related content to improve your marketing team's productivity or a Q App for writing customer emails and creating promotional content using a certain style of voice, tone, and branding. For more information on the capabilities, see Amazon Q Apps capabilities in the Amazon Q Business User Guide.

For an overview of the Amazon Q App APIs, see Overview of Amazon Q Apps API operations.

For information about the IAM access control permissions you need to use the Amazon Q Apps API, see IAM role for the Amazon Q Business web experience including Amazon Q Apps in the Amazon Q Business User Guide.

" } From 0322288a1e7e2bcaa70a72131c8a0504f5d9096a Mon Sep 17 00:00:00 2001 From: AWS <> Date: Fri, 6 Sep 2024 18:09:07 +0000 Subject: [PATCH 031/108] Updated endpoints.json and partitions.json. --- .../feature-AWSSDKforJavav2-0443982.json | 6 + .../regions/internal/region/endpoints.json | 262 ++++++++++++++++-- 2 files changed, 243 insertions(+), 25 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 73b271303c84..f3745188fe58 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 @@ -2020,6 +2020,21 @@ "us-west-2" : { } } }, + "apptest" : { + "endpoints" : { + "ap-southeast-2" : { }, + "eu-central-1" : { }, + "fips-us-east-1" : { + "deprecated" : true + }, + "sa-east-1" : { }, + "us-east-1" : { + "variants" : [ { + "tags" : [ "fips" ] + } ] + } + } + }, "aps" : { "defaults" : { "protocols" : [ "https" ] @@ -6859,22 +6874,102 @@ }, "elasticbeanstalk" : { "endpoints" : { - "af-south-1" : { }, - "ap-east-1" : { }, - "ap-northeast-1" : { }, - "ap-northeast-2" : { }, - "ap-northeast-3" : { }, - "ap-south-1" : { }, - "ap-southeast-1" : { }, - "ap-southeast-2" : { }, - "ap-southeast-3" : { }, - "ca-central-1" : { }, - "eu-central-1" : { }, - "eu-north-1" : { }, - "eu-south-1" : { }, - "eu-west-1" : { }, - "eu-west-2" : { }, - "eu-west-3" : { }, + "af-south-1" : { + "variants" : [ { + "hostname" : "elasticbeanstalk.af-south-1.api.aws", + "tags" : [ "dualstack" ] + } ] + }, + "ap-east-1" : { + "variants" : [ { + "hostname" : "elasticbeanstalk.ap-east-1.api.aws", + "tags" : [ "dualstack" ] + } ] + }, + "ap-northeast-1" : { + "variants" : [ { + "hostname" : "elasticbeanstalk.ap-northeast-1.api.aws", + "tags" : [ "dualstack" ] + } ] + }, + "ap-northeast-2" : { + "variants" : [ { + "hostname" : "elasticbeanstalk.ap-northeast-2.api.aws", + "tags" : [ "dualstack" ] + } ] + }, + "ap-northeast-3" : { + "variants" : [ { + "hostname" : "elasticbeanstalk.ap-northeast-3.api.aws", + "tags" : [ "dualstack" ] + } ] + }, + "ap-south-1" : { + "variants" : [ { + "hostname" : "elasticbeanstalk.ap-south-1.api.aws", + "tags" : [ "dualstack" ] + } ] + }, + "ap-southeast-1" : { + "variants" : [ { + "hostname" : "elasticbeanstalk.ap-southeast-1.api.aws", + "tags" : [ "dualstack" ] + } ] + }, + "ap-southeast-2" : { + "variants" : [ { + "hostname" : "elasticbeanstalk.ap-southeast-2.api.aws", + "tags" : [ "dualstack" ] + } ] + }, + "ap-southeast-3" : { + "variants" : [ { + "hostname" : "elasticbeanstalk.ap-southeast-3.api.aws", + "tags" : [ "dualstack" ] + } ] + }, + "ca-central-1" : { + "variants" : [ { + "hostname" : "elasticbeanstalk.ca-central-1.api.aws", + "tags" : [ "dualstack" ] + } ] + }, + "eu-central-1" : { + "variants" : [ { + "hostname" : "elasticbeanstalk.eu-central-1.api.aws", + "tags" : [ "dualstack" ] + } ] + }, + "eu-north-1" : { + "variants" : [ { + "hostname" : "elasticbeanstalk.eu-north-1.api.aws", + "tags" : [ "dualstack" ] + } ] + }, + "eu-south-1" : { + "variants" : [ { + "hostname" : "elasticbeanstalk.eu-south-1.api.aws", + "tags" : [ "dualstack" ] + } ] + }, + "eu-west-1" : { + "variants" : [ { + "hostname" : "elasticbeanstalk.eu-west-1.api.aws", + "tags" : [ "dualstack" ] + } ] + }, + "eu-west-2" : { + "variants" : [ { + "hostname" : "elasticbeanstalk.eu-west-2.api.aws", + "tags" : [ "dualstack" ] + } ] + }, + "eu-west-3" : { + "variants" : [ { + "hostname" : "elasticbeanstalk.eu-west-3.api.aws", + "tags" : [ "dualstack" ] + } ] + }, "fips-us-east-1" : { "credentialScope" : { "region" : "us-east-1" @@ -6903,31 +6998,70 @@ "deprecated" : true, "hostname" : "elasticbeanstalk-fips.us-west-2.amazonaws.com" }, - "il-central-1" : { }, - "me-south-1" : { }, - "sa-east-1" : { }, + "il-central-1" : { + "variants" : [ { + "hostname" : "elasticbeanstalk.il-central-1.api.aws", + "tags" : [ "dualstack" ] + } ] + }, + "me-south-1" : { + "variants" : [ { + "hostname" : "elasticbeanstalk.me-south-1.api.aws", + "tags" : [ "dualstack" ] + } ] + }, + "sa-east-1" : { + "variants" : [ { + "hostname" : "elasticbeanstalk.sa-east-1.api.aws", + "tags" : [ "dualstack" ] + } ] + }, "us-east-1" : { "variants" : [ { "hostname" : "elasticbeanstalk-fips.us-east-1.amazonaws.com", "tags" : [ "fips" ] + }, { + "hostname" : "elasticbeanstalk-fips.us-east-1.api.aws", + "tags" : [ "dualstack", "fips" ] + }, { + "hostname" : "elasticbeanstalk.us-east-1.api.aws", + "tags" : [ "dualstack" ] } ] }, "us-east-2" : { "variants" : [ { "hostname" : "elasticbeanstalk-fips.us-east-2.amazonaws.com", "tags" : [ "fips" ] + }, { + "hostname" : "elasticbeanstalk-fips.us-east-2.api.aws", + "tags" : [ "dualstack", "fips" ] + }, { + "hostname" : "elasticbeanstalk.us-east-2.api.aws", + "tags" : [ "dualstack" ] } ] }, "us-west-1" : { "variants" : [ { "hostname" : "elasticbeanstalk-fips.us-west-1.amazonaws.com", "tags" : [ "fips" ] + }, { + "hostname" : "elasticbeanstalk-fips.us-west-1.api.aws", + "tags" : [ "dualstack", "fips" ] + }, { + "hostname" : "elasticbeanstalk.us-west-1.api.aws", + "tags" : [ "dualstack" ] } ] }, "us-west-2" : { "variants" : [ { "hostname" : "elasticbeanstalk-fips.us-west-2.amazonaws.com", "tags" : [ "fips" ] + }, { + "hostname" : "elasticbeanstalk-fips.us-west-2.api.aws", + "tags" : [ "dualstack", "fips" ] + }, { + "hostname" : "elasticbeanstalk.us-west-2.api.aws", + "tags" : [ "dualstack" ] } ] } } @@ -15984,8 +16118,32 @@ "ap-southeast-3" : { }, "ap-southeast-4" : { }, "ap-southeast-5" : { }, - "ca-central-1" : { }, - "ca-west-1" : { }, + "ca-central-1" : { + "variants" : [ { + "hostname" : "route53resolver-fips.ca-central-1.amazonaws.com", + "tags" : [ "fips" ] + } ] + }, + "ca-central-1-fips" : { + "credentialScope" : { + "region" : "ca-central-1" + }, + "deprecated" : true, + "hostname" : "route53resolver-fips.ca-central-1.amazonaws.com" + }, + "ca-west-1" : { + "variants" : [ { + "hostname" : "route53resolver-fips.ca-west-1.amazonaws.com", + "tags" : [ "fips" ] + } ] + }, + "ca-west-1-fips" : { + "credentialScope" : { + "region" : "ca-west-1" + }, + "deprecated" : true, + "hostname" : "route53resolver-fips.ca-west-1.amazonaws.com" + }, "eu-central-1" : { }, "eu-central-2" : { }, "eu-north-1" : { }, @@ -15998,10 +16156,58 @@ "me-central-1" : { }, "me-south-1" : { }, "sa-east-1" : { }, - "us-east-1" : { }, - "us-east-2" : { }, - "us-west-1" : { }, - "us-west-2" : { } + "us-east-1" : { + "variants" : [ { + "hostname" : "route53resolver-fips.us-east-1.amazonaws.com", + "tags" : [ "fips" ] + } ] + }, + "us-east-1-fips" : { + "credentialScope" : { + "region" : "us-east-1" + }, + "deprecated" : true, + "hostname" : "route53resolver-fips.us-east-1.amazonaws.com" + }, + "us-east-2" : { + "variants" : [ { + "hostname" : "route53resolver-fips.us-east-2.amazonaws.com", + "tags" : [ "fips" ] + } ] + }, + "us-east-2-fips" : { + "credentialScope" : { + "region" : "us-east-2" + }, + "deprecated" : true, + "hostname" : "route53resolver-fips.us-east-2.amazonaws.com" + }, + "us-west-1" : { + "variants" : [ { + "hostname" : "route53resolver-fips.us-west-1.amazonaws.com", + "tags" : [ "fips" ] + } ] + }, + "us-west-1-fips" : { + "credentialScope" : { + "region" : "us-west-1" + }, + "deprecated" : true, + "hostname" : "route53resolver-fips.us-west-1.amazonaws.com" + }, + "us-west-2" : { + "variants" : [ { + "hostname" : "route53resolver-fips.us-west-2.amazonaws.com", + "tags" : [ "fips" ] + } ] + }, + "us-west-2-fips" : { + "credentialScope" : { + "region" : "us-west-2" + }, + "deprecated" : true, + "hostname" : "route53resolver-fips.us-west-2.amazonaws.com" + } } }, "rum" : { @@ -25093,6 +25299,9 @@ "variants" : [ { "hostname" : "elasticbeanstalk.us-gov-east-1.amazonaws.com", "tags" : [ "fips" ] + }, { + "hostname" : "elasticbeanstalk.us-gov-east-1.api.aws", + "tags" : [ "dualstack" ] } ] }, "us-gov-east-1-fips" : { @@ -25110,6 +25319,9 @@ "variants" : [ { "hostname" : "elasticbeanstalk.us-gov-west-1.amazonaws.com", "tags" : [ "fips" ] + }, { + "hostname" : "elasticbeanstalk.us-gov-west-1.api.aws", + "tags" : [ "dualstack" ] } ] }, "us-gov-west-1-fips" : { From 7714ebdbac422344b81c1f64b330c8cb66995676 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Fri, 6 Sep 2024 18:10:19 +0000 Subject: [PATCH 032/108] Release 2.27.21. Updated CHANGELOG.md, README.md and all pom.xml. --- .changes/2.27.21.json | 18 ++++++++++++++++++ .../feature-AWSSDKforJavav2-0443982.json | 6 ------ .../next-release/feature-QApps-4fe99b9.json | 6 ------ CHANGELOG.md | 11 ++++++++++- 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/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 +- services-custom/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/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/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/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/worklink/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 +- .../bundle-logging-bridge-binding-test/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 +- 474 files changed, 501 insertions(+), 486 deletions(-) create mode 100644 .changes/2.27.21.json delete mode 100644 .changes/next-release/feature-AWSSDKforJavav2-0443982.json delete mode 100644 .changes/next-release/feature-QApps-4fe99b9.json diff --git a/.changes/2.27.21.json b/.changes/2.27.21.json new file mode 100644 index 000000000000..f07d37f04b92 --- /dev/null +++ b/.changes/2.27.21.json @@ -0,0 +1,18 @@ +{ + "version": "2.27.21", + "date": "2024-09-06", + "entries": [ + { + "type": "feature", + "category": "QApps", + "contributor": "", + "description": "Adds UpdateLibraryItemMetadata api to change status of app for admin verification feature and returns isVerified field in any api returning the app or library item." + }, + { + "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-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-QApps-4fe99b9.json b/.changes/next-release/feature-QApps-4fe99b9.json deleted file mode 100644 index f08d2d406761..000000000000 --- a/.changes/next-release/feature-QApps-4fe99b9.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "QApps", - "contributor": "", - "description": "Adds UpdateLibraryItemMetadata api to change status of app for admin verification feature and returns isVerified field in any api returning the app or library item." -} diff --git a/CHANGELOG.md b/CHANGELOG.md index 31022f2356e4..d7a948ee9e4c 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,13 @@ #### 👋 _Looking for changelogs for older versions? You can find them in the [changelogs](./changelogs) directory._ +# __2.27.21__ __2024-09-06__ +## __AWS SDK for Java v2__ + - ### Features + - Updated endpoint and partition metadata. + +## __QApps__ + - ### Features + - Adds UpdateLibraryItemMetadata api to change status of app for admin verification feature and returns isVerified field in any api returning the app or library item. + # __2.27.20__ __2024-09-05__ ## __AWS CodePipeline__ - ### Features @@ -65,7 +74,7 @@ ## __Contributors__ Special thanks to the following contributors to this release: -[@shetsa-amzn](https://github.com/shetsa-amzn), [@anirudh9391](https://github.com/anirudh9391) +[@anirudh9391](https://github.com/anirudh9391), [@shetsa-amzn](https://github.com/shetsa-amzn) # __2.27.18__ __2024-09-03__ ## __AWS Elemental MediaLive__ - ### Features diff --git a/README.md b/README.md index 42240282d2ed..a682dc93482c 100644 --- a/README.md +++ b/README.md @@ -52,7 +52,7 @@ To automatically manage module versions (currently all modules have the same ver software.amazon.awssdk bom - 2.27.20 + 2.27.21 pom import @@ -86,12 +86,12 @@ Alternatively you can add dependencies for the specific services you use only: software.amazon.awssdk ec2 - 2.27.20 + 2.27.21 software.amazon.awssdk s3 - 2.27.20 + 2.27.21 ``` @@ -103,7 +103,7 @@ You can import the whole SDK into your project (includes *ALL* services). Please software.amazon.awssdk aws-sdk-java - 2.27.20 + 2.27.21 ``` diff --git a/archetypes/archetype-app-quickstart/pom.xml b/archetypes/archetype-app-quickstart/pom.xml index 5b61047acb01..9806f3ec8ac5 100644 --- a/archetypes/archetype-app-quickstart/pom.xml +++ b/archetypes/archetype-app-quickstart/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.21-SNAPSHOT + 2.27.21 4.0.0 diff --git a/archetypes/archetype-lambda/pom.xml b/archetypes/archetype-lambda/pom.xml index 6c6f5ee7b0f3..320fdf0fdec9 100644 --- a/archetypes/archetype-lambda/pom.xml +++ b/archetypes/archetype-lambda/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.21-SNAPSHOT + 2.27.21 4.0.0 archetype-lambda diff --git a/archetypes/archetype-tools/pom.xml b/archetypes/archetype-tools/pom.xml index 022e14022a8d..0e3141e39cee 100644 --- a/archetypes/archetype-tools/pom.xml +++ b/archetypes/archetype-tools/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.21-SNAPSHOT + 2.27.21 4.0.0 diff --git a/archetypes/pom.xml b/archetypes/pom.xml index 21b6c1638d4e..5c0b49ad6334 100644 --- a/archetypes/pom.xml +++ b/archetypes/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.21-SNAPSHOT + 2.27.21 4.0.0 archetypes diff --git a/aws-sdk-java/pom.xml b/aws-sdk-java/pom.xml index 5bee5ed2f6ad..b8f966bf22a2 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.27.21-SNAPSHOT + 2.27.21 ../pom.xml aws-sdk-java diff --git a/bom-internal/pom.xml b/bom-internal/pom.xml index 83f2476d8d7a..58c24c95563f 100644 --- a/bom-internal/pom.xml +++ b/bom-internal/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.21-SNAPSHOT + 2.27.21 4.0.0 diff --git a/bom/pom.xml b/bom/pom.xml index 76f5fde1676c..7328ea82b7bb 100644 --- a/bom/pom.xml +++ b/bom/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.21-SNAPSHOT + 2.27.21 ../pom.xml bom diff --git a/bundle-logging-bridge/pom.xml b/bundle-logging-bridge/pom.xml index 641401687c35..af30e98604d4 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.27.21-SNAPSHOT + 2.27.21 bundle-logging-bridge jar diff --git a/bundle-sdk/pom.xml b/bundle-sdk/pom.xml index e930154a4dc0..5dcc8c28facc 100644 --- a/bundle-sdk/pom.xml +++ b/bundle-sdk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.21-SNAPSHOT + 2.27.21 bundle-sdk jar diff --git a/bundle/pom.xml b/bundle/pom.xml index e82a7cdac9c7..1fa90bab980a 100644 --- a/bundle/pom.xml +++ b/bundle/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.21-SNAPSHOT + 2.27.21 bundle jar diff --git a/codegen-lite-maven-plugin/pom.xml b/codegen-lite-maven-plugin/pom.xml index fd9ac9ec9451..4a2ddc943175 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.27.21-SNAPSHOT + 2.27.21 ../pom.xml codegen-lite-maven-plugin diff --git a/codegen-lite/pom.xml b/codegen-lite/pom.xml index 82d82d8f5ef0..ed747160f227 100644 --- a/codegen-lite/pom.xml +++ b/codegen-lite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.21-SNAPSHOT + 2.27.21 codegen-lite AWS Java SDK :: Code Generator Lite diff --git a/codegen-maven-plugin/pom.xml b/codegen-maven-plugin/pom.xml index 73edead1ce22..019f07465198 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.27.21-SNAPSHOT + 2.27.21 ../pom.xml codegen-maven-plugin diff --git a/codegen/pom.xml b/codegen/pom.xml index 9dbce0689cf8..d36935339e28 100644 --- a/codegen/pom.xml +++ b/codegen/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.21-SNAPSHOT + 2.27.21 codegen AWS Java SDK :: Code Generator diff --git a/core/annotations/pom.xml b/core/annotations/pom.xml index 02984865eecc..7f54eec95133 100644 --- a/core/annotations/pom.xml +++ b/core/annotations/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.21-SNAPSHOT + 2.27.21 4.0.0 diff --git a/core/arns/pom.xml b/core/arns/pom.xml index dec227ea48fa..e4604e122ca4 100644 --- a/core/arns/pom.xml +++ b/core/arns/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.21-SNAPSHOT + 2.27.21 4.0.0 diff --git a/core/auth-crt/pom.xml b/core/auth-crt/pom.xml index 3c513b832293..81490dbc335c 100644 --- a/core/auth-crt/pom.xml +++ b/core/auth-crt/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.21-SNAPSHOT + 2.27.21 auth-crt diff --git a/core/auth/pom.xml b/core/auth/pom.xml index 6bbf71b8d348..03c0b963016f 100644 --- a/core/auth/pom.xml +++ b/core/auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.21-SNAPSHOT + 2.27.21 auth diff --git a/core/aws-core/pom.xml b/core/aws-core/pom.xml index d376d6f9665e..13333b98bfce 100644 --- a/core/aws-core/pom.xml +++ b/core/aws-core/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.21-SNAPSHOT + 2.27.21 aws-core diff --git a/core/checksums-spi/pom.xml b/core/checksums-spi/pom.xml index 0795e6469851..911fa84e858a 100644 --- a/core/checksums-spi/pom.xml +++ b/core/checksums-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.21-SNAPSHOT + 2.27.21 checksums-spi diff --git a/core/checksums/pom.xml b/core/checksums/pom.xml index 0668495a31a4..4ea724373e3d 100644 --- a/core/checksums/pom.xml +++ b/core/checksums/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.21-SNAPSHOT + 2.27.21 checksums diff --git a/core/crt-core/pom.xml b/core/crt-core/pom.xml index 0815f9b54295..5c15ca091e47 100644 --- a/core/crt-core/pom.xml +++ b/core/crt-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.27.21-SNAPSHOT + 2.27.21 crt-core diff --git a/core/endpoints-spi/pom.xml b/core/endpoints-spi/pom.xml index daa84e541381..45ce8a5e848f 100644 --- a/core/endpoints-spi/pom.xml +++ b/core/endpoints-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.21-SNAPSHOT + 2.27.21 4.0.0 diff --git a/core/http-auth-aws-crt/pom.xml b/core/http-auth-aws-crt/pom.xml index 7bf00072b806..91246c11a54e 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.27.21-SNAPSHOT + 2.27.21 http-auth-aws-crt diff --git a/core/http-auth-aws-eventstream/pom.xml b/core/http-auth-aws-eventstream/pom.xml index 7658129049b8..34907b4a4ca9 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.27.21-SNAPSHOT + 2.27.21 http-auth-aws-eventstream diff --git a/core/http-auth-aws/pom.xml b/core/http-auth-aws/pom.xml index f4d5836225ce..be5a339715e0 100644 --- a/core/http-auth-aws/pom.xml +++ b/core/http-auth-aws/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.21-SNAPSHOT + 2.27.21 http-auth-aws diff --git a/core/http-auth-spi/pom.xml b/core/http-auth-spi/pom.xml index 3f6ee5359773..9afb1085f586 100644 --- a/core/http-auth-spi/pom.xml +++ b/core/http-auth-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.21-SNAPSHOT + 2.27.21 http-auth-spi diff --git a/core/http-auth/pom.xml b/core/http-auth/pom.xml index df5681e53799..88e2722a2f1c 100644 --- a/core/http-auth/pom.xml +++ b/core/http-auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.21-SNAPSHOT + 2.27.21 http-auth diff --git a/core/identity-spi/pom.xml b/core/identity-spi/pom.xml index 13a18760a7b7..2143536f2e61 100644 --- a/core/identity-spi/pom.xml +++ b/core/identity-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.21-SNAPSHOT + 2.27.21 identity-spi diff --git a/core/imds/pom.xml b/core/imds/pom.xml index 28fcef03fd24..34762653f948 100644 --- a/core/imds/pom.xml +++ b/core/imds/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.21-SNAPSHOT + 2.27.21 4.0.0 imds diff --git a/core/json-utils/pom.xml b/core/json-utils/pom.xml index e1c37c03ef72..66966ff3f136 100644 --- a/core/json-utils/pom.xml +++ b/core/json-utils/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.21-SNAPSHOT + 2.27.21 4.0.0 diff --git a/core/metrics-spi/pom.xml b/core/metrics-spi/pom.xml index b1bf100a751f..0995dd2985e5 100644 --- a/core/metrics-spi/pom.xml +++ b/core/metrics-spi/pom.xml @@ -5,7 +5,7 @@ core software.amazon.awssdk - 2.27.21-SNAPSHOT + 2.27.21 4.0.0 diff --git a/core/pom.xml b/core/pom.xml index 3688d742a289..14c13e875013 100644 --- a/core/pom.xml +++ b/core/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.21-SNAPSHOT + 2.27.21 core diff --git a/core/profiles/pom.xml b/core/profiles/pom.xml index 015026c851e3..cc406f19cc74 100644 --- a/core/profiles/pom.xml +++ b/core/profiles/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.21-SNAPSHOT + 2.27.21 profiles diff --git a/core/protocols/aws-cbor-protocol/pom.xml b/core/protocols/aws-cbor-protocol/pom.xml index 3d9e0f5d1c6a..fd9c29357461 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.27.21-SNAPSHOT + 2.27.21 4.0.0 diff --git a/core/protocols/aws-json-protocol/pom.xml b/core/protocols/aws-json-protocol/pom.xml index 3dd0e16d1538..e8d8c229d61d 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.27.21-SNAPSHOT + 2.27.21 4.0.0 diff --git a/core/protocols/aws-query-protocol/pom.xml b/core/protocols/aws-query-protocol/pom.xml index 1f3bedb5647d..33cb16422f6d 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.27.21-SNAPSHOT + 2.27.21 4.0.0 diff --git a/core/protocols/aws-xml-protocol/pom.xml b/core/protocols/aws-xml-protocol/pom.xml index b869e134dc02..4e71a92ed487 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.27.21-SNAPSHOT + 2.27.21 4.0.0 diff --git a/core/protocols/pom.xml b/core/protocols/pom.xml index 0d592e128aaf..9d2c5c01f19e 100644 --- a/core/protocols/pom.xml +++ b/core/protocols/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.21-SNAPSHOT + 2.27.21 4.0.0 diff --git a/core/protocols/protocol-core/pom.xml b/core/protocols/protocol-core/pom.xml index 4ca99649b911..d1cd71761141 100644 --- a/core/protocols/protocol-core/pom.xml +++ b/core/protocols/protocol-core/pom.xml @@ -20,7 +20,7 @@ protocols software.amazon.awssdk - 2.27.21-SNAPSHOT + 2.27.21 4.0.0 diff --git a/core/regions/pom.xml b/core/regions/pom.xml index 5f492d0ea13b..481cc8ccad85 100644 --- a/core/regions/pom.xml +++ b/core/regions/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.21-SNAPSHOT + 2.27.21 regions diff --git a/core/retries-spi/pom.xml b/core/retries-spi/pom.xml index d0f1b7a40d94..77235459cb77 100644 --- a/core/retries-spi/pom.xml +++ b/core/retries-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.21-SNAPSHOT + 2.27.21 4.0.0 diff --git a/core/retries/pom.xml b/core/retries/pom.xml index 9f3c8a7e19ac..e8fd6970421f 100644 --- a/core/retries/pom.xml +++ b/core/retries/pom.xml @@ -21,7 +21,7 @@ core software.amazon.awssdk - 2.27.21-SNAPSHOT + 2.27.21 4.0.0 diff --git a/core/sdk-core/pom.xml b/core/sdk-core/pom.xml index c6a2c4d6479e..e85004541004 100644 --- a/core/sdk-core/pom.xml +++ b/core/sdk-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.27.21-SNAPSHOT + 2.27.21 sdk-core AWS Java SDK :: SDK Core diff --git a/http-client-spi/pom.xml b/http-client-spi/pom.xml index 8882f656ad21..916be388f28a 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.27.21-SNAPSHOT + 2.27.21 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 27f790e97448..92d23158b542 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.27.21-SNAPSHOT + 2.27.21 apache-client diff --git a/http-clients/aws-crt-client/pom.xml b/http-clients/aws-crt-client/pom.xml index 9f18a9640a55..06922eb12c71 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.27.21-SNAPSHOT + 2.27.21 4.0.0 diff --git a/http-clients/netty-nio-client/pom.xml b/http-clients/netty-nio-client/pom.xml index f51672d2e842..5c3d7a1f817e 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.27.21-SNAPSHOT + 2.27.21 4.0.0 diff --git a/http-clients/pom.xml b/http-clients/pom.xml index e3fe178c8ee3..fa4e6e8f46dd 100644 --- a/http-clients/pom.xml +++ b/http-clients/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.21-SNAPSHOT + 2.27.21 4.0.0 diff --git a/http-clients/url-connection-client/pom.xml b/http-clients/url-connection-client/pom.xml index 5a6a6f581cde..4220af720d3b 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.27.21-SNAPSHOT + 2.27.21 4.0.0 diff --git a/metric-publishers/cloudwatch-metric-publisher/pom.xml b/metric-publishers/cloudwatch-metric-publisher/pom.xml index 2b837ce8d863..699f935d6f5b 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.27.21-SNAPSHOT + 2.27.21 cloudwatch-metric-publisher diff --git a/metric-publishers/pom.xml b/metric-publishers/pom.xml index 91521b101e69..2433e903e5f7 100644 --- a/metric-publishers/pom.xml +++ b/metric-publishers/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.21-SNAPSHOT + 2.27.21 metric-publishers diff --git a/pom.xml b/pom.xml index 24914a13e61b..5472c45c8627 100644 --- a/pom.xml +++ b/pom.xml @@ -20,7 +20,7 @@ 4.0.0 software.amazon.awssdk aws-sdk-java-pom - 2.27.21-SNAPSHOT + 2.27.21 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 c6f1637ef0aa..365414b2c2e8 100644 --- a/release-scripts/pom.xml +++ b/release-scripts/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.21-SNAPSHOT + 2.27.21 ../pom.xml release-scripts diff --git a/services-custom/dynamodb-enhanced/pom.xml b/services-custom/dynamodb-enhanced/pom.xml index 834a623f86d5..233a60bde066 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.27.21-SNAPSHOT + 2.27.21 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 a48bdd51d63f..d52c3bd803ca 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.27.21-SNAPSHOT + 2.27.21 ../../pom.xml iam-policy-builder diff --git a/services-custom/pom.xml b/services-custom/pom.xml index 9a8bd10a6b62..308ffc7e496e 100644 --- a/services-custom/pom.xml +++ b/services-custom/pom.xml @@ -19,7 +19,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.21-SNAPSHOT + 2.27.21 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 ff5c7e2ad40c..98c99e0affba 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.27.21-SNAPSHOT + 2.27.21 ../../pom.xml s3-event-notifications diff --git a/services-custom/s3-transfer-manager/pom.xml b/services-custom/s3-transfer-manager/pom.xml index 0e175ca26b8f..2dd58e5aab82 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.27.21-SNAPSHOT + 2.27.21 ../../pom.xml s3-transfer-manager diff --git a/services/accessanalyzer/pom.xml b/services/accessanalyzer/pom.xml index a71fd3b9de65..2c060005ec84 100644 --- a/services/accessanalyzer/pom.xml +++ b/services/accessanalyzer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 accessanalyzer AWS Java SDK :: Services :: AccessAnalyzer diff --git a/services/account/pom.xml b/services/account/pom.xml index b42a9c99da6f..885d21e6c1c8 100644 --- a/services/account/pom.xml +++ b/services/account/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 account AWS Java SDK :: Services :: Account diff --git a/services/acm/pom.xml b/services/acm/pom.xml index 7ee97295ee2e..731aff7bf311 100644 --- a/services/acm/pom.xml +++ b/services/acm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 acm AWS Java SDK :: Services :: AWS Certificate Manager diff --git a/services/acmpca/pom.xml b/services/acmpca/pom.xml index 2b8622d07167..7cb1ac588211 100644 --- a/services/acmpca/pom.xml +++ b/services/acmpca/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 acmpca AWS Java SDK :: Services :: ACM PCA diff --git a/services/amp/pom.xml b/services/amp/pom.xml index 7d981ccd17ad..5fb44f3dffc5 100644 --- a/services/amp/pom.xml +++ b/services/amp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 amp AWS Java SDK :: Services :: Amp diff --git a/services/amplify/pom.xml b/services/amplify/pom.xml index 7a136f8f0e5d..0203e2f5402a 100644 --- a/services/amplify/pom.xml +++ b/services/amplify/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 amplify AWS Java SDK :: Services :: Amplify diff --git a/services/amplifybackend/pom.xml b/services/amplifybackend/pom.xml index 082a5a806264..967cc4286d1b 100644 --- a/services/amplifybackend/pom.xml +++ b/services/amplifybackend/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 amplifybackend AWS Java SDK :: Services :: Amplify Backend diff --git a/services/amplifyuibuilder/pom.xml b/services/amplifyuibuilder/pom.xml index bc9d1edae54e..57ee40730d19 100644 --- a/services/amplifyuibuilder/pom.xml +++ b/services/amplifyuibuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 amplifyuibuilder AWS Java SDK :: Services :: Amplify UI Builder diff --git a/services/apigateway/pom.xml b/services/apigateway/pom.xml index e875f7491746..d9b7c51eb0b8 100644 --- a/services/apigateway/pom.xml +++ b/services/apigateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 apigateway AWS Java SDK :: Services :: Amazon API Gateway diff --git a/services/apigatewaymanagementapi/pom.xml b/services/apigatewaymanagementapi/pom.xml index 1d42d9e41fc7..c6d2d1c712c6 100644 --- a/services/apigatewaymanagementapi/pom.xml +++ b/services/apigatewaymanagementapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 apigatewaymanagementapi AWS Java SDK :: Services :: ApiGatewayManagementApi diff --git a/services/apigatewayv2/pom.xml b/services/apigatewayv2/pom.xml index e654b9d752c5..bb3c1492e455 100644 --- a/services/apigatewayv2/pom.xml +++ b/services/apigatewayv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 apigatewayv2 AWS Java SDK :: Services :: ApiGatewayV2 diff --git a/services/appconfig/pom.xml b/services/appconfig/pom.xml index 98f717774765..7ecb06dd5169 100644 --- a/services/appconfig/pom.xml +++ b/services/appconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 appconfig AWS Java SDK :: Services :: AppConfig diff --git a/services/appconfigdata/pom.xml b/services/appconfigdata/pom.xml index 725ec9b1c0ba..8dff774daf49 100644 --- a/services/appconfigdata/pom.xml +++ b/services/appconfigdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 appconfigdata AWS Java SDK :: Services :: App Config Data diff --git a/services/appfabric/pom.xml b/services/appfabric/pom.xml index 0cf25cea600a..289d81b02fe9 100644 --- a/services/appfabric/pom.xml +++ b/services/appfabric/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 appfabric AWS Java SDK :: Services :: App Fabric diff --git a/services/appflow/pom.xml b/services/appflow/pom.xml index 62acde88f669..feeb83950ba7 100644 --- a/services/appflow/pom.xml +++ b/services/appflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 appflow AWS Java SDK :: Services :: Appflow diff --git a/services/appintegrations/pom.xml b/services/appintegrations/pom.xml index 01c6dcdf5316..5e3ae8bbc46e 100644 --- a/services/appintegrations/pom.xml +++ b/services/appintegrations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 appintegrations AWS Java SDK :: Services :: App Integrations diff --git a/services/applicationautoscaling/pom.xml b/services/applicationautoscaling/pom.xml index 35f81813c403..a315c6c6f13c 100644 --- a/services/applicationautoscaling/pom.xml +++ b/services/applicationautoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 applicationautoscaling AWS Java SDK :: Services :: AWS Application Auto Scaling diff --git a/services/applicationcostprofiler/pom.xml b/services/applicationcostprofiler/pom.xml index af4fafa71a80..807c5f9fe585 100644 --- a/services/applicationcostprofiler/pom.xml +++ b/services/applicationcostprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 applicationcostprofiler AWS Java SDK :: Services :: Application Cost Profiler diff --git a/services/applicationdiscovery/pom.xml b/services/applicationdiscovery/pom.xml index c706afe26d2b..11c471a3cca5 100644 --- a/services/applicationdiscovery/pom.xml +++ b/services/applicationdiscovery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 applicationdiscovery AWS Java SDK :: Services :: AWS Application Discovery Service diff --git a/services/applicationinsights/pom.xml b/services/applicationinsights/pom.xml index 4870907b837c..df5da0a98c66 100644 --- a/services/applicationinsights/pom.xml +++ b/services/applicationinsights/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 applicationinsights AWS Java SDK :: Services :: Application Insights diff --git a/services/applicationsignals/pom.xml b/services/applicationsignals/pom.xml index e798482fa1f9..3d742979f3f0 100644 --- a/services/applicationsignals/pom.xml +++ b/services/applicationsignals/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 applicationsignals AWS Java SDK :: Services :: Application Signals diff --git a/services/appmesh/pom.xml b/services/appmesh/pom.xml index c4ee659a4477..3d4487710328 100644 --- a/services/appmesh/pom.xml +++ b/services/appmesh/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 appmesh AWS Java SDK :: Services :: App Mesh diff --git a/services/apprunner/pom.xml b/services/apprunner/pom.xml index 00bd6547cae4..9ed8101b4a23 100644 --- a/services/apprunner/pom.xml +++ b/services/apprunner/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 apprunner AWS Java SDK :: Services :: App Runner diff --git a/services/appstream/pom.xml b/services/appstream/pom.xml index e26643685ff2..bc33f461fd75 100644 --- a/services/appstream/pom.xml +++ b/services/appstream/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 appstream AWS Java SDK :: Services :: Amazon AppStream diff --git a/services/appsync/pom.xml b/services/appsync/pom.xml index bd8e33994c70..baf7fca1f5f4 100644 --- a/services/appsync/pom.xml +++ b/services/appsync/pom.xml @@ -21,7 +21,7 @@ services software.amazon.awssdk - 2.27.21-SNAPSHOT + 2.27.21 appsync diff --git a/services/apptest/pom.xml b/services/apptest/pom.xml index 8dac66146308..8be29409d2a7 100644 --- a/services/apptest/pom.xml +++ b/services/apptest/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 apptest AWS Java SDK :: Services :: App Test diff --git a/services/arczonalshift/pom.xml b/services/arczonalshift/pom.xml index 39e3e4ab7039..8cb0abdd6e0b 100644 --- a/services/arczonalshift/pom.xml +++ b/services/arczonalshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 arczonalshift AWS Java SDK :: Services :: ARC Zonal Shift diff --git a/services/artifact/pom.xml b/services/artifact/pom.xml index a6438ef2bc5d..0e7a19f9da9f 100644 --- a/services/artifact/pom.xml +++ b/services/artifact/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 artifact AWS Java SDK :: Services :: Artifact diff --git a/services/athena/pom.xml b/services/athena/pom.xml index 9f9561d8066c..3a6e897462c6 100644 --- a/services/athena/pom.xml +++ b/services/athena/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 athena AWS Java SDK :: Services :: Amazon Athena diff --git a/services/auditmanager/pom.xml b/services/auditmanager/pom.xml index f4517e891de4..eba9600ed1d0 100644 --- a/services/auditmanager/pom.xml +++ b/services/auditmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 auditmanager AWS Java SDK :: Services :: Audit Manager diff --git a/services/autoscaling/pom.xml b/services/autoscaling/pom.xml index 3a703a65490e..d6b226fc2759 100644 --- a/services/autoscaling/pom.xml +++ b/services/autoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 autoscaling AWS Java SDK :: Services :: Auto Scaling diff --git a/services/autoscalingplans/pom.xml b/services/autoscalingplans/pom.xml index c65771a77fd7..975914382df9 100644 --- a/services/autoscalingplans/pom.xml +++ b/services/autoscalingplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 autoscalingplans AWS Java SDK :: Services :: Auto Scaling Plans diff --git a/services/b2bi/pom.xml b/services/b2bi/pom.xml index 5ed6764cbcd3..37ee09f60368 100644 --- a/services/b2bi/pom.xml +++ b/services/b2bi/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 b2bi AWS Java SDK :: Services :: B2 Bi diff --git a/services/backup/pom.xml b/services/backup/pom.xml index 44e383a10fd8..d6e80a34abf5 100644 --- a/services/backup/pom.xml +++ b/services/backup/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 backup AWS Java SDK :: Services :: Backup diff --git a/services/backupgateway/pom.xml b/services/backupgateway/pom.xml index 462e08868078..f981ffebf2f8 100644 --- a/services/backupgateway/pom.xml +++ b/services/backupgateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 backupgateway AWS Java SDK :: Services :: Backup Gateway diff --git a/services/batch/pom.xml b/services/batch/pom.xml index c92ea04106b4..d57f3213ac30 100644 --- a/services/batch/pom.xml +++ b/services/batch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 batch AWS Java SDK :: Services :: AWS Batch diff --git a/services/bcmdataexports/pom.xml b/services/bcmdataexports/pom.xml index 3de18f1159c9..c99e37ef2da7 100644 --- a/services/bcmdataexports/pom.xml +++ b/services/bcmdataexports/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 bcmdataexports AWS Java SDK :: Services :: BCM Data Exports diff --git a/services/bedrock/pom.xml b/services/bedrock/pom.xml index 6d9f43dd4557..300f5c7ef9e0 100644 --- a/services/bedrock/pom.xml +++ b/services/bedrock/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 bedrock AWS Java SDK :: Services :: Bedrock diff --git a/services/bedrockagent/pom.xml b/services/bedrockagent/pom.xml index d2485a6212a6..738e90032284 100644 --- a/services/bedrockagent/pom.xml +++ b/services/bedrockagent/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 bedrockagent AWS Java SDK :: Services :: Bedrock Agent diff --git a/services/bedrockagentruntime/pom.xml b/services/bedrockagentruntime/pom.xml index 60945632a139..5c6aed2b75bc 100644 --- a/services/bedrockagentruntime/pom.xml +++ b/services/bedrockagentruntime/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 bedrockagentruntime AWS Java SDK :: Services :: Bedrock Agent Runtime diff --git a/services/bedrockruntime/pom.xml b/services/bedrockruntime/pom.xml index f7496c5a03b4..8fbaf5980f5a 100644 --- a/services/bedrockruntime/pom.xml +++ b/services/bedrockruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 bedrockruntime AWS Java SDK :: Services :: Bedrock Runtime diff --git a/services/billingconductor/pom.xml b/services/billingconductor/pom.xml index 573c2e712906..c378b03416f8 100644 --- a/services/billingconductor/pom.xml +++ b/services/billingconductor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 billingconductor AWS Java SDK :: Services :: Billingconductor diff --git a/services/braket/pom.xml b/services/braket/pom.xml index f216c1e562ff..a834f2c89fe2 100644 --- a/services/braket/pom.xml +++ b/services/braket/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 braket AWS Java SDK :: Services :: Braket diff --git a/services/budgets/pom.xml b/services/budgets/pom.xml index d233ef0f21b5..c28c47c53a2c 100644 --- a/services/budgets/pom.xml +++ b/services/budgets/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 budgets AWS Java SDK :: Services :: AWS Budgets diff --git a/services/chatbot/pom.xml b/services/chatbot/pom.xml index d94dc4ee5b93..ed0331fa073a 100644 --- a/services/chatbot/pom.xml +++ b/services/chatbot/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 chatbot AWS Java SDK :: Services :: Chatbot diff --git a/services/chime/pom.xml b/services/chime/pom.xml index 35faf5dcc4e8..2d47e2941e2a 100644 --- a/services/chime/pom.xml +++ b/services/chime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 chime AWS Java SDK :: Services :: Chime diff --git a/services/chimesdkidentity/pom.xml b/services/chimesdkidentity/pom.xml index 8e39344eb337..0998625c39c5 100644 --- a/services/chimesdkidentity/pom.xml +++ b/services/chimesdkidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 chimesdkidentity AWS Java SDK :: Services :: Chime SDK Identity diff --git a/services/chimesdkmediapipelines/pom.xml b/services/chimesdkmediapipelines/pom.xml index d0cba714f761..eb2e5ec923dc 100644 --- a/services/chimesdkmediapipelines/pom.xml +++ b/services/chimesdkmediapipelines/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 chimesdkmediapipelines AWS Java SDK :: Services :: Chime SDK Media Pipelines diff --git a/services/chimesdkmeetings/pom.xml b/services/chimesdkmeetings/pom.xml index f3054b9efdca..f15708e22811 100644 --- a/services/chimesdkmeetings/pom.xml +++ b/services/chimesdkmeetings/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 chimesdkmeetings AWS Java SDK :: Services :: Chime SDK Meetings diff --git a/services/chimesdkmessaging/pom.xml b/services/chimesdkmessaging/pom.xml index bff541f78e5c..e31d681be99c 100644 --- a/services/chimesdkmessaging/pom.xml +++ b/services/chimesdkmessaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 chimesdkmessaging AWS Java SDK :: Services :: Chime SDK Messaging diff --git a/services/chimesdkvoice/pom.xml b/services/chimesdkvoice/pom.xml index cc5944f0e1c8..ac4f597e00f0 100644 --- a/services/chimesdkvoice/pom.xml +++ b/services/chimesdkvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 chimesdkvoice AWS Java SDK :: Services :: Chime SDK Voice diff --git a/services/cleanrooms/pom.xml b/services/cleanrooms/pom.xml index 08b8791d8f18..8f74ae90d05e 100644 --- a/services/cleanrooms/pom.xml +++ b/services/cleanrooms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 cleanrooms AWS Java SDK :: Services :: Clean Rooms diff --git a/services/cleanroomsml/pom.xml b/services/cleanroomsml/pom.xml index d8890d2297fc..7bccefe54e28 100644 --- a/services/cleanroomsml/pom.xml +++ b/services/cleanroomsml/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 cleanroomsml AWS Java SDK :: Services :: Clean Rooms ML diff --git a/services/cloud9/pom.xml b/services/cloud9/pom.xml index 1b1e59ecae76..208af150dd44 100644 --- a/services/cloud9/pom.xml +++ b/services/cloud9/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21-SNAPSHOT + 2.27.21 4.0.0 cloud9 diff --git a/services/cloudcontrol/pom.xml b/services/cloudcontrol/pom.xml index 895437337042..8bffcb2445d1 100644 --- a/services/cloudcontrol/pom.xml +++ b/services/cloudcontrol/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 cloudcontrol AWS Java SDK :: Services :: Cloud Control diff --git a/services/clouddirectory/pom.xml b/services/clouddirectory/pom.xml index c49221cde1ea..cab9d58f2d86 100644 --- a/services/clouddirectory/pom.xml +++ b/services/clouddirectory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 clouddirectory AWS Java SDK :: Services :: Amazon CloudDirectory diff --git a/services/cloudformation/pom.xml b/services/cloudformation/pom.xml index dc2d4ee218df..c781fc7ca5ba 100644 --- a/services/cloudformation/pom.xml +++ b/services/cloudformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 cloudformation AWS Java SDK :: Services :: AWS CloudFormation diff --git a/services/cloudfront/pom.xml b/services/cloudfront/pom.xml index f5372720f756..9f6cd86297f4 100644 --- a/services/cloudfront/pom.xml +++ b/services/cloudfront/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 cloudfront AWS Java SDK :: Services :: Amazon CloudFront diff --git a/services/cloudfrontkeyvaluestore/pom.xml b/services/cloudfrontkeyvaluestore/pom.xml index 1b997c4e6cae..8ca356a1cf94 100644 --- a/services/cloudfrontkeyvaluestore/pom.xml +++ b/services/cloudfrontkeyvaluestore/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 cloudfrontkeyvaluestore AWS Java SDK :: Services :: Cloud Front Key Value Store diff --git a/services/cloudhsm/pom.xml b/services/cloudhsm/pom.xml index 28cf077dadfe..5c1951370725 100644 --- a/services/cloudhsm/pom.xml +++ b/services/cloudhsm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 cloudhsm AWS Java SDK :: Services :: AWS CloudHSM diff --git a/services/cloudhsmv2/pom.xml b/services/cloudhsmv2/pom.xml index 2a86102ca73b..1bc492e8fe11 100644 --- a/services/cloudhsmv2/pom.xml +++ b/services/cloudhsmv2/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21-SNAPSHOT + 2.27.21 4.0.0 cloudhsmv2 diff --git a/services/cloudsearch/pom.xml b/services/cloudsearch/pom.xml index 61bd03bb3033..0c0b94fa387c 100644 --- a/services/cloudsearch/pom.xml +++ b/services/cloudsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 cloudsearch AWS Java SDK :: Services :: Amazon CloudSearch diff --git a/services/cloudsearchdomain/pom.xml b/services/cloudsearchdomain/pom.xml index 271a651c8cfc..5bb13614f548 100644 --- a/services/cloudsearchdomain/pom.xml +++ b/services/cloudsearchdomain/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 cloudsearchdomain AWS Java SDK :: Services :: Amazon CloudSearch Domain diff --git a/services/cloudtrail/pom.xml b/services/cloudtrail/pom.xml index 17dafa8f5445..b2af0f362ce2 100644 --- a/services/cloudtrail/pom.xml +++ b/services/cloudtrail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 cloudtrail AWS Java SDK :: Services :: AWS CloudTrail diff --git a/services/cloudtraildata/pom.xml b/services/cloudtraildata/pom.xml index aa2ad6558339..3b9fc3d206d6 100644 --- a/services/cloudtraildata/pom.xml +++ b/services/cloudtraildata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 cloudtraildata AWS Java SDK :: Services :: Cloud Trail Data diff --git a/services/cloudwatch/pom.xml b/services/cloudwatch/pom.xml index aa406f261a67..f7054eb6fe69 100644 --- a/services/cloudwatch/pom.xml +++ b/services/cloudwatch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 cloudwatch AWS Java SDK :: Services :: Amazon CloudWatch diff --git a/services/cloudwatchevents/pom.xml b/services/cloudwatchevents/pom.xml index 9328be900662..6e885b990fcb 100644 --- a/services/cloudwatchevents/pom.xml +++ b/services/cloudwatchevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 cloudwatchevents AWS Java SDK :: Services :: Amazon CloudWatch Events diff --git a/services/cloudwatchlogs/pom.xml b/services/cloudwatchlogs/pom.xml index 3b420ea3d7f5..d3a828a8472a 100644 --- a/services/cloudwatchlogs/pom.xml +++ b/services/cloudwatchlogs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 cloudwatchlogs AWS Java SDK :: Services :: Amazon CloudWatch Logs diff --git a/services/codeartifact/pom.xml b/services/codeartifact/pom.xml index ebeea223837d..a520040dd4fa 100644 --- a/services/codeartifact/pom.xml +++ b/services/codeartifact/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 codeartifact AWS Java SDK :: Services :: Codeartifact diff --git a/services/codebuild/pom.xml b/services/codebuild/pom.xml index 028e50b1720c..a93535e867c0 100644 --- a/services/codebuild/pom.xml +++ b/services/codebuild/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 codebuild AWS Java SDK :: Services :: AWS Code Build diff --git a/services/codecatalyst/pom.xml b/services/codecatalyst/pom.xml index 2aa7e9ad6736..8baab0ad2f71 100644 --- a/services/codecatalyst/pom.xml +++ b/services/codecatalyst/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 codecatalyst AWS Java SDK :: Services :: Code Catalyst diff --git a/services/codecommit/pom.xml b/services/codecommit/pom.xml index 41956cadb5b4..2f4b266ee4da 100644 --- a/services/codecommit/pom.xml +++ b/services/codecommit/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 codecommit AWS Java SDK :: Services :: AWS CodeCommit diff --git a/services/codeconnections/pom.xml b/services/codeconnections/pom.xml index 0ce0a9be2db2..7634b7c5fde1 100644 --- a/services/codeconnections/pom.xml +++ b/services/codeconnections/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 codeconnections AWS Java SDK :: Services :: Code Connections diff --git a/services/codedeploy/pom.xml b/services/codedeploy/pom.xml index d028e930cf81..119491c50e21 100644 --- a/services/codedeploy/pom.xml +++ b/services/codedeploy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 codedeploy AWS Java SDK :: Services :: AWS CodeDeploy diff --git a/services/codeguruprofiler/pom.xml b/services/codeguruprofiler/pom.xml index 50de98152ff6..7b12250f046e 100644 --- a/services/codeguruprofiler/pom.xml +++ b/services/codeguruprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 codeguruprofiler AWS Java SDK :: Services :: CodeGuruProfiler diff --git a/services/codegurureviewer/pom.xml b/services/codegurureviewer/pom.xml index 437bc0db1456..c731227a6311 100644 --- a/services/codegurureviewer/pom.xml +++ b/services/codegurureviewer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 codegurureviewer AWS Java SDK :: Services :: CodeGuru Reviewer diff --git a/services/codegurusecurity/pom.xml b/services/codegurusecurity/pom.xml index f69ca0de721a..e0353c2f659b 100644 --- a/services/codegurusecurity/pom.xml +++ b/services/codegurusecurity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 codegurusecurity AWS Java SDK :: Services :: Code Guru Security diff --git a/services/codepipeline/pom.xml b/services/codepipeline/pom.xml index 007752c1a44c..cb3a0d102e2f 100644 --- a/services/codepipeline/pom.xml +++ b/services/codepipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 codepipeline AWS Java SDK :: Services :: AWS CodePipeline diff --git a/services/codestarconnections/pom.xml b/services/codestarconnections/pom.xml index fd84c073deaf..0b8eac461625 100644 --- a/services/codestarconnections/pom.xml +++ b/services/codestarconnections/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 codestarconnections AWS Java SDK :: Services :: CodeStar connections diff --git a/services/codestarnotifications/pom.xml b/services/codestarnotifications/pom.xml index 7f77be699771..acfeb0f1f53c 100644 --- a/services/codestarnotifications/pom.xml +++ b/services/codestarnotifications/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 codestarnotifications AWS Java SDK :: Services :: Codestar Notifications diff --git a/services/cognitoidentity/pom.xml b/services/cognitoidentity/pom.xml index 4e703f9800d3..4698c0720e1b 100644 --- a/services/cognitoidentity/pom.xml +++ b/services/cognitoidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 cognitoidentity AWS Java SDK :: Services :: Amazon Cognito Identity diff --git a/services/cognitoidentityprovider/pom.xml b/services/cognitoidentityprovider/pom.xml index 0c8a3a8ca7ce..39d3ecd99c9b 100644 --- a/services/cognitoidentityprovider/pom.xml +++ b/services/cognitoidentityprovider/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 cognitoidentityprovider AWS Java SDK :: Services :: Amazon Cognito Identity Provider Service diff --git a/services/cognitosync/pom.xml b/services/cognitosync/pom.xml index 9f2c65271e45..6cfea8df7704 100644 --- a/services/cognitosync/pom.xml +++ b/services/cognitosync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 cognitosync AWS Java SDK :: Services :: Amazon Cognito Sync diff --git a/services/comprehend/pom.xml b/services/comprehend/pom.xml index ba785402b74f..1a1bb0d0bf48 100644 --- a/services/comprehend/pom.xml +++ b/services/comprehend/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21-SNAPSHOT + 2.27.21 4.0.0 comprehend diff --git a/services/comprehendmedical/pom.xml b/services/comprehendmedical/pom.xml index 121c6e7ef4de..eaa0911eacd9 100644 --- a/services/comprehendmedical/pom.xml +++ b/services/comprehendmedical/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 comprehendmedical AWS Java SDK :: Services :: ComprehendMedical diff --git a/services/computeoptimizer/pom.xml b/services/computeoptimizer/pom.xml index 13e5f2c1e78a..409817b282af 100644 --- a/services/computeoptimizer/pom.xml +++ b/services/computeoptimizer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 computeoptimizer AWS Java SDK :: Services :: Compute Optimizer diff --git a/services/config/pom.xml b/services/config/pom.xml index 076deb0fb6d8..fe03d2b4e888 100644 --- a/services/config/pom.xml +++ b/services/config/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 config AWS Java SDK :: Services :: AWS Config diff --git a/services/connect/pom.xml b/services/connect/pom.xml index 63144a35827b..e749134c75b4 100644 --- a/services/connect/pom.xml +++ b/services/connect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 connect AWS Java SDK :: Services :: Connect diff --git a/services/connectcampaigns/pom.xml b/services/connectcampaigns/pom.xml index adf4a98c4ff0..9d4b22eaedf0 100644 --- a/services/connectcampaigns/pom.xml +++ b/services/connectcampaigns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 connectcampaigns AWS Java SDK :: Services :: Connect Campaigns diff --git a/services/connectcases/pom.xml b/services/connectcases/pom.xml index 65dfecbca14d..b2e2e6becfe5 100644 --- a/services/connectcases/pom.xml +++ b/services/connectcases/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 connectcases AWS Java SDK :: Services :: Connect Cases diff --git a/services/connectcontactlens/pom.xml b/services/connectcontactlens/pom.xml index 05fecc9682a1..e252fdb56d7d 100644 --- a/services/connectcontactlens/pom.xml +++ b/services/connectcontactlens/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 connectcontactlens AWS Java SDK :: Services :: Connect Contact Lens diff --git a/services/connectparticipant/pom.xml b/services/connectparticipant/pom.xml index 4b156aa6a9b2..1c362a607799 100644 --- a/services/connectparticipant/pom.xml +++ b/services/connectparticipant/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 connectparticipant AWS Java SDK :: Services :: ConnectParticipant diff --git a/services/controlcatalog/pom.xml b/services/controlcatalog/pom.xml index 0477fa19139d..bd6786e82f2f 100644 --- a/services/controlcatalog/pom.xml +++ b/services/controlcatalog/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 controlcatalog AWS Java SDK :: Services :: Control Catalog diff --git a/services/controltower/pom.xml b/services/controltower/pom.xml index 0f93565ed98f..5feb1c16d515 100644 --- a/services/controltower/pom.xml +++ b/services/controltower/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 controltower AWS Java SDK :: Services :: Control Tower diff --git a/services/costandusagereport/pom.xml b/services/costandusagereport/pom.xml index 1ecd5d2f07cc..3d700d8c34e6 100644 --- a/services/costandusagereport/pom.xml +++ b/services/costandusagereport/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 costandusagereport AWS Java SDK :: Services :: AWS Cost and Usage Report diff --git a/services/costexplorer/pom.xml b/services/costexplorer/pom.xml index 260b95622228..5c03717be68c 100644 --- a/services/costexplorer/pom.xml +++ b/services/costexplorer/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21-SNAPSHOT + 2.27.21 4.0.0 costexplorer diff --git a/services/costoptimizationhub/pom.xml b/services/costoptimizationhub/pom.xml index 80137c8b7d55..19f7f7470077 100644 --- a/services/costoptimizationhub/pom.xml +++ b/services/costoptimizationhub/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 costoptimizationhub AWS Java SDK :: Services :: Cost Optimization Hub diff --git a/services/customerprofiles/pom.xml b/services/customerprofiles/pom.xml index d709e45f9eba..6cc9bc32ab45 100644 --- a/services/customerprofiles/pom.xml +++ b/services/customerprofiles/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 customerprofiles AWS Java SDK :: Services :: Customer Profiles diff --git a/services/databasemigration/pom.xml b/services/databasemigration/pom.xml index e1571bb2c097..9892ba5502de 100644 --- a/services/databasemigration/pom.xml +++ b/services/databasemigration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 databasemigration AWS Java SDK :: Services :: AWS Database Migration Service diff --git a/services/databrew/pom.xml b/services/databrew/pom.xml index 7119b6f51143..6e6ffc563688 100644 --- a/services/databrew/pom.xml +++ b/services/databrew/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 databrew AWS Java SDK :: Services :: Data Brew diff --git a/services/dataexchange/pom.xml b/services/dataexchange/pom.xml index 818aa6952d8c..b508455d3dc2 100644 --- a/services/dataexchange/pom.xml +++ b/services/dataexchange/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 dataexchange AWS Java SDK :: Services :: DataExchange diff --git a/services/datapipeline/pom.xml b/services/datapipeline/pom.xml index b633e965420c..db62f502c5ff 100644 --- a/services/datapipeline/pom.xml +++ b/services/datapipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 datapipeline AWS Java SDK :: Services :: AWS Data Pipeline diff --git a/services/datasync/pom.xml b/services/datasync/pom.xml index 541d848125fc..776d375740fd 100644 --- a/services/datasync/pom.xml +++ b/services/datasync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 datasync AWS Java SDK :: Services :: DataSync diff --git a/services/datazone/pom.xml b/services/datazone/pom.xml index 0b6096719642..2202b60ba2cb 100644 --- a/services/datazone/pom.xml +++ b/services/datazone/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 datazone AWS Java SDK :: Services :: Data Zone diff --git a/services/dax/pom.xml b/services/dax/pom.xml index 1191efedfb5f..019b69b544f3 100644 --- a/services/dax/pom.xml +++ b/services/dax/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 dax AWS Java SDK :: Services :: Amazon DynamoDB Accelerator (DAX) diff --git a/services/deadline/pom.xml b/services/deadline/pom.xml index b20ffd83134e..d267a5b8626a 100644 --- a/services/deadline/pom.xml +++ b/services/deadline/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 deadline AWS Java SDK :: Services :: Deadline diff --git a/services/detective/pom.xml b/services/detective/pom.xml index bfa91593f80e..a4e7a57b8ab5 100644 --- a/services/detective/pom.xml +++ b/services/detective/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 detective AWS Java SDK :: Services :: Detective diff --git a/services/devicefarm/pom.xml b/services/devicefarm/pom.xml index 4120bb153322..cadc0edbddd6 100644 --- a/services/devicefarm/pom.xml +++ b/services/devicefarm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 devicefarm AWS Java SDK :: Services :: AWS Device Farm diff --git a/services/devopsguru/pom.xml b/services/devopsguru/pom.xml index 9f9278900a1e..50023f56cbe6 100644 --- a/services/devopsguru/pom.xml +++ b/services/devopsguru/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 devopsguru AWS Java SDK :: Services :: Dev Ops Guru diff --git a/services/directconnect/pom.xml b/services/directconnect/pom.xml index aa98297cfcf3..1b893f2c54d5 100644 --- a/services/directconnect/pom.xml +++ b/services/directconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 directconnect AWS Java SDK :: Services :: AWS Direct Connect diff --git a/services/directory/pom.xml b/services/directory/pom.xml index 8a1d8d2b0ba8..c38fec131ee0 100644 --- a/services/directory/pom.xml +++ b/services/directory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 directory AWS Java SDK :: Services :: AWS Directory Service diff --git a/services/dlm/pom.xml b/services/dlm/pom.xml index 9d74853777c8..9d70c2771b3d 100644 --- a/services/dlm/pom.xml +++ b/services/dlm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 dlm AWS Java SDK :: Services :: DLM diff --git a/services/docdb/pom.xml b/services/docdb/pom.xml index 4db29caa12d7..1605697edf0e 100644 --- a/services/docdb/pom.xml +++ b/services/docdb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 docdb AWS Java SDK :: Services :: DocDB diff --git a/services/docdbelastic/pom.xml b/services/docdbelastic/pom.xml index 11761b8e0690..ddaee6ecc64b 100644 --- a/services/docdbelastic/pom.xml +++ b/services/docdbelastic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 docdbelastic AWS Java SDK :: Services :: Doc DB Elastic diff --git a/services/drs/pom.xml b/services/drs/pom.xml index 6769af3213f2..2856f7aff2fb 100644 --- a/services/drs/pom.xml +++ b/services/drs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 drs AWS Java SDK :: Services :: Drs diff --git a/services/dynamodb/pom.xml b/services/dynamodb/pom.xml index 2295f7780e37..df22b4c0f722 100644 --- a/services/dynamodb/pom.xml +++ b/services/dynamodb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 dynamodb AWS Java SDK :: Services :: Amazon DynamoDB diff --git a/services/ebs/pom.xml b/services/ebs/pom.xml index e319b4293873..faeb18dc0136 100644 --- a/services/ebs/pom.xml +++ b/services/ebs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 ebs AWS Java SDK :: Services :: EBS diff --git a/services/ec2/pom.xml b/services/ec2/pom.xml index b7ea7714b399..75396e1a3318 100644 --- a/services/ec2/pom.xml +++ b/services/ec2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 ec2 AWS Java SDK :: Services :: Amazon EC2 diff --git a/services/ec2instanceconnect/pom.xml b/services/ec2instanceconnect/pom.xml index 309be3f3d9e9..64c2a4cbc160 100644 --- a/services/ec2instanceconnect/pom.xml +++ b/services/ec2instanceconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 ec2instanceconnect AWS Java SDK :: Services :: EC2 Instance Connect diff --git a/services/ecr/pom.xml b/services/ecr/pom.xml index dc834d319416..d8bf884cfe64 100644 --- a/services/ecr/pom.xml +++ b/services/ecr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 ecr AWS Java SDK :: Services :: Amazon EC2 Container Registry diff --git a/services/ecrpublic/pom.xml b/services/ecrpublic/pom.xml index d1f6b957e339..c31332ce0584 100644 --- a/services/ecrpublic/pom.xml +++ b/services/ecrpublic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 ecrpublic AWS Java SDK :: Services :: ECR PUBLIC diff --git a/services/ecs/pom.xml b/services/ecs/pom.xml index eea80af62b61..206603703c51 100644 --- a/services/ecs/pom.xml +++ b/services/ecs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 ecs AWS Java SDK :: Services :: Amazon EC2 Container Service diff --git a/services/efs/pom.xml b/services/efs/pom.xml index fddfd8d68299..4dc549461fc5 100644 --- a/services/efs/pom.xml +++ b/services/efs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 efs AWS Java SDK :: Services :: Amazon Elastic File System diff --git a/services/eks/pom.xml b/services/eks/pom.xml index 4067ef1ab9cc..2322e4f290f3 100644 --- a/services/eks/pom.xml +++ b/services/eks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 eks AWS Java SDK :: Services :: EKS diff --git a/services/eksauth/pom.xml b/services/eksauth/pom.xml index 8d8225df8582..78c6602fd92d 100644 --- a/services/eksauth/pom.xml +++ b/services/eksauth/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 eksauth AWS Java SDK :: Services :: EKS Auth diff --git a/services/elasticache/pom.xml b/services/elasticache/pom.xml index c5e4ca38585d..11079e235ff4 100644 --- a/services/elasticache/pom.xml +++ b/services/elasticache/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 elasticache AWS Java SDK :: Services :: Amazon ElastiCache diff --git a/services/elasticbeanstalk/pom.xml b/services/elasticbeanstalk/pom.xml index d47255be2329..0839059520c5 100644 --- a/services/elasticbeanstalk/pom.xml +++ b/services/elasticbeanstalk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 elasticbeanstalk AWS Java SDK :: Services :: AWS Elastic Beanstalk diff --git a/services/elasticinference/pom.xml b/services/elasticinference/pom.xml index e7e08312f3b1..ee948069ad67 100644 --- a/services/elasticinference/pom.xml +++ b/services/elasticinference/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 elasticinference AWS Java SDK :: Services :: Elastic Inference diff --git a/services/elasticloadbalancing/pom.xml b/services/elasticloadbalancing/pom.xml index d4ddc2ec47bb..4745bd7e8e85 100644 --- a/services/elasticloadbalancing/pom.xml +++ b/services/elasticloadbalancing/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 elasticloadbalancing AWS Java SDK :: Services :: Elastic Load Balancing diff --git a/services/elasticloadbalancingv2/pom.xml b/services/elasticloadbalancingv2/pom.xml index 5d643de13f01..754aea50ead0 100644 --- a/services/elasticloadbalancingv2/pom.xml +++ b/services/elasticloadbalancingv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 elasticloadbalancingv2 AWS Java SDK :: Services :: Elastic Load Balancing V2 diff --git a/services/elasticsearch/pom.xml b/services/elasticsearch/pom.xml index 55aba69c7701..5232b797c817 100644 --- a/services/elasticsearch/pom.xml +++ b/services/elasticsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 elasticsearch AWS Java SDK :: Services :: Amazon Elasticsearch Service diff --git a/services/elastictranscoder/pom.xml b/services/elastictranscoder/pom.xml index 0bb7a21e2153..dfb9994d51a7 100644 --- a/services/elastictranscoder/pom.xml +++ b/services/elastictranscoder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 elastictranscoder AWS Java SDK :: Services :: Amazon Elastic Transcoder diff --git a/services/emr/pom.xml b/services/emr/pom.xml index 4f2b485ec54d..c4ac38831f96 100644 --- a/services/emr/pom.xml +++ b/services/emr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 emr AWS Java SDK :: Services :: Amazon EMR diff --git a/services/emrcontainers/pom.xml b/services/emrcontainers/pom.xml index 8efad2d6fcac..a195fcc164ff 100644 --- a/services/emrcontainers/pom.xml +++ b/services/emrcontainers/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 emrcontainers AWS Java SDK :: Services :: EMR Containers diff --git a/services/emrserverless/pom.xml b/services/emrserverless/pom.xml index dc9c26ef9278..a2c4e1366568 100644 --- a/services/emrserverless/pom.xml +++ b/services/emrserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 emrserverless AWS Java SDK :: Services :: EMR Serverless diff --git a/services/entityresolution/pom.xml b/services/entityresolution/pom.xml index 52e7ee3b0e89..9cf6b7220364 100644 --- a/services/entityresolution/pom.xml +++ b/services/entityresolution/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 entityresolution AWS Java SDK :: Services :: Entity Resolution diff --git a/services/eventbridge/pom.xml b/services/eventbridge/pom.xml index 270644efeefd..5f95fd3a0aef 100644 --- a/services/eventbridge/pom.xml +++ b/services/eventbridge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 eventbridge AWS Java SDK :: Services :: EventBridge diff --git a/services/evidently/pom.xml b/services/evidently/pom.xml index 04057e66e8a3..873e05bfd725 100644 --- a/services/evidently/pom.xml +++ b/services/evidently/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 evidently AWS Java SDK :: Services :: Evidently diff --git a/services/finspace/pom.xml b/services/finspace/pom.xml index 7f8ade8075f4..e3a8e4466a04 100644 --- a/services/finspace/pom.xml +++ b/services/finspace/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 finspace AWS Java SDK :: Services :: Finspace diff --git a/services/finspacedata/pom.xml b/services/finspacedata/pom.xml index 37f04569523c..a504e97242c8 100644 --- a/services/finspacedata/pom.xml +++ b/services/finspacedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 finspacedata AWS Java SDK :: Services :: Finspace Data diff --git a/services/firehose/pom.xml b/services/firehose/pom.xml index 65b5a0cfd843..131fe955c70a 100644 --- a/services/firehose/pom.xml +++ b/services/firehose/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 firehose AWS Java SDK :: Services :: Amazon Kinesis Firehose diff --git a/services/fis/pom.xml b/services/fis/pom.xml index 296feb6e054c..b81c2af5567c 100644 --- a/services/fis/pom.xml +++ b/services/fis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 fis AWS Java SDK :: Services :: Fis diff --git a/services/fms/pom.xml b/services/fms/pom.xml index fe6021039afa..91a6f994ba75 100644 --- a/services/fms/pom.xml +++ b/services/fms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 fms AWS Java SDK :: Services :: FMS diff --git a/services/forecast/pom.xml b/services/forecast/pom.xml index b977f1747793..0ebe0bfc0dfb 100644 --- a/services/forecast/pom.xml +++ b/services/forecast/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 forecast AWS Java SDK :: Services :: Forecast diff --git a/services/forecastquery/pom.xml b/services/forecastquery/pom.xml index c9492bb6fd21..231d1f5d57e8 100644 --- a/services/forecastquery/pom.xml +++ b/services/forecastquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 forecastquery AWS Java SDK :: Services :: Forecastquery diff --git a/services/frauddetector/pom.xml b/services/frauddetector/pom.xml index 6fbaf8c62fb3..9bc561ec7657 100644 --- a/services/frauddetector/pom.xml +++ b/services/frauddetector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 frauddetector AWS Java SDK :: Services :: FraudDetector diff --git a/services/freetier/pom.xml b/services/freetier/pom.xml index 9c64abb0ff09..36335bf6cc1c 100644 --- a/services/freetier/pom.xml +++ b/services/freetier/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 freetier AWS Java SDK :: Services :: Free Tier diff --git a/services/fsx/pom.xml b/services/fsx/pom.xml index d97e6f12d2d0..65121321108e 100644 --- a/services/fsx/pom.xml +++ b/services/fsx/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 fsx AWS Java SDK :: Services :: FSx diff --git a/services/gamelift/pom.xml b/services/gamelift/pom.xml index 362d483a00a6..d408cd7d62c4 100644 --- a/services/gamelift/pom.xml +++ b/services/gamelift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 gamelift AWS Java SDK :: Services :: AWS GameLift diff --git a/services/glacier/pom.xml b/services/glacier/pom.xml index 4d113beece05..1ff27deb9fe3 100644 --- a/services/glacier/pom.xml +++ b/services/glacier/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 glacier AWS Java SDK :: Services :: Amazon Glacier diff --git a/services/globalaccelerator/pom.xml b/services/globalaccelerator/pom.xml index 557851b5b7a5..954457654aa1 100644 --- a/services/globalaccelerator/pom.xml +++ b/services/globalaccelerator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 globalaccelerator AWS Java SDK :: Services :: Global Accelerator diff --git a/services/glue/pom.xml b/services/glue/pom.xml index 2144cfa261b3..5c0f7a1c873c 100644 --- a/services/glue/pom.xml +++ b/services/glue/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21-SNAPSHOT + 2.27.21 4.0.0 glue diff --git a/services/grafana/pom.xml b/services/grafana/pom.xml index 73129699e3f1..64e5c4c1dfbf 100644 --- a/services/grafana/pom.xml +++ b/services/grafana/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 grafana AWS Java SDK :: Services :: Grafana diff --git a/services/greengrass/pom.xml b/services/greengrass/pom.xml index ea89fadd9b25..f2a3a174c007 100644 --- a/services/greengrass/pom.xml +++ b/services/greengrass/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 greengrass AWS Java SDK :: Services :: AWS Greengrass diff --git a/services/greengrassv2/pom.xml b/services/greengrassv2/pom.xml index ee228a555270..857069ad8d14 100644 --- a/services/greengrassv2/pom.xml +++ b/services/greengrassv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 greengrassv2 AWS Java SDK :: Services :: Greengrass V2 diff --git a/services/groundstation/pom.xml b/services/groundstation/pom.xml index 84d453018234..ace57d6783e5 100644 --- a/services/groundstation/pom.xml +++ b/services/groundstation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 groundstation AWS Java SDK :: Services :: GroundStation diff --git a/services/guardduty/pom.xml b/services/guardduty/pom.xml index 49a929b975c0..0c2db4df25f3 100644 --- a/services/guardduty/pom.xml +++ b/services/guardduty/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21-SNAPSHOT + 2.27.21 4.0.0 guardduty diff --git a/services/health/pom.xml b/services/health/pom.xml index 7db15e7eb7c4..a93fd69bad23 100644 --- a/services/health/pom.xml +++ b/services/health/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 health AWS Java SDK :: Services :: AWS Health APIs and Notifications diff --git a/services/healthlake/pom.xml b/services/healthlake/pom.xml index cca02fbb20d4..f79318584633 100644 --- a/services/healthlake/pom.xml +++ b/services/healthlake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 healthlake AWS Java SDK :: Services :: Health Lake diff --git a/services/iam/pom.xml b/services/iam/pom.xml index 07625f5091bc..dab5247789d6 100644 --- a/services/iam/pom.xml +++ b/services/iam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 iam AWS Java SDK :: Services :: AWS IAM diff --git a/services/identitystore/pom.xml b/services/identitystore/pom.xml index a74ebd259ead..a02005c74128 100644 --- a/services/identitystore/pom.xml +++ b/services/identitystore/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 identitystore AWS Java SDK :: Services :: Identitystore diff --git a/services/imagebuilder/pom.xml b/services/imagebuilder/pom.xml index 20737471d7d7..bb5ebcd6e371 100644 --- a/services/imagebuilder/pom.xml +++ b/services/imagebuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 imagebuilder AWS Java SDK :: Services :: Imagebuilder diff --git a/services/inspector/pom.xml b/services/inspector/pom.xml index 348c1eeb2996..722d146f45a1 100644 --- a/services/inspector/pom.xml +++ b/services/inspector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 inspector AWS Java SDK :: Services :: Amazon Inspector Service diff --git a/services/inspector2/pom.xml b/services/inspector2/pom.xml index ffa16518d816..1f57f351cb58 100644 --- a/services/inspector2/pom.xml +++ b/services/inspector2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 inspector2 AWS Java SDK :: Services :: Inspector2 diff --git a/services/inspectorscan/pom.xml b/services/inspectorscan/pom.xml index 27e061f58b55..3b5f1cb0a81e 100644 --- a/services/inspectorscan/pom.xml +++ b/services/inspectorscan/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 inspectorscan AWS Java SDK :: Services :: Inspector Scan diff --git a/services/internetmonitor/pom.xml b/services/internetmonitor/pom.xml index 6a8edf9d9f6c..3330b4cfea14 100644 --- a/services/internetmonitor/pom.xml +++ b/services/internetmonitor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 internetmonitor AWS Java SDK :: Services :: Internet Monitor diff --git a/services/iot/pom.xml b/services/iot/pom.xml index 2b60e098e4d4..8edba6be6b64 100644 --- a/services/iot/pom.xml +++ b/services/iot/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 iot AWS Java SDK :: Services :: AWS IoT diff --git a/services/iot1clickdevices/pom.xml b/services/iot1clickdevices/pom.xml index 5b7059320729..95bb35720d0a 100644 --- a/services/iot1clickdevices/pom.xml +++ b/services/iot1clickdevices/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 iot1clickdevices AWS Java SDK :: Services :: IoT 1Click Devices Service diff --git a/services/iot1clickprojects/pom.xml b/services/iot1clickprojects/pom.xml index b625b715457e..7e3755e9e235 100644 --- a/services/iot1clickprojects/pom.xml +++ b/services/iot1clickprojects/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 iot1clickprojects AWS Java SDK :: Services :: IoT 1Click Projects diff --git a/services/iotanalytics/pom.xml b/services/iotanalytics/pom.xml index 3409952a53a9..af654f4ab45f 100644 --- a/services/iotanalytics/pom.xml +++ b/services/iotanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 iotanalytics AWS Java SDK :: Services :: IoTAnalytics diff --git a/services/iotdataplane/pom.xml b/services/iotdataplane/pom.xml index f9130395dc6c..e730a4848e8d 100644 --- a/services/iotdataplane/pom.xml +++ b/services/iotdataplane/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 iotdataplane AWS Java SDK :: Services :: AWS IoT Data Plane diff --git a/services/iotdeviceadvisor/pom.xml b/services/iotdeviceadvisor/pom.xml index 7cdb02186106..8a051156ce29 100644 --- a/services/iotdeviceadvisor/pom.xml +++ b/services/iotdeviceadvisor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 iotdeviceadvisor AWS Java SDK :: Services :: Iot Device Advisor diff --git a/services/iotevents/pom.xml b/services/iotevents/pom.xml index e2bffdafeb4c..3326067c1a16 100644 --- a/services/iotevents/pom.xml +++ b/services/iotevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 iotevents AWS Java SDK :: Services :: IoT Events diff --git a/services/ioteventsdata/pom.xml b/services/ioteventsdata/pom.xml index 53578ef71ab5..6bd5014a7d8c 100644 --- a/services/ioteventsdata/pom.xml +++ b/services/ioteventsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 ioteventsdata AWS Java SDK :: Services :: IoT Events Data diff --git a/services/iotfleethub/pom.xml b/services/iotfleethub/pom.xml index ee910754dbc8..5a0b4f5ba32d 100644 --- a/services/iotfleethub/pom.xml +++ b/services/iotfleethub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 iotfleethub AWS Java SDK :: Services :: Io T Fleet Hub diff --git a/services/iotfleetwise/pom.xml b/services/iotfleetwise/pom.xml index a2fb95703adf..faf7e8eacdde 100644 --- a/services/iotfleetwise/pom.xml +++ b/services/iotfleetwise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 iotfleetwise AWS Java SDK :: Services :: Io T Fleet Wise diff --git a/services/iotjobsdataplane/pom.xml b/services/iotjobsdataplane/pom.xml index d62b1e3f2524..5b34dd631e81 100644 --- a/services/iotjobsdataplane/pom.xml +++ b/services/iotjobsdataplane/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 iotjobsdataplane AWS Java SDK :: Services :: IoT Jobs Data Plane diff --git a/services/iotsecuretunneling/pom.xml b/services/iotsecuretunneling/pom.xml index f8e58bbe9dba..293a3216ccca 100644 --- a/services/iotsecuretunneling/pom.xml +++ b/services/iotsecuretunneling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 iotsecuretunneling AWS Java SDK :: Services :: IoTSecureTunneling diff --git a/services/iotsitewise/pom.xml b/services/iotsitewise/pom.xml index e7f012c0d58e..ce68a2e9c48c 100644 --- a/services/iotsitewise/pom.xml +++ b/services/iotsitewise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 iotsitewise AWS Java SDK :: Services :: Io T Site Wise diff --git a/services/iotthingsgraph/pom.xml b/services/iotthingsgraph/pom.xml index de273b25ac34..8e34ffedc66b 100644 --- a/services/iotthingsgraph/pom.xml +++ b/services/iotthingsgraph/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 iotthingsgraph AWS Java SDK :: Services :: IoTThingsGraph diff --git a/services/iottwinmaker/pom.xml b/services/iottwinmaker/pom.xml index b213a9b93998..6a763ee29724 100644 --- a/services/iottwinmaker/pom.xml +++ b/services/iottwinmaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 iottwinmaker AWS Java SDK :: Services :: Io T Twin Maker diff --git a/services/iotwireless/pom.xml b/services/iotwireless/pom.xml index 0f8697a8f18a..e1815ef780ce 100644 --- a/services/iotwireless/pom.xml +++ b/services/iotwireless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 iotwireless AWS Java SDK :: Services :: IoT Wireless diff --git a/services/ivs/pom.xml b/services/ivs/pom.xml index 4ee41bdac3a1..3990cff2c0ba 100644 --- a/services/ivs/pom.xml +++ b/services/ivs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 ivs AWS Java SDK :: Services :: Ivs diff --git a/services/ivschat/pom.xml b/services/ivschat/pom.xml index f8a04281d9f3..2afaa5d1a9ce 100644 --- a/services/ivschat/pom.xml +++ b/services/ivschat/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 ivschat AWS Java SDK :: Services :: Ivschat diff --git a/services/ivsrealtime/pom.xml b/services/ivsrealtime/pom.xml index 18d3d17c7deb..a7f73f014140 100644 --- a/services/ivsrealtime/pom.xml +++ b/services/ivsrealtime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 ivsrealtime AWS Java SDK :: Services :: IVS Real Time diff --git a/services/kafka/pom.xml b/services/kafka/pom.xml index 04c7273dd8b9..c3cd2b79ca33 100644 --- a/services/kafka/pom.xml +++ b/services/kafka/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 kafka AWS Java SDK :: Services :: Kafka diff --git a/services/kafkaconnect/pom.xml b/services/kafkaconnect/pom.xml index 44620f5cfb22..47a9bea4a5bf 100644 --- a/services/kafkaconnect/pom.xml +++ b/services/kafkaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 kafkaconnect AWS Java SDK :: Services :: Kafka Connect diff --git a/services/kendra/pom.xml b/services/kendra/pom.xml index 88aabdb4ea59..8b11ac7adddb 100644 --- a/services/kendra/pom.xml +++ b/services/kendra/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 kendra AWS Java SDK :: Services :: Kendra diff --git a/services/kendraranking/pom.xml b/services/kendraranking/pom.xml index 3662de1bce68..405e4e9a6293 100644 --- a/services/kendraranking/pom.xml +++ b/services/kendraranking/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 kendraranking AWS Java SDK :: Services :: Kendra Ranking diff --git a/services/keyspaces/pom.xml b/services/keyspaces/pom.xml index e181eab5f931..afe08e5b5cac 100644 --- a/services/keyspaces/pom.xml +++ b/services/keyspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 keyspaces AWS Java SDK :: Services :: Keyspaces diff --git a/services/kinesis/pom.xml b/services/kinesis/pom.xml index 4216f233bf84..dc55b36501b8 100644 --- a/services/kinesis/pom.xml +++ b/services/kinesis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 kinesis AWS Java SDK :: Services :: Amazon Kinesis diff --git a/services/kinesisanalytics/pom.xml b/services/kinesisanalytics/pom.xml index a4209f7b8df6..609c5fdc146c 100644 --- a/services/kinesisanalytics/pom.xml +++ b/services/kinesisanalytics/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 kinesisanalytics AWS Java SDK :: Services :: Amazon Kinesis Analytics diff --git a/services/kinesisanalyticsv2/pom.xml b/services/kinesisanalyticsv2/pom.xml index 399939a949e2..1d060e0eff3e 100644 --- a/services/kinesisanalyticsv2/pom.xml +++ b/services/kinesisanalyticsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 kinesisanalyticsv2 AWS Java SDK :: Services :: Kinesis Analytics V2 diff --git a/services/kinesisvideo/pom.xml b/services/kinesisvideo/pom.xml index e591f1f35a72..1dce29f4373e 100644 --- a/services/kinesisvideo/pom.xml +++ b/services/kinesisvideo/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21-SNAPSHOT + 2.27.21 4.0.0 kinesisvideo diff --git a/services/kinesisvideoarchivedmedia/pom.xml b/services/kinesisvideoarchivedmedia/pom.xml index bbc6f4ba0e5c..f5d44b461819 100644 --- a/services/kinesisvideoarchivedmedia/pom.xml +++ b/services/kinesisvideoarchivedmedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 kinesisvideoarchivedmedia AWS Java SDK :: Services :: Kinesis Video Archived Media diff --git a/services/kinesisvideomedia/pom.xml b/services/kinesisvideomedia/pom.xml index 7c966d0cf7fb..15c2ba96532c 100644 --- a/services/kinesisvideomedia/pom.xml +++ b/services/kinesisvideomedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 kinesisvideomedia AWS Java SDK :: Services :: Kinesis Video Media diff --git a/services/kinesisvideosignaling/pom.xml b/services/kinesisvideosignaling/pom.xml index e2eddcde88d8..b3621dac4b83 100644 --- a/services/kinesisvideosignaling/pom.xml +++ b/services/kinesisvideosignaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 kinesisvideosignaling AWS Java SDK :: Services :: Kinesis Video Signaling diff --git a/services/kinesisvideowebrtcstorage/pom.xml b/services/kinesisvideowebrtcstorage/pom.xml index bf71cf7dc38a..cfa1ccdb97f5 100644 --- a/services/kinesisvideowebrtcstorage/pom.xml +++ b/services/kinesisvideowebrtcstorage/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 kinesisvideowebrtcstorage AWS Java SDK :: Services :: Kinesis Video Web RTC Storage diff --git a/services/kms/pom.xml b/services/kms/pom.xml index 76398e43b2a4..daae1e213c56 100644 --- a/services/kms/pom.xml +++ b/services/kms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 kms AWS Java SDK :: Services :: AWS KMS diff --git a/services/lakeformation/pom.xml b/services/lakeformation/pom.xml index 244469af05ec..b7afc5014c64 100644 --- a/services/lakeformation/pom.xml +++ b/services/lakeformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 lakeformation AWS Java SDK :: Services :: LakeFormation diff --git a/services/lambda/pom.xml b/services/lambda/pom.xml index c8098a0f4523..e25f8fd3fc8e 100644 --- a/services/lambda/pom.xml +++ b/services/lambda/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 lambda AWS Java SDK :: Services :: AWS Lambda diff --git a/services/launchwizard/pom.xml b/services/launchwizard/pom.xml index 09ff06f015f8..b0b74ee925da 100644 --- a/services/launchwizard/pom.xml +++ b/services/launchwizard/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 launchwizard AWS Java SDK :: Services :: Launch Wizard diff --git a/services/lexmodelbuilding/pom.xml b/services/lexmodelbuilding/pom.xml index df5fb8a5e8f0..92229f226af6 100644 --- a/services/lexmodelbuilding/pom.xml +++ b/services/lexmodelbuilding/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 lexmodelbuilding AWS Java SDK :: Services :: Amazon Lex Model Building diff --git a/services/lexmodelsv2/pom.xml b/services/lexmodelsv2/pom.xml index 312577f52c12..16e8d04c8aa7 100644 --- a/services/lexmodelsv2/pom.xml +++ b/services/lexmodelsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 lexmodelsv2 AWS Java SDK :: Services :: Lex Models V2 diff --git a/services/lexruntime/pom.xml b/services/lexruntime/pom.xml index 2a91f39887f8..93ef625ae691 100644 --- a/services/lexruntime/pom.xml +++ b/services/lexruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 lexruntime AWS Java SDK :: Services :: Amazon Lex Runtime diff --git a/services/lexruntimev2/pom.xml b/services/lexruntimev2/pom.xml index 88291c6304c7..7c2955db71c5 100644 --- a/services/lexruntimev2/pom.xml +++ b/services/lexruntimev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 lexruntimev2 AWS Java SDK :: Services :: Lex Runtime V2 diff --git a/services/licensemanager/pom.xml b/services/licensemanager/pom.xml index f17fa4f8c277..93a42104d9a9 100644 --- a/services/licensemanager/pom.xml +++ b/services/licensemanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 licensemanager AWS Java SDK :: Services :: License Manager diff --git a/services/licensemanagerlinuxsubscriptions/pom.xml b/services/licensemanagerlinuxsubscriptions/pom.xml index 28b684036be9..305507e452ee 100644 --- a/services/licensemanagerlinuxsubscriptions/pom.xml +++ b/services/licensemanagerlinuxsubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 licensemanagerlinuxsubscriptions AWS Java SDK :: Services :: License Manager Linux Subscriptions diff --git a/services/licensemanagerusersubscriptions/pom.xml b/services/licensemanagerusersubscriptions/pom.xml index 23d194ad4454..7028ea8fc9ec 100644 --- a/services/licensemanagerusersubscriptions/pom.xml +++ b/services/licensemanagerusersubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 licensemanagerusersubscriptions AWS Java SDK :: Services :: License Manager User Subscriptions diff --git a/services/lightsail/pom.xml b/services/lightsail/pom.xml index f0a942e5ece0..c7fd0ea7dabf 100644 --- a/services/lightsail/pom.xml +++ b/services/lightsail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 lightsail AWS Java SDK :: Services :: Amazon Lightsail diff --git a/services/location/pom.xml b/services/location/pom.xml index 0391ee76b3e4..bc2452c14ede 100644 --- a/services/location/pom.xml +++ b/services/location/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 location AWS Java SDK :: Services :: Location diff --git a/services/lookoutequipment/pom.xml b/services/lookoutequipment/pom.xml index 4aca7aee5cac..4095d92d200f 100644 --- a/services/lookoutequipment/pom.xml +++ b/services/lookoutequipment/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 lookoutequipment AWS Java SDK :: Services :: Lookout Equipment diff --git a/services/lookoutmetrics/pom.xml b/services/lookoutmetrics/pom.xml index 12e8ff9f770e..ca8cced84f57 100644 --- a/services/lookoutmetrics/pom.xml +++ b/services/lookoutmetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 lookoutmetrics AWS Java SDK :: Services :: Lookout Metrics diff --git a/services/lookoutvision/pom.xml b/services/lookoutvision/pom.xml index 8b7bc7499418..bcd455278a0f 100644 --- a/services/lookoutvision/pom.xml +++ b/services/lookoutvision/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 lookoutvision AWS Java SDK :: Services :: Lookout Vision diff --git a/services/m2/pom.xml b/services/m2/pom.xml index 26d524dd32c2..edc088db12ec 100644 --- a/services/m2/pom.xml +++ b/services/m2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 m2 AWS Java SDK :: Services :: M2 diff --git a/services/machinelearning/pom.xml b/services/machinelearning/pom.xml index ee3a88f89be0..379e4b2f9be6 100644 --- a/services/machinelearning/pom.xml +++ b/services/machinelearning/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 machinelearning AWS Java SDK :: Services :: Amazon Machine Learning diff --git a/services/macie2/pom.xml b/services/macie2/pom.xml index a83c67a925a6..1009936b864f 100644 --- a/services/macie2/pom.xml +++ b/services/macie2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 macie2 AWS Java SDK :: Services :: Macie2 diff --git a/services/mailmanager/pom.xml b/services/mailmanager/pom.xml index c4ccf56be653..105c65e5b912 100644 --- a/services/mailmanager/pom.xml +++ b/services/mailmanager/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 mailmanager AWS Java SDK :: Services :: Mail Manager diff --git a/services/managedblockchain/pom.xml b/services/managedblockchain/pom.xml index 9c36ebe9e5e2..f3ddd68023be 100644 --- a/services/managedblockchain/pom.xml +++ b/services/managedblockchain/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 managedblockchain AWS Java SDK :: Services :: ManagedBlockchain diff --git a/services/managedblockchainquery/pom.xml b/services/managedblockchainquery/pom.xml index 0ced0b8fee17..bf2748d7dc21 100644 --- a/services/managedblockchainquery/pom.xml +++ b/services/managedblockchainquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 managedblockchainquery AWS Java SDK :: Services :: Managed Blockchain Query diff --git a/services/marketplaceagreement/pom.xml b/services/marketplaceagreement/pom.xml index 3d3ff367746a..ab0f736fadb7 100644 --- a/services/marketplaceagreement/pom.xml +++ b/services/marketplaceagreement/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 marketplaceagreement AWS Java SDK :: Services :: Marketplace Agreement diff --git a/services/marketplacecatalog/pom.xml b/services/marketplacecatalog/pom.xml index 0eaf5a3aa04b..f848fe734430 100644 --- a/services/marketplacecatalog/pom.xml +++ b/services/marketplacecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 marketplacecatalog AWS Java SDK :: Services :: Marketplace Catalog diff --git a/services/marketplacecommerceanalytics/pom.xml b/services/marketplacecommerceanalytics/pom.xml index 62d27cdf1374..720489309f2f 100644 --- a/services/marketplacecommerceanalytics/pom.xml +++ b/services/marketplacecommerceanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 marketplacecommerceanalytics AWS Java SDK :: Services :: AWS Marketplace Commerce Analytics diff --git a/services/marketplacedeployment/pom.xml b/services/marketplacedeployment/pom.xml index 2156efe68979..635585ec5f32 100644 --- a/services/marketplacedeployment/pom.xml +++ b/services/marketplacedeployment/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 marketplacedeployment AWS Java SDK :: Services :: Marketplace Deployment diff --git a/services/marketplaceentitlement/pom.xml b/services/marketplaceentitlement/pom.xml index 537e96f22f38..4e49dd79c43a 100644 --- a/services/marketplaceentitlement/pom.xml +++ b/services/marketplaceentitlement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 marketplaceentitlement AWS Java SDK :: Services :: AWS Marketplace Entitlement diff --git a/services/marketplacemetering/pom.xml b/services/marketplacemetering/pom.xml index 18a4405180c7..19fd1f0a3782 100644 --- a/services/marketplacemetering/pom.xml +++ b/services/marketplacemetering/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 marketplacemetering AWS Java SDK :: Services :: AWS Marketplace Metering Service diff --git a/services/mediaconnect/pom.xml b/services/mediaconnect/pom.xml index 8dbbe1787081..18e88ace2ec0 100644 --- a/services/mediaconnect/pom.xml +++ b/services/mediaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 mediaconnect AWS Java SDK :: Services :: MediaConnect diff --git a/services/mediaconvert/pom.xml b/services/mediaconvert/pom.xml index 2494be34c398..a966c8eec53a 100644 --- a/services/mediaconvert/pom.xml +++ b/services/mediaconvert/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21-SNAPSHOT + 2.27.21 4.0.0 mediaconvert diff --git a/services/medialive/pom.xml b/services/medialive/pom.xml index 40c956e4b38d..56a564606df6 100644 --- a/services/medialive/pom.xml +++ b/services/medialive/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21-SNAPSHOT + 2.27.21 4.0.0 medialive diff --git a/services/mediapackage/pom.xml b/services/mediapackage/pom.xml index 78d05028eb9a..83c25f1a5dd4 100644 --- a/services/mediapackage/pom.xml +++ b/services/mediapackage/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21-SNAPSHOT + 2.27.21 4.0.0 mediapackage diff --git a/services/mediapackagev2/pom.xml b/services/mediapackagev2/pom.xml index 11b262c8cc2f..8f1a861ad306 100644 --- a/services/mediapackagev2/pom.xml +++ b/services/mediapackagev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 mediapackagev2 AWS Java SDK :: Services :: Media Package V2 diff --git a/services/mediapackagevod/pom.xml b/services/mediapackagevod/pom.xml index f5171be81b72..ed366e5d03f4 100644 --- a/services/mediapackagevod/pom.xml +++ b/services/mediapackagevod/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 mediapackagevod AWS Java SDK :: Services :: MediaPackage Vod diff --git a/services/mediastore/pom.xml b/services/mediastore/pom.xml index bc9f10830a26..8d5b9eca74ed 100644 --- a/services/mediastore/pom.xml +++ b/services/mediastore/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21-SNAPSHOT + 2.27.21 4.0.0 mediastore diff --git a/services/mediastoredata/pom.xml b/services/mediastoredata/pom.xml index a0b3258144eb..0415ec066bdd 100644 --- a/services/mediastoredata/pom.xml +++ b/services/mediastoredata/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21-SNAPSHOT + 2.27.21 4.0.0 mediastoredata diff --git a/services/mediatailor/pom.xml b/services/mediatailor/pom.xml index 700f9a3b1322..11630f8c652c 100644 --- a/services/mediatailor/pom.xml +++ b/services/mediatailor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 mediatailor AWS Java SDK :: Services :: MediaTailor diff --git a/services/medicalimaging/pom.xml b/services/medicalimaging/pom.xml index 8041bf0d9e9d..1d39b2187c2e 100644 --- a/services/medicalimaging/pom.xml +++ b/services/medicalimaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 medicalimaging AWS Java SDK :: Services :: Medical Imaging diff --git a/services/memorydb/pom.xml b/services/memorydb/pom.xml index 7ee5d43d100a..196d5578e905 100644 --- a/services/memorydb/pom.xml +++ b/services/memorydb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 memorydb AWS Java SDK :: Services :: Memory DB diff --git a/services/mgn/pom.xml b/services/mgn/pom.xml index fcd4a48b6517..3eaab6f073ef 100644 --- a/services/mgn/pom.xml +++ b/services/mgn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 mgn AWS Java SDK :: Services :: Mgn diff --git a/services/migrationhub/pom.xml b/services/migrationhub/pom.xml index 423354a1c9aa..b81395f9b03a 100644 --- a/services/migrationhub/pom.xml +++ b/services/migrationhub/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21-SNAPSHOT + 2.27.21 4.0.0 migrationhub diff --git a/services/migrationhubconfig/pom.xml b/services/migrationhubconfig/pom.xml index 2836644fb4f8..bc09e1744419 100644 --- a/services/migrationhubconfig/pom.xml +++ b/services/migrationhubconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 migrationhubconfig AWS Java SDK :: Services :: MigrationHub Config diff --git a/services/migrationhuborchestrator/pom.xml b/services/migrationhuborchestrator/pom.xml index c30adecc17ba..dba9fff29e59 100644 --- a/services/migrationhuborchestrator/pom.xml +++ b/services/migrationhuborchestrator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 migrationhuborchestrator AWS Java SDK :: Services :: Migration Hub Orchestrator diff --git a/services/migrationhubrefactorspaces/pom.xml b/services/migrationhubrefactorspaces/pom.xml index 99bb432bfa3c..e178a17a9fa7 100644 --- a/services/migrationhubrefactorspaces/pom.xml +++ b/services/migrationhubrefactorspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 migrationhubrefactorspaces AWS Java SDK :: Services :: Migration Hub Refactor Spaces diff --git a/services/migrationhubstrategy/pom.xml b/services/migrationhubstrategy/pom.xml index 4db9f4ed007d..4d493b50692d 100644 --- a/services/migrationhubstrategy/pom.xml +++ b/services/migrationhubstrategy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 migrationhubstrategy AWS Java SDK :: Services :: Migration Hub Strategy diff --git a/services/mq/pom.xml b/services/mq/pom.xml index 101235070a2d..abf31537f1b3 100644 --- a/services/mq/pom.xml +++ b/services/mq/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21-SNAPSHOT + 2.27.21 4.0.0 mq diff --git a/services/mturk/pom.xml b/services/mturk/pom.xml index 77ea2333e2f1..0ec20ad4f63c 100644 --- a/services/mturk/pom.xml +++ b/services/mturk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 mturk AWS Java SDK :: Services :: Amazon Mechanical Turk Requester diff --git a/services/mwaa/pom.xml b/services/mwaa/pom.xml index 97a246bbbd46..30ccf35d8593 100644 --- a/services/mwaa/pom.xml +++ b/services/mwaa/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 mwaa AWS Java SDK :: Services :: MWAA diff --git a/services/neptune/pom.xml b/services/neptune/pom.xml index 3f933f772e8a..52d9ce3bac27 100644 --- a/services/neptune/pom.xml +++ b/services/neptune/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 neptune AWS Java SDK :: Services :: Neptune diff --git a/services/neptunedata/pom.xml b/services/neptunedata/pom.xml index 7e89eeb9d205..e292874cacff 100644 --- a/services/neptunedata/pom.xml +++ b/services/neptunedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 neptunedata AWS Java SDK :: Services :: Neptunedata diff --git a/services/neptunegraph/pom.xml b/services/neptunegraph/pom.xml index 93fe13222d25..c502803f56ca 100644 --- a/services/neptunegraph/pom.xml +++ b/services/neptunegraph/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 neptunegraph AWS Java SDK :: Services :: Neptune Graph diff --git a/services/networkfirewall/pom.xml b/services/networkfirewall/pom.xml index 198baacd09c8..cd4ca68c0199 100644 --- a/services/networkfirewall/pom.xml +++ b/services/networkfirewall/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 networkfirewall AWS Java SDK :: Services :: Network Firewall diff --git a/services/networkmanager/pom.xml b/services/networkmanager/pom.xml index d4b11a39049e..97abcc349a7f 100644 --- a/services/networkmanager/pom.xml +++ b/services/networkmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 networkmanager AWS Java SDK :: Services :: NetworkManager diff --git a/services/networkmonitor/pom.xml b/services/networkmonitor/pom.xml index cd00e32bd3fb..3136be19229f 100644 --- a/services/networkmonitor/pom.xml +++ b/services/networkmonitor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 networkmonitor AWS Java SDK :: Services :: Network Monitor diff --git a/services/nimble/pom.xml b/services/nimble/pom.xml index b036c1757ef2..5f5fdd8ed533 100644 --- a/services/nimble/pom.xml +++ b/services/nimble/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 nimble AWS Java SDK :: Services :: Nimble diff --git a/services/oam/pom.xml b/services/oam/pom.xml index e88ad49e1ce0..369ab4f22811 100644 --- a/services/oam/pom.xml +++ b/services/oam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 oam AWS Java SDK :: Services :: OAM diff --git a/services/omics/pom.xml b/services/omics/pom.xml index ee6cdd365eb1..6d6ca4ea200b 100644 --- a/services/omics/pom.xml +++ b/services/omics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 omics AWS Java SDK :: Services :: Omics diff --git a/services/opensearch/pom.xml b/services/opensearch/pom.xml index ee564ea98b7c..c4818996f4c1 100644 --- a/services/opensearch/pom.xml +++ b/services/opensearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 opensearch AWS Java SDK :: Services :: Open Search diff --git a/services/opensearchserverless/pom.xml b/services/opensearchserverless/pom.xml index f5e744e9783e..870a4c81e552 100644 --- a/services/opensearchserverless/pom.xml +++ b/services/opensearchserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 opensearchserverless AWS Java SDK :: Services :: Open Search Serverless diff --git a/services/opsworks/pom.xml b/services/opsworks/pom.xml index d69844d3a50e..deefbc551c4c 100644 --- a/services/opsworks/pom.xml +++ b/services/opsworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 opsworks AWS Java SDK :: Services :: AWS OpsWorks diff --git a/services/opsworkscm/pom.xml b/services/opsworkscm/pom.xml index dca1ed119ea1..a90ddf70d9d9 100644 --- a/services/opsworkscm/pom.xml +++ b/services/opsworkscm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 opsworkscm AWS Java SDK :: Services :: AWS OpsWorks for Chef Automate diff --git a/services/organizations/pom.xml b/services/organizations/pom.xml index 2585332792d6..c7d807d2b02b 100644 --- a/services/organizations/pom.xml +++ b/services/organizations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 organizations AWS Java SDK :: Services :: AWS Organizations diff --git a/services/osis/pom.xml b/services/osis/pom.xml index e21309d38c8e..8761f5275070 100644 --- a/services/osis/pom.xml +++ b/services/osis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 osis AWS Java SDK :: Services :: OSIS diff --git a/services/outposts/pom.xml b/services/outposts/pom.xml index 088f6d0cd563..6502bd17e845 100644 --- a/services/outposts/pom.xml +++ b/services/outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 outposts AWS Java SDK :: Services :: Outposts diff --git a/services/panorama/pom.xml b/services/panorama/pom.xml index 9f0343f03095..da9e365a6102 100644 --- a/services/panorama/pom.xml +++ b/services/panorama/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 panorama AWS Java SDK :: Services :: Panorama diff --git a/services/paymentcryptography/pom.xml b/services/paymentcryptography/pom.xml index 0e1c51fbb1e4..5b1a4497e8a5 100644 --- a/services/paymentcryptography/pom.xml +++ b/services/paymentcryptography/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 paymentcryptography AWS Java SDK :: Services :: Payment Cryptography diff --git a/services/paymentcryptographydata/pom.xml b/services/paymentcryptographydata/pom.xml index c0091b8b3b02..c8e9faad1ba0 100644 --- a/services/paymentcryptographydata/pom.xml +++ b/services/paymentcryptographydata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 paymentcryptographydata AWS Java SDK :: Services :: Payment Cryptography Data diff --git a/services/pcaconnectorad/pom.xml b/services/pcaconnectorad/pom.xml index c761f8c9ba5a..d6d9e7404252 100644 --- a/services/pcaconnectorad/pom.xml +++ b/services/pcaconnectorad/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 pcaconnectorad AWS Java SDK :: Services :: Pca Connector Ad diff --git a/services/pcaconnectorscep/pom.xml b/services/pcaconnectorscep/pom.xml index e29a1518b57d..21d4d8ebbe09 100644 --- a/services/pcaconnectorscep/pom.xml +++ b/services/pcaconnectorscep/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 pcaconnectorscep AWS Java SDK :: Services :: Pca Connector Scep diff --git a/services/pcs/pom.xml b/services/pcs/pom.xml index 6ac1e293a0d9..816e403c7552 100644 --- a/services/pcs/pom.xml +++ b/services/pcs/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 pcs AWS Java SDK :: Services :: PCS diff --git a/services/personalize/pom.xml b/services/personalize/pom.xml index 9659be29de0f..15fb1f43d6b9 100644 --- a/services/personalize/pom.xml +++ b/services/personalize/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 personalize AWS Java SDK :: Services :: Personalize diff --git a/services/personalizeevents/pom.xml b/services/personalizeevents/pom.xml index 9ec232484811..ee94839de101 100644 --- a/services/personalizeevents/pom.xml +++ b/services/personalizeevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 personalizeevents AWS Java SDK :: Services :: Personalize Events diff --git a/services/personalizeruntime/pom.xml b/services/personalizeruntime/pom.xml index 8b0bf3237916..5bb43346c882 100644 --- a/services/personalizeruntime/pom.xml +++ b/services/personalizeruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 personalizeruntime AWS Java SDK :: Services :: Personalize Runtime diff --git a/services/pi/pom.xml b/services/pi/pom.xml index 3a28c6b2412e..f6959c86825d 100644 --- a/services/pi/pom.xml +++ b/services/pi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 pi AWS Java SDK :: Services :: PI diff --git a/services/pinpoint/pom.xml b/services/pinpoint/pom.xml index d7db3efb9cdb..c278e30396b3 100644 --- a/services/pinpoint/pom.xml +++ b/services/pinpoint/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 pinpoint AWS Java SDK :: Services :: Amazon Pinpoint diff --git a/services/pinpointemail/pom.xml b/services/pinpointemail/pom.xml index a5fababf0bac..18320fd5c1e4 100644 --- a/services/pinpointemail/pom.xml +++ b/services/pinpointemail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 pinpointemail AWS Java SDK :: Services :: Pinpoint Email diff --git a/services/pinpointsmsvoice/pom.xml b/services/pinpointsmsvoice/pom.xml index 0cefcb74dbac..98381b6d2859 100644 --- a/services/pinpointsmsvoice/pom.xml +++ b/services/pinpointsmsvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 pinpointsmsvoice AWS Java SDK :: Services :: Pinpoint SMS Voice diff --git a/services/pinpointsmsvoicev2/pom.xml b/services/pinpointsmsvoicev2/pom.xml index 083497bf43eb..25382d560c04 100644 --- a/services/pinpointsmsvoicev2/pom.xml +++ b/services/pinpointsmsvoicev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 pinpointsmsvoicev2 AWS Java SDK :: Services :: Pinpoint SMS Voice V2 diff --git a/services/pipes/pom.xml b/services/pipes/pom.xml index 557f74919c50..eb06a8d2783f 100644 --- a/services/pipes/pom.xml +++ b/services/pipes/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 pipes AWS Java SDK :: Services :: Pipes diff --git a/services/polly/pom.xml b/services/polly/pom.xml index faf637e243a8..16e90183c1c2 100644 --- a/services/polly/pom.xml +++ b/services/polly/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 polly AWS Java SDK :: Services :: Amazon Polly diff --git a/services/pom.xml b/services/pom.xml index d2ed0fe3b677..74e645050b7c 100644 --- a/services/pom.xml +++ b/services/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.21-SNAPSHOT + 2.27.21 services AWS Java SDK :: Services diff --git a/services/pricing/pom.xml b/services/pricing/pom.xml index 1cf89af92edc..ecd2e5e17d90 100644 --- a/services/pricing/pom.xml +++ b/services/pricing/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21-SNAPSHOT + 2.27.21 4.0.0 pricing diff --git a/services/privatenetworks/pom.xml b/services/privatenetworks/pom.xml index ad3afefda563..c79ea0960083 100644 --- a/services/privatenetworks/pom.xml +++ b/services/privatenetworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 privatenetworks AWS Java SDK :: Services :: Private Networks diff --git a/services/proton/pom.xml b/services/proton/pom.xml index ad7d6b2c0f7f..b6d47469194c 100644 --- a/services/proton/pom.xml +++ b/services/proton/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 proton AWS Java SDK :: Services :: Proton diff --git a/services/qapps/pom.xml b/services/qapps/pom.xml index 82b680d3e393..7fb93690c296 100644 --- a/services/qapps/pom.xml +++ b/services/qapps/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 qapps AWS Java SDK :: Services :: Q Apps diff --git a/services/qbusiness/pom.xml b/services/qbusiness/pom.xml index de0cdcc5e3b8..4fa8a2ee4a88 100644 --- a/services/qbusiness/pom.xml +++ b/services/qbusiness/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 qbusiness AWS Java SDK :: Services :: Q Business diff --git a/services/qconnect/pom.xml b/services/qconnect/pom.xml index d3986ac924e3..a9ce662d3406 100644 --- a/services/qconnect/pom.xml +++ b/services/qconnect/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 qconnect AWS Java SDK :: Services :: Q Connect diff --git a/services/qldb/pom.xml b/services/qldb/pom.xml index ea3c1e4e42a7..25949f097ebc 100644 --- a/services/qldb/pom.xml +++ b/services/qldb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 qldb AWS Java SDK :: Services :: QLDB diff --git a/services/qldbsession/pom.xml b/services/qldbsession/pom.xml index 2c3701b53abc..a0319b20575e 100644 --- a/services/qldbsession/pom.xml +++ b/services/qldbsession/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 qldbsession AWS Java SDK :: Services :: QLDB Session diff --git a/services/quicksight/pom.xml b/services/quicksight/pom.xml index b0eb4c6e34f3..9f0617a4523a 100644 --- a/services/quicksight/pom.xml +++ b/services/quicksight/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 quicksight AWS Java SDK :: Services :: QuickSight diff --git a/services/ram/pom.xml b/services/ram/pom.xml index 4ef924abad78..468ecb730df5 100644 --- a/services/ram/pom.xml +++ b/services/ram/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 ram AWS Java SDK :: Services :: RAM diff --git a/services/rbin/pom.xml b/services/rbin/pom.xml index 06249fd0e598..2ec412de4578 100644 --- a/services/rbin/pom.xml +++ b/services/rbin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 rbin AWS Java SDK :: Services :: Rbin diff --git a/services/rds/pom.xml b/services/rds/pom.xml index 16458e4ddb65..85479f91ae2c 100644 --- a/services/rds/pom.xml +++ b/services/rds/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 rds AWS Java SDK :: Services :: Amazon RDS diff --git a/services/rdsdata/pom.xml b/services/rdsdata/pom.xml index bba77a8934d6..8437435b117b 100644 --- a/services/rdsdata/pom.xml +++ b/services/rdsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 rdsdata AWS Java SDK :: Services :: RDS Data diff --git a/services/redshift/pom.xml b/services/redshift/pom.xml index 266eb56a6856..782a675d9a4e 100644 --- a/services/redshift/pom.xml +++ b/services/redshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 redshift AWS Java SDK :: Services :: Amazon Redshift diff --git a/services/redshiftdata/pom.xml b/services/redshiftdata/pom.xml index ff332bbb8b88..721ec387e1b2 100644 --- a/services/redshiftdata/pom.xml +++ b/services/redshiftdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 redshiftdata AWS Java SDK :: Services :: Redshift Data diff --git a/services/redshiftserverless/pom.xml b/services/redshiftserverless/pom.xml index e2016c775318..aa20f96fbda2 100644 --- a/services/redshiftserverless/pom.xml +++ b/services/redshiftserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 redshiftserverless AWS Java SDK :: Services :: Redshift Serverless diff --git a/services/rekognition/pom.xml b/services/rekognition/pom.xml index 3e9118e4bf3e..2692dcdec19a 100644 --- a/services/rekognition/pom.xml +++ b/services/rekognition/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 rekognition AWS Java SDK :: Services :: Amazon Rekognition diff --git a/services/repostspace/pom.xml b/services/repostspace/pom.xml index 30bb586c9a79..f792a1d5d9ce 100644 --- a/services/repostspace/pom.xml +++ b/services/repostspace/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 repostspace AWS Java SDK :: Services :: Repostspace diff --git a/services/resiliencehub/pom.xml b/services/resiliencehub/pom.xml index 459d1a3344ef..b521c158505e 100644 --- a/services/resiliencehub/pom.xml +++ b/services/resiliencehub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 resiliencehub AWS Java SDK :: Services :: Resiliencehub diff --git a/services/resourceexplorer2/pom.xml b/services/resourceexplorer2/pom.xml index 321e790b72c8..8b75f433f2f6 100644 --- a/services/resourceexplorer2/pom.xml +++ b/services/resourceexplorer2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 resourceexplorer2 AWS Java SDK :: Services :: Resource Explorer 2 diff --git a/services/resourcegroups/pom.xml b/services/resourcegroups/pom.xml index 8c6d0ab715b3..11cd7fffafd4 100644 --- a/services/resourcegroups/pom.xml +++ b/services/resourcegroups/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21-SNAPSHOT + 2.27.21 4.0.0 resourcegroups diff --git a/services/resourcegroupstaggingapi/pom.xml b/services/resourcegroupstaggingapi/pom.xml index 2d11beb3f3ad..6c5ce0c60d72 100644 --- a/services/resourcegroupstaggingapi/pom.xml +++ b/services/resourcegroupstaggingapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 resourcegroupstaggingapi AWS Java SDK :: Services :: AWS Resource Groups Tagging API diff --git a/services/robomaker/pom.xml b/services/robomaker/pom.xml index 0a7c3911a73d..281f787e593a 100644 --- a/services/robomaker/pom.xml +++ b/services/robomaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 robomaker AWS Java SDK :: Services :: RoboMaker diff --git a/services/rolesanywhere/pom.xml b/services/rolesanywhere/pom.xml index e7a09caf432c..fbf9d50db1f8 100644 --- a/services/rolesanywhere/pom.xml +++ b/services/rolesanywhere/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 rolesanywhere AWS Java SDK :: Services :: Roles Anywhere diff --git a/services/route53/pom.xml b/services/route53/pom.xml index ca0b1d7a5812..8bb4ba297866 100644 --- a/services/route53/pom.xml +++ b/services/route53/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 route53 AWS Java SDK :: Services :: Amazon Route53 diff --git a/services/route53domains/pom.xml b/services/route53domains/pom.xml index bf911243e094..3ef150320aec 100644 --- a/services/route53domains/pom.xml +++ b/services/route53domains/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 route53domains AWS Java SDK :: Services :: Amazon Route53 Domains diff --git a/services/route53profiles/pom.xml b/services/route53profiles/pom.xml index 6aa1e5a9b11a..7afe37a6227f 100644 --- a/services/route53profiles/pom.xml +++ b/services/route53profiles/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 route53profiles AWS Java SDK :: Services :: Route53 Profiles diff --git a/services/route53recoverycluster/pom.xml b/services/route53recoverycluster/pom.xml index f6287f05fccc..967e7208877f 100644 --- a/services/route53recoverycluster/pom.xml +++ b/services/route53recoverycluster/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 route53recoverycluster AWS Java SDK :: Services :: Route53 Recovery Cluster diff --git a/services/route53recoverycontrolconfig/pom.xml b/services/route53recoverycontrolconfig/pom.xml index 4929cdba7acd..392dc1c30c9d 100644 --- a/services/route53recoverycontrolconfig/pom.xml +++ b/services/route53recoverycontrolconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 route53recoverycontrolconfig AWS Java SDK :: Services :: Route53 Recovery Control Config diff --git a/services/route53recoveryreadiness/pom.xml b/services/route53recoveryreadiness/pom.xml index 64fc6e59213a..604c0dbe9547 100644 --- a/services/route53recoveryreadiness/pom.xml +++ b/services/route53recoveryreadiness/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 route53recoveryreadiness AWS Java SDK :: Services :: Route53 Recovery Readiness diff --git a/services/route53resolver/pom.xml b/services/route53resolver/pom.xml index d0a64a3ff39d..be537ab0d633 100644 --- a/services/route53resolver/pom.xml +++ b/services/route53resolver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 route53resolver AWS Java SDK :: Services :: Route53Resolver diff --git a/services/rum/pom.xml b/services/rum/pom.xml index 297f965b0988..0497c41109b5 100644 --- a/services/rum/pom.xml +++ b/services/rum/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 rum AWS Java SDK :: Services :: RUM diff --git a/services/s3/pom.xml b/services/s3/pom.xml index afbeaca16362..bcfac9aa8c1e 100644 --- a/services/s3/pom.xml +++ b/services/s3/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 s3 AWS Java SDK :: Services :: Amazon S3 diff --git a/services/s3control/pom.xml b/services/s3control/pom.xml index 578e44cdf4fc..3e80a4cc7e47 100644 --- a/services/s3control/pom.xml +++ b/services/s3control/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 s3control AWS Java SDK :: Services :: Amazon S3 Control diff --git a/services/s3outposts/pom.xml b/services/s3outposts/pom.xml index b3357853a654..71cbe928482f 100644 --- a/services/s3outposts/pom.xml +++ b/services/s3outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 s3outposts AWS Java SDK :: Services :: S3 Outposts diff --git a/services/sagemaker/pom.xml b/services/sagemaker/pom.xml index 17658a8a1946..1583e541ecb7 100644 --- a/services/sagemaker/pom.xml +++ b/services/sagemaker/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21-SNAPSHOT + 2.27.21 4.0.0 sagemaker diff --git a/services/sagemakera2iruntime/pom.xml b/services/sagemakera2iruntime/pom.xml index bc931cbec02e..6e7612b247d4 100644 --- a/services/sagemakera2iruntime/pom.xml +++ b/services/sagemakera2iruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 sagemakera2iruntime AWS Java SDK :: Services :: SageMaker A2I Runtime diff --git a/services/sagemakeredge/pom.xml b/services/sagemakeredge/pom.xml index 70d9b4c87b29..784b61f6afbd 100644 --- a/services/sagemakeredge/pom.xml +++ b/services/sagemakeredge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 sagemakeredge AWS Java SDK :: Services :: Sagemaker Edge diff --git a/services/sagemakerfeaturestoreruntime/pom.xml b/services/sagemakerfeaturestoreruntime/pom.xml index 7459b77c55c9..0d232e39c6ec 100644 --- a/services/sagemakerfeaturestoreruntime/pom.xml +++ b/services/sagemakerfeaturestoreruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 sagemakerfeaturestoreruntime AWS Java SDK :: Services :: Sage Maker Feature Store Runtime diff --git a/services/sagemakergeospatial/pom.xml b/services/sagemakergeospatial/pom.xml index aae19a552ee6..35922f73c66a 100644 --- a/services/sagemakergeospatial/pom.xml +++ b/services/sagemakergeospatial/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 sagemakergeospatial AWS Java SDK :: Services :: Sage Maker Geospatial diff --git a/services/sagemakermetrics/pom.xml b/services/sagemakermetrics/pom.xml index 5a423adaced3..8e7a023bf139 100644 --- a/services/sagemakermetrics/pom.xml +++ b/services/sagemakermetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 sagemakermetrics AWS Java SDK :: Services :: Sage Maker Metrics diff --git a/services/sagemakerruntime/pom.xml b/services/sagemakerruntime/pom.xml index 728f17874178..3d960247cc67 100644 --- a/services/sagemakerruntime/pom.xml +++ b/services/sagemakerruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 sagemakerruntime AWS Java SDK :: Services :: SageMaker Runtime diff --git a/services/savingsplans/pom.xml b/services/savingsplans/pom.xml index 3838a3e83b7d..31dcf29e3aa5 100644 --- a/services/savingsplans/pom.xml +++ b/services/savingsplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 savingsplans AWS Java SDK :: Services :: Savingsplans diff --git a/services/scheduler/pom.xml b/services/scheduler/pom.xml index ba03ed8f7bbe..43ef5e77c761 100644 --- a/services/scheduler/pom.xml +++ b/services/scheduler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 scheduler AWS Java SDK :: Services :: Scheduler diff --git a/services/schemas/pom.xml b/services/schemas/pom.xml index ae5192657a47..a994c1268a67 100644 --- a/services/schemas/pom.xml +++ b/services/schemas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 schemas AWS Java SDK :: Services :: Schemas diff --git a/services/secretsmanager/pom.xml b/services/secretsmanager/pom.xml index 0c0809436e44..1065740ba15c 100644 --- a/services/secretsmanager/pom.xml +++ b/services/secretsmanager/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 secretsmanager AWS Java SDK :: Services :: AWS Secrets Manager diff --git a/services/securityhub/pom.xml b/services/securityhub/pom.xml index 303cc27869ae..9f54c88c54c6 100644 --- a/services/securityhub/pom.xml +++ b/services/securityhub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 securityhub AWS Java SDK :: Services :: SecurityHub diff --git a/services/securitylake/pom.xml b/services/securitylake/pom.xml index 2a73334435b9..13f51af86b36 100644 --- a/services/securitylake/pom.xml +++ b/services/securitylake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 securitylake AWS Java SDK :: Services :: Security Lake diff --git a/services/serverlessapplicationrepository/pom.xml b/services/serverlessapplicationrepository/pom.xml index 5ef13360365d..150e4ea8aafd 100644 --- a/services/serverlessapplicationrepository/pom.xml +++ b/services/serverlessapplicationrepository/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21-SNAPSHOT + 2.27.21 4.0.0 serverlessapplicationrepository diff --git a/services/servicecatalog/pom.xml b/services/servicecatalog/pom.xml index a6abf1987b2e..fe830e49f6aa 100644 --- a/services/servicecatalog/pom.xml +++ b/services/servicecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 servicecatalog AWS Java SDK :: Services :: AWS Service Catalog diff --git a/services/servicecatalogappregistry/pom.xml b/services/servicecatalogappregistry/pom.xml index 03703ebd2c45..ef2e4153645a 100644 --- a/services/servicecatalogappregistry/pom.xml +++ b/services/servicecatalogappregistry/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 servicecatalogappregistry AWS Java SDK :: Services :: Service Catalog App Registry diff --git a/services/servicediscovery/pom.xml b/services/servicediscovery/pom.xml index ca22c7cfceee..8f833d155155 100644 --- a/services/servicediscovery/pom.xml +++ b/services/servicediscovery/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21-SNAPSHOT + 2.27.21 4.0.0 servicediscovery diff --git a/services/servicequotas/pom.xml b/services/servicequotas/pom.xml index bd64b52c8403..a0d6dee13f68 100644 --- a/services/servicequotas/pom.xml +++ b/services/servicequotas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 servicequotas AWS Java SDK :: Services :: Service Quotas diff --git a/services/ses/pom.xml b/services/ses/pom.xml index f286935639f8..17ab09e3519e 100644 --- a/services/ses/pom.xml +++ b/services/ses/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 ses AWS Java SDK :: Services :: Amazon SES diff --git a/services/sesv2/pom.xml b/services/sesv2/pom.xml index 4ed66e3dc2f7..f70967d40234 100644 --- a/services/sesv2/pom.xml +++ b/services/sesv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 sesv2 AWS Java SDK :: Services :: SESv2 diff --git a/services/sfn/pom.xml b/services/sfn/pom.xml index 55ea2139336b..b6bf42f6e645 100644 --- a/services/sfn/pom.xml +++ b/services/sfn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 sfn AWS Java SDK :: Services :: AWS Step Functions diff --git a/services/shield/pom.xml b/services/shield/pom.xml index 9eee51a43010..ef012001bdc0 100644 --- a/services/shield/pom.xml +++ b/services/shield/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 shield AWS Java SDK :: Services :: AWS Shield diff --git a/services/signer/pom.xml b/services/signer/pom.xml index 05a0dc0a93c9..844c1759fde8 100644 --- a/services/signer/pom.xml +++ b/services/signer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 signer AWS Java SDK :: Services :: Signer diff --git a/services/simspaceweaver/pom.xml b/services/simspaceweaver/pom.xml index 9a6690d80f64..9a05af766379 100644 --- a/services/simspaceweaver/pom.xml +++ b/services/simspaceweaver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 simspaceweaver AWS Java SDK :: Services :: Sim Space Weaver diff --git a/services/sms/pom.xml b/services/sms/pom.xml index a93efc423ea0..ccf3caae9c95 100644 --- a/services/sms/pom.xml +++ b/services/sms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 sms AWS Java SDK :: Services :: AWS Server Migration diff --git a/services/snowball/pom.xml b/services/snowball/pom.xml index 0bc373161871..518860f7b606 100644 --- a/services/snowball/pom.xml +++ b/services/snowball/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 snowball AWS Java SDK :: Services :: Amazon Snowball diff --git a/services/snowdevicemanagement/pom.xml b/services/snowdevicemanagement/pom.xml index c1b8d23bb38a..c5db59bdebec 100644 --- a/services/snowdevicemanagement/pom.xml +++ b/services/snowdevicemanagement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 snowdevicemanagement AWS Java SDK :: Services :: Snow Device Management diff --git a/services/sns/pom.xml b/services/sns/pom.xml index 07b07025c9f6..80b3cbb58b28 100644 --- a/services/sns/pom.xml +++ b/services/sns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 sns AWS Java SDK :: Services :: Amazon SNS diff --git a/services/sqs/pom.xml b/services/sqs/pom.xml index 0d3a6d46e220..7ca26e5ddde2 100644 --- a/services/sqs/pom.xml +++ b/services/sqs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 sqs AWS Java SDK :: Services :: Amazon SQS diff --git a/services/ssm/pom.xml b/services/ssm/pom.xml index 7034ae13728d..bfa0af209895 100644 --- a/services/ssm/pom.xml +++ b/services/ssm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 ssm AWS Java SDK :: Services :: AWS Simple Systems Management (SSM) diff --git a/services/ssmcontacts/pom.xml b/services/ssmcontacts/pom.xml index 7a7b05008f25..97b65e96ea18 100644 --- a/services/ssmcontacts/pom.xml +++ b/services/ssmcontacts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 ssmcontacts AWS Java SDK :: Services :: SSM Contacts diff --git a/services/ssmincidents/pom.xml b/services/ssmincidents/pom.xml index e5bebd87530b..21efa5e837d6 100644 --- a/services/ssmincidents/pom.xml +++ b/services/ssmincidents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 ssmincidents AWS Java SDK :: Services :: SSM Incidents diff --git a/services/ssmquicksetup/pom.xml b/services/ssmquicksetup/pom.xml index c8790831d6c5..644729935c38 100644 --- a/services/ssmquicksetup/pom.xml +++ b/services/ssmquicksetup/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 ssmquicksetup AWS Java SDK :: Services :: SSM Quick Setup diff --git a/services/ssmsap/pom.xml b/services/ssmsap/pom.xml index 8600c29d675d..777ea2bb03f2 100644 --- a/services/ssmsap/pom.xml +++ b/services/ssmsap/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 ssmsap AWS Java SDK :: Services :: Ssm Sap diff --git a/services/sso/pom.xml b/services/sso/pom.xml index 26ba34a2695f..7e96f3fb8e92 100644 --- a/services/sso/pom.xml +++ b/services/sso/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 sso AWS Java SDK :: Services :: SSO diff --git a/services/ssoadmin/pom.xml b/services/ssoadmin/pom.xml index 2522192060d8..3afd0abdc1cd 100644 --- a/services/ssoadmin/pom.xml +++ b/services/ssoadmin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 ssoadmin AWS Java SDK :: Services :: SSO Admin diff --git a/services/ssooidc/pom.xml b/services/ssooidc/pom.xml index d1a5e7b67d46..e4bc44b735b9 100644 --- a/services/ssooidc/pom.xml +++ b/services/ssooidc/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 ssooidc AWS Java SDK :: Services :: SSO OIDC diff --git a/services/storagegateway/pom.xml b/services/storagegateway/pom.xml index 5ca6bdc4553a..bf8a92f96062 100644 --- a/services/storagegateway/pom.xml +++ b/services/storagegateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 storagegateway AWS Java SDK :: Services :: AWS Storage Gateway diff --git a/services/sts/pom.xml b/services/sts/pom.xml index ad1d972ea2dd..7a0d8ddeea76 100644 --- a/services/sts/pom.xml +++ b/services/sts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 sts AWS Java SDK :: Services :: AWS STS diff --git a/services/supplychain/pom.xml b/services/supplychain/pom.xml index 0fee3a0a370d..abeee0296b0c 100644 --- a/services/supplychain/pom.xml +++ b/services/supplychain/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 supplychain AWS Java SDK :: Services :: Supply Chain diff --git a/services/support/pom.xml b/services/support/pom.xml index 9d46692f3c4d..7d1cc99892f8 100644 --- a/services/support/pom.xml +++ b/services/support/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 support AWS Java SDK :: Services :: AWS Support diff --git a/services/supportapp/pom.xml b/services/supportapp/pom.xml index 0233fa4d9c70..057274422574 100644 --- a/services/supportapp/pom.xml +++ b/services/supportapp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 supportapp AWS Java SDK :: Services :: Support App diff --git a/services/swf/pom.xml b/services/swf/pom.xml index 4c434fc7303e..0b3cd292386e 100644 --- a/services/swf/pom.xml +++ b/services/swf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 swf AWS Java SDK :: Services :: Amazon SWF diff --git a/services/synthetics/pom.xml b/services/synthetics/pom.xml index 584703f284a8..21c008a6d3c8 100644 --- a/services/synthetics/pom.xml +++ b/services/synthetics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 synthetics AWS Java SDK :: Services :: Synthetics diff --git a/services/taxsettings/pom.xml b/services/taxsettings/pom.xml index 2e38ac29249f..c56d49c3181c 100644 --- a/services/taxsettings/pom.xml +++ b/services/taxsettings/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 taxsettings AWS Java SDK :: Services :: Tax Settings diff --git a/services/textract/pom.xml b/services/textract/pom.xml index 72440b9f0989..35a87cab3bdb 100644 --- a/services/textract/pom.xml +++ b/services/textract/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 textract AWS Java SDK :: Services :: Textract diff --git a/services/timestreaminfluxdb/pom.xml b/services/timestreaminfluxdb/pom.xml index efa1e919cdf3..60bb492f2683 100644 --- a/services/timestreaminfluxdb/pom.xml +++ b/services/timestreaminfluxdb/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 timestreaminfluxdb AWS Java SDK :: Services :: Timestream Influx DB diff --git a/services/timestreamquery/pom.xml b/services/timestreamquery/pom.xml index 4ab2a99e17f1..9fd8bce6535c 100644 --- a/services/timestreamquery/pom.xml +++ b/services/timestreamquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 timestreamquery AWS Java SDK :: Services :: Timestream Query diff --git a/services/timestreamwrite/pom.xml b/services/timestreamwrite/pom.xml index 794eecab0340..398f9606c973 100644 --- a/services/timestreamwrite/pom.xml +++ b/services/timestreamwrite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 timestreamwrite AWS Java SDK :: Services :: Timestream Write diff --git a/services/tnb/pom.xml b/services/tnb/pom.xml index 137710ceea52..a894da72825a 100644 --- a/services/tnb/pom.xml +++ b/services/tnb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 tnb AWS Java SDK :: Services :: Tnb diff --git a/services/transcribe/pom.xml b/services/transcribe/pom.xml index ec2cabc0a59e..f3ecd919b512 100644 --- a/services/transcribe/pom.xml +++ b/services/transcribe/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 transcribe AWS Java SDK :: Services :: Transcribe diff --git a/services/transcribestreaming/pom.xml b/services/transcribestreaming/pom.xml index 2f87e44c190b..b418e11e572a 100644 --- a/services/transcribestreaming/pom.xml +++ b/services/transcribestreaming/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 transcribestreaming AWS Java SDK :: Services :: AWS Transcribe Streaming diff --git a/services/transfer/pom.xml b/services/transfer/pom.xml index c7f46e8e1d43..29eedb880469 100644 --- a/services/transfer/pom.xml +++ b/services/transfer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 transfer AWS Java SDK :: Services :: Transfer diff --git a/services/translate/pom.xml b/services/translate/pom.xml index 9c0ee51a3623..751c2349a49a 100644 --- a/services/translate/pom.xml +++ b/services/translate/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21-SNAPSHOT + 2.27.21 4.0.0 translate diff --git a/services/trustedadvisor/pom.xml b/services/trustedadvisor/pom.xml index 125344ef6a06..1bcda2c2ef18 100644 --- a/services/trustedadvisor/pom.xml +++ b/services/trustedadvisor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 trustedadvisor AWS Java SDK :: Services :: Trusted Advisor diff --git a/services/verifiedpermissions/pom.xml b/services/verifiedpermissions/pom.xml index 3020c60bbab7..a9462f083485 100644 --- a/services/verifiedpermissions/pom.xml +++ b/services/verifiedpermissions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 verifiedpermissions AWS Java SDK :: Services :: Verified Permissions diff --git a/services/voiceid/pom.xml b/services/voiceid/pom.xml index b8ee5045c987..3528c5b3c1b4 100644 --- a/services/voiceid/pom.xml +++ b/services/voiceid/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 voiceid AWS Java SDK :: Services :: Voice ID diff --git a/services/vpclattice/pom.xml b/services/vpclattice/pom.xml index 39b2bbf5c2c5..63652f4363e1 100644 --- a/services/vpclattice/pom.xml +++ b/services/vpclattice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 vpclattice AWS Java SDK :: Services :: VPC Lattice diff --git a/services/waf/pom.xml b/services/waf/pom.xml index a37f5cabcab8..61056bb32d95 100644 --- a/services/waf/pom.xml +++ b/services/waf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 waf AWS Java SDK :: Services :: AWS WAF diff --git a/services/wafv2/pom.xml b/services/wafv2/pom.xml index bf7178242757..c6a73f5b11af 100644 --- a/services/wafv2/pom.xml +++ b/services/wafv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 wafv2 AWS Java SDK :: Services :: WAFV2 diff --git a/services/wellarchitected/pom.xml b/services/wellarchitected/pom.xml index c702702a2e7e..19d163b3fbc9 100644 --- a/services/wellarchitected/pom.xml +++ b/services/wellarchitected/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 wellarchitected AWS Java SDK :: Services :: Well Architected diff --git a/services/wisdom/pom.xml b/services/wisdom/pom.xml index e086efa1affb..a9ff3a8da007 100644 --- a/services/wisdom/pom.xml +++ b/services/wisdom/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 wisdom AWS Java SDK :: Services :: Wisdom diff --git a/services/workdocs/pom.xml b/services/workdocs/pom.xml index bfe7e064ba7a..866007039765 100644 --- a/services/workdocs/pom.xml +++ b/services/workdocs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 workdocs AWS Java SDK :: Services :: Amazon WorkDocs diff --git a/services/worklink/pom.xml b/services/worklink/pom.xml index 478373f2edfd..4afd3a814702 100644 --- a/services/worklink/pom.xml +++ b/services/worklink/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 worklink AWS Java SDK :: Services :: WorkLink diff --git a/services/workmail/pom.xml b/services/workmail/pom.xml index 513a6087a03a..4b71bdc02677 100644 --- a/services/workmail/pom.xml +++ b/services/workmail/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21-SNAPSHOT + 2.27.21 4.0.0 workmail diff --git a/services/workmailmessageflow/pom.xml b/services/workmailmessageflow/pom.xml index 0221b2101999..e7584d149e11 100644 --- a/services/workmailmessageflow/pom.xml +++ b/services/workmailmessageflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 workmailmessageflow AWS Java SDK :: Services :: WorkMailMessageFlow diff --git a/services/workspaces/pom.xml b/services/workspaces/pom.xml index bed4827a08c8..0213772425a8 100644 --- a/services/workspaces/pom.xml +++ b/services/workspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 workspaces AWS Java SDK :: Services :: Amazon WorkSpaces diff --git a/services/workspacesthinclient/pom.xml b/services/workspacesthinclient/pom.xml index 08552b6005ac..71f29da0461b 100644 --- a/services/workspacesthinclient/pom.xml +++ b/services/workspacesthinclient/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 workspacesthinclient AWS Java SDK :: Services :: Work Spaces Thin Client diff --git a/services/workspacesweb/pom.xml b/services/workspacesweb/pom.xml index e34ee482cdbb..c681f2af9e5e 100644 --- a/services/workspacesweb/pom.xml +++ b/services/workspacesweb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 workspacesweb AWS Java SDK :: Services :: Work Spaces Web diff --git a/services/xray/pom.xml b/services/xray/pom.xml index a4edcea4b7e5..a85f2b7030da 100644 --- a/services/xray/pom.xml +++ b/services/xray/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21-SNAPSHOT + 2.27.21 xray AWS Java SDK :: Services :: AWS X-Ray diff --git a/test/auth-tests/pom.xml b/test/auth-tests/pom.xml index 6fda5a867585..54d00781e5d3 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.27.21-SNAPSHOT + 2.27.21 ../../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 929d34630c29..cc40ebe691ec 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.27.21-SNAPSHOT + 2.27.21 ../../pom.xml 4.0.0 diff --git a/test/bundle-shading-tests/pom.xml b/test/bundle-shading-tests/pom.xml index d2e0a9889ff0..eca9d849ec50 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.27.21-SNAPSHOT + 2.27.21 ../../pom.xml 4.0.0 diff --git a/test/codegen-generated-classes-test/pom.xml b/test/codegen-generated-classes-test/pom.xml index bc2c4c6a1190..52be85595bbc 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.27.21-SNAPSHOT + 2.27.21 ../../pom.xml diff --git a/test/crt-unavailable-tests/pom.xml b/test/crt-unavailable-tests/pom.xml index 831968cd4113..4e64b809a1a6 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.27.21-SNAPSHOT + 2.27.21 ../../pom.xml 4.0.0 diff --git a/test/http-client-tests/pom.xml b/test/http-client-tests/pom.xml index 45779b88760c..defde50233e1 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.27.21-SNAPSHOT + 2.27.21 ../../pom.xml http-client-tests diff --git a/test/module-path-tests/pom.xml b/test/module-path-tests/pom.xml index c7a385f7f8d1..207923db859a 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.27.21-SNAPSHOT + 2.27.21 ../../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 7f00272f32ab..ce54474d02ee 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.27.21-SNAPSHOT + 2.27.21 ../../pom.xml diff --git a/test/protocol-tests-core/pom.xml b/test/protocol-tests-core/pom.xml index bb2fa1878797..81f6e9a92b45 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.27.21-SNAPSHOT + 2.27.21 ../../pom.xml 4.0.0 diff --git a/test/protocol-tests/pom.xml b/test/protocol-tests/pom.xml index 729b11e48b03..029d2d20d201 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.27.21-SNAPSHOT + 2.27.21 ../../pom.xml 4.0.0 diff --git a/test/region-testing/pom.xml b/test/region-testing/pom.xml index 8fef34cb0df4..6a50ca9c9674 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.27.21-SNAPSHOT + 2.27.21 ../../pom.xml 4.0.0 diff --git a/test/ruleset-testing-core/pom.xml b/test/ruleset-testing-core/pom.xml index b131638917f8..01480ee8843c 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.27.21-SNAPSHOT + 2.27.21 ../../pom.xml 4.0.0 diff --git a/test/s3-benchmarks/pom.xml b/test/s3-benchmarks/pom.xml index 1fd10b027e3b..1113bb099be6 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.27.21-SNAPSHOT + 2.27.21 ../../pom.xml 4.0.0 diff --git a/test/sdk-benchmarks/pom.xml b/test/sdk-benchmarks/pom.xml index af321e158dd7..714f8c999747 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.27.21-SNAPSHOT + 2.27.21 ../../pom.xml diff --git a/test/sdk-native-image-test/pom.xml b/test/sdk-native-image-test/pom.xml index 9b84875613f4..398994dd19bf 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.27.21-SNAPSHOT + 2.27.21 ../../pom.xml 4.0.0 diff --git a/test/service-test-utils/pom.xml b/test/service-test-utils/pom.xml index 075df0237a7d..c14524a0a0c7 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.27.21-SNAPSHOT + 2.27.21 ../../pom.xml service-test-utils diff --git a/test/stability-tests/pom.xml b/test/stability-tests/pom.xml index 36fa53130ea0..bfc34896d8c2 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.27.21-SNAPSHOT + 2.27.21 ../../pom.xml 4.0.0 diff --git a/test/test-utils/pom.xml b/test/test-utils/pom.xml index b9b39f1705db..92a5416d0472 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.27.21-SNAPSHOT + 2.27.21 ../../pom.xml test-utils diff --git a/test/tests-coverage-reporting/pom.xml b/test/tests-coverage-reporting/pom.xml index 13509e5fd3f6..ebebbe561a33 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.27.21-SNAPSHOT + 2.27.21 ../../pom.xml 4.0.0 diff --git a/test/v2-migration-tests/pom.xml b/test/v2-migration-tests/pom.xml index f16fda2de05a..3246d33f46da 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.27.21-SNAPSHOT + 2.27.21 ../.. diff --git a/third-party/pom.xml b/third-party/pom.xml index e5e6152a7ff1..213de70ac42f 100644 --- a/third-party/pom.xml +++ b/third-party/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.21-SNAPSHOT + 2.27.21 third-party diff --git a/third-party/third-party-jackson-core/pom.xml b/third-party/third-party-jackson-core/pom.xml index fce77f94137e..56893d8cb5f4 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.27.21-SNAPSHOT + 2.27.21 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 f17dfd1977dc..433437bfa6b7 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.27.21-SNAPSHOT + 2.27.21 4.0.0 diff --git a/third-party/third-party-slf4j-api/pom.xml b/third-party/third-party-slf4j-api/pom.xml index bfd509f07319..9c1ea3087afc 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.27.21-SNAPSHOT + 2.27.21 4.0.0 diff --git a/utils/pom.xml b/utils/pom.xml index ce90566afbd9..37022e3c4265 100644 --- a/utils/pom.xml +++ b/utils/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.21-SNAPSHOT + 2.27.21 4.0.0 diff --git a/v2-migration/pom.xml b/v2-migration/pom.xml index ee999d8df3e4..402fe4c98260 100644 --- a/v2-migration/pom.xml +++ b/v2-migration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.21-SNAPSHOT + 2.27.21 ../pom.xml From 04a110c3dcd20f0064034b316b7bd1220cddb4f4 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Fri, 6 Sep 2024 18:52:25 +0000 Subject: [PATCH 033/108] Update to next snapshot version: 2.27.22-SNAPSHOT --- 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/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 +- metric-publishers/cloudwatch-metric-publisher/pom.xml | 2 +- metric-publishers/pom.xml | 2 +- pom.xml | 4 ++-- 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 +- services-custom/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/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 +- services/licensemanagerlinuxsubscriptions/pom.xml | 2 +- services/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/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 +- services/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/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/worklink/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 +- test/bundle-logging-bridge-binding-test/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 +- test/old-client-version-compatibility-test/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 +- third-party/third-party-jackson-dataformat-cbor/pom.xml | 2 +- third-party/third-party-slf4j-api/pom.xml | 2 +- utils/pom.xml | 2 +- v2-migration/pom.xml | 2 +- 469 files changed, 470 insertions(+), 470 deletions(-) diff --git a/archetypes/archetype-app-quickstart/pom.xml b/archetypes/archetype-app-quickstart/pom.xml index 9806f3ec8ac5..5ec11fa3137a 100644 --- a/archetypes/archetype-app-quickstart/pom.xml +++ b/archetypes/archetype-app-quickstart/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.21 + 2.27.22-SNAPSHOT 4.0.0 diff --git a/archetypes/archetype-lambda/pom.xml b/archetypes/archetype-lambda/pom.xml index 320fdf0fdec9..2365e377020c 100644 --- a/archetypes/archetype-lambda/pom.xml +++ b/archetypes/archetype-lambda/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.21 + 2.27.22-SNAPSHOT 4.0.0 archetype-lambda diff --git a/archetypes/archetype-tools/pom.xml b/archetypes/archetype-tools/pom.xml index 0e3141e39cee..ff894f8cbca7 100644 --- a/archetypes/archetype-tools/pom.xml +++ b/archetypes/archetype-tools/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.21 + 2.27.22-SNAPSHOT 4.0.0 diff --git a/archetypes/pom.xml b/archetypes/pom.xml index 5c0b49ad6334..2e298927f188 100644 --- a/archetypes/pom.xml +++ b/archetypes/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.21 + 2.27.22-SNAPSHOT 4.0.0 archetypes diff --git a/aws-sdk-java/pom.xml b/aws-sdk-java/pom.xml index b8f966bf22a2..f5afcedb51eb 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.27.21 + 2.27.22-SNAPSHOT ../pom.xml aws-sdk-java diff --git a/bom-internal/pom.xml b/bom-internal/pom.xml index 58c24c95563f..277fadf3ea35 100644 --- a/bom-internal/pom.xml +++ b/bom-internal/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.21 + 2.27.22-SNAPSHOT 4.0.0 diff --git a/bom/pom.xml b/bom/pom.xml index 7328ea82b7bb..2df1d469f35d 100644 --- a/bom/pom.xml +++ b/bom/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.21 + 2.27.22-SNAPSHOT ../pom.xml bom diff --git a/bundle-logging-bridge/pom.xml b/bundle-logging-bridge/pom.xml index af30e98604d4..65c8da11cc36 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.27.21 + 2.27.22-SNAPSHOT bundle-logging-bridge jar diff --git a/bundle-sdk/pom.xml b/bundle-sdk/pom.xml index 5dcc8c28facc..808a3337dae0 100644 --- a/bundle-sdk/pom.xml +++ b/bundle-sdk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.21 + 2.27.22-SNAPSHOT bundle-sdk jar diff --git a/bundle/pom.xml b/bundle/pom.xml index 1fa90bab980a..479b64424d72 100644 --- a/bundle/pom.xml +++ b/bundle/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.21 + 2.27.22-SNAPSHOT bundle jar diff --git a/codegen-lite-maven-plugin/pom.xml b/codegen-lite-maven-plugin/pom.xml index 4a2ddc943175..0986f452e7f7 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.27.21 + 2.27.22-SNAPSHOT ../pom.xml codegen-lite-maven-plugin diff --git a/codegen-lite/pom.xml b/codegen-lite/pom.xml index ed747160f227..620cf2b41755 100644 --- a/codegen-lite/pom.xml +++ b/codegen-lite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.21 + 2.27.22-SNAPSHOT codegen-lite AWS Java SDK :: Code Generator Lite diff --git a/codegen-maven-plugin/pom.xml b/codegen-maven-plugin/pom.xml index 019f07465198..8350d2e4a9a4 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.27.21 + 2.27.22-SNAPSHOT ../pom.xml codegen-maven-plugin diff --git a/codegen/pom.xml b/codegen/pom.xml index d36935339e28..8fc090e6bcd9 100644 --- a/codegen/pom.xml +++ b/codegen/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.21 + 2.27.22-SNAPSHOT codegen AWS Java SDK :: Code Generator diff --git a/core/annotations/pom.xml b/core/annotations/pom.xml index 7f54eec95133..1a4fd8c69eed 100644 --- a/core/annotations/pom.xml +++ b/core/annotations/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.21 + 2.27.22-SNAPSHOT 4.0.0 diff --git a/core/arns/pom.xml b/core/arns/pom.xml index e4604e122ca4..eee9f706115f 100644 --- a/core/arns/pom.xml +++ b/core/arns/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.21 + 2.27.22-SNAPSHOT 4.0.0 diff --git a/core/auth-crt/pom.xml b/core/auth-crt/pom.xml index 81490dbc335c..9b9483c1c600 100644 --- a/core/auth-crt/pom.xml +++ b/core/auth-crt/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.21 + 2.27.22-SNAPSHOT auth-crt diff --git a/core/auth/pom.xml b/core/auth/pom.xml index 03c0b963016f..f112c99a32f6 100644 --- a/core/auth/pom.xml +++ b/core/auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.21 + 2.27.22-SNAPSHOT auth diff --git a/core/aws-core/pom.xml b/core/aws-core/pom.xml index 13333b98bfce..403f020074e8 100644 --- a/core/aws-core/pom.xml +++ b/core/aws-core/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.21 + 2.27.22-SNAPSHOT aws-core diff --git a/core/checksums-spi/pom.xml b/core/checksums-spi/pom.xml index 911fa84e858a..ad66a8679f51 100644 --- a/core/checksums-spi/pom.xml +++ b/core/checksums-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.21 + 2.27.22-SNAPSHOT checksums-spi diff --git a/core/checksums/pom.xml b/core/checksums/pom.xml index 4ea724373e3d..7d888e90c140 100644 --- a/core/checksums/pom.xml +++ b/core/checksums/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.21 + 2.27.22-SNAPSHOT checksums diff --git a/core/crt-core/pom.xml b/core/crt-core/pom.xml index 5c15ca091e47..a85270cd23f7 100644 --- a/core/crt-core/pom.xml +++ b/core/crt-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.27.21 + 2.27.22-SNAPSHOT crt-core diff --git a/core/endpoints-spi/pom.xml b/core/endpoints-spi/pom.xml index 45ce8a5e848f..e71f144e36b5 100644 --- a/core/endpoints-spi/pom.xml +++ b/core/endpoints-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.21 + 2.27.22-SNAPSHOT 4.0.0 diff --git a/core/http-auth-aws-crt/pom.xml b/core/http-auth-aws-crt/pom.xml index 91246c11a54e..c2873900c279 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.27.21 + 2.27.22-SNAPSHOT http-auth-aws-crt diff --git a/core/http-auth-aws-eventstream/pom.xml b/core/http-auth-aws-eventstream/pom.xml index 34907b4a4ca9..e090328bc49c 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.27.21 + 2.27.22-SNAPSHOT http-auth-aws-eventstream diff --git a/core/http-auth-aws/pom.xml b/core/http-auth-aws/pom.xml index be5a339715e0..2db5c25c72a9 100644 --- a/core/http-auth-aws/pom.xml +++ b/core/http-auth-aws/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.21 + 2.27.22-SNAPSHOT http-auth-aws diff --git a/core/http-auth-spi/pom.xml b/core/http-auth-spi/pom.xml index 9afb1085f586..5bc3d55a23f6 100644 --- a/core/http-auth-spi/pom.xml +++ b/core/http-auth-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.21 + 2.27.22-SNAPSHOT http-auth-spi diff --git a/core/http-auth/pom.xml b/core/http-auth/pom.xml index 88e2722a2f1c..711058728998 100644 --- a/core/http-auth/pom.xml +++ b/core/http-auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.21 + 2.27.22-SNAPSHOT http-auth diff --git a/core/identity-spi/pom.xml b/core/identity-spi/pom.xml index 2143536f2e61..1c67409c765f 100644 --- a/core/identity-spi/pom.xml +++ b/core/identity-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.21 + 2.27.22-SNAPSHOT identity-spi diff --git a/core/imds/pom.xml b/core/imds/pom.xml index 34762653f948..af2aaba4bfd0 100644 --- a/core/imds/pom.xml +++ b/core/imds/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.21 + 2.27.22-SNAPSHOT 4.0.0 imds diff --git a/core/json-utils/pom.xml b/core/json-utils/pom.xml index 66966ff3f136..621086428723 100644 --- a/core/json-utils/pom.xml +++ b/core/json-utils/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.21 + 2.27.22-SNAPSHOT 4.0.0 diff --git a/core/metrics-spi/pom.xml b/core/metrics-spi/pom.xml index 0995dd2985e5..934e34453fe5 100644 --- a/core/metrics-spi/pom.xml +++ b/core/metrics-spi/pom.xml @@ -5,7 +5,7 @@ core software.amazon.awssdk - 2.27.21 + 2.27.22-SNAPSHOT 4.0.0 diff --git a/core/pom.xml b/core/pom.xml index 14c13e875013..885c432e343d 100644 --- a/core/pom.xml +++ b/core/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.21 + 2.27.22-SNAPSHOT core diff --git a/core/profiles/pom.xml b/core/profiles/pom.xml index cc406f19cc74..5743d672a98c 100644 --- a/core/profiles/pom.xml +++ b/core/profiles/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.21 + 2.27.22-SNAPSHOT profiles diff --git a/core/protocols/aws-cbor-protocol/pom.xml b/core/protocols/aws-cbor-protocol/pom.xml index fd9c29357461..bde97c1515ef 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.27.21 + 2.27.22-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-json-protocol/pom.xml b/core/protocols/aws-json-protocol/pom.xml index e8d8c229d61d..3167699dec69 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.27.21 + 2.27.22-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-query-protocol/pom.xml b/core/protocols/aws-query-protocol/pom.xml index 33cb16422f6d..4ca8459c51b0 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.27.21 + 2.27.22-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-xml-protocol/pom.xml b/core/protocols/aws-xml-protocol/pom.xml index 4e71a92ed487..a54e92bacc44 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.27.21 + 2.27.22-SNAPSHOT 4.0.0 diff --git a/core/protocols/pom.xml b/core/protocols/pom.xml index 9d2c5c01f19e..27a68f703fdc 100644 --- a/core/protocols/pom.xml +++ b/core/protocols/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.21 + 2.27.22-SNAPSHOT 4.0.0 diff --git a/core/protocols/protocol-core/pom.xml b/core/protocols/protocol-core/pom.xml index d1cd71761141..95190a2b38a1 100644 --- a/core/protocols/protocol-core/pom.xml +++ b/core/protocols/protocol-core/pom.xml @@ -20,7 +20,7 @@ protocols software.amazon.awssdk - 2.27.21 + 2.27.22-SNAPSHOT 4.0.0 diff --git a/core/regions/pom.xml b/core/regions/pom.xml index 481cc8ccad85..e407295063c0 100644 --- a/core/regions/pom.xml +++ b/core/regions/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.21 + 2.27.22-SNAPSHOT regions diff --git a/core/retries-spi/pom.xml b/core/retries-spi/pom.xml index 77235459cb77..47e572d8524d 100644 --- a/core/retries-spi/pom.xml +++ b/core/retries-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.21 + 2.27.22-SNAPSHOT 4.0.0 diff --git a/core/retries/pom.xml b/core/retries/pom.xml index e8fd6970421f..dd2dae236cb2 100644 --- a/core/retries/pom.xml +++ b/core/retries/pom.xml @@ -21,7 +21,7 @@ core software.amazon.awssdk - 2.27.21 + 2.27.22-SNAPSHOT 4.0.0 diff --git a/core/sdk-core/pom.xml b/core/sdk-core/pom.xml index e85004541004..f9e858dd8a26 100644 --- a/core/sdk-core/pom.xml +++ b/core/sdk-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.27.21 + 2.27.22-SNAPSHOT sdk-core AWS Java SDK :: SDK Core diff --git a/http-client-spi/pom.xml b/http-client-spi/pom.xml index 916be388f28a..846bf8edf91f 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.27.21 + 2.27.22-SNAPSHOT http-client-spi AWS Java SDK :: HTTP Client Interface diff --git a/http-clients/apache-client/pom.xml b/http-clients/apache-client/pom.xml index 92d23158b542..d5e613f0a8fa 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.27.21 + 2.27.22-SNAPSHOT apache-client diff --git a/http-clients/aws-crt-client/pom.xml b/http-clients/aws-crt-client/pom.xml index 06922eb12c71..0ebf67023330 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.27.21 + 2.27.22-SNAPSHOT 4.0.0 diff --git a/http-clients/netty-nio-client/pom.xml b/http-clients/netty-nio-client/pom.xml index 5c3d7a1f817e..2a78b51a8e62 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.27.21 + 2.27.22-SNAPSHOT 4.0.0 diff --git a/http-clients/pom.xml b/http-clients/pom.xml index fa4e6e8f46dd..074c96cc1e26 100644 --- a/http-clients/pom.xml +++ b/http-clients/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.21 + 2.27.22-SNAPSHOT 4.0.0 diff --git a/http-clients/url-connection-client/pom.xml b/http-clients/url-connection-client/pom.xml index 4220af720d3b..13ea7a2906fc 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.27.21 + 2.27.22-SNAPSHOT 4.0.0 diff --git a/metric-publishers/cloudwatch-metric-publisher/pom.xml b/metric-publishers/cloudwatch-metric-publisher/pom.xml index 699f935d6f5b..da617c701dc9 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.27.21 + 2.27.22-SNAPSHOT cloudwatch-metric-publisher diff --git a/metric-publishers/pom.xml b/metric-publishers/pom.xml index 2433e903e5f7..260505ffd7a2 100644 --- a/metric-publishers/pom.xml +++ b/metric-publishers/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.21 + 2.27.22-SNAPSHOT metric-publishers diff --git a/pom.xml b/pom.xml index 5472c45c8627..fabd02cfe82d 100644 --- a/pom.xml +++ b/pom.xml @@ -20,7 +20,7 @@ 4.0.0 software.amazon.awssdk aws-sdk-java-pom - 2.27.21 + 2.27.22-SNAPSHOT pom AWS Java SDK :: Parent The Amazon Web Services SDK for Java provides Java APIs @@ -99,7 +99,7 @@ ${project.version} - 2.27.20 + 2.27.21 2.15.2 2.15.2 2.13.2 diff --git a/release-scripts/pom.xml b/release-scripts/pom.xml index 365414b2c2e8..d7c4962d2c27 100644 --- a/release-scripts/pom.xml +++ b/release-scripts/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.21 + 2.27.22-SNAPSHOT ../pom.xml release-scripts diff --git a/services-custom/dynamodb-enhanced/pom.xml b/services-custom/dynamodb-enhanced/pom.xml index 233a60bde066..b81f2bce8fc2 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.27.21 + 2.27.22-SNAPSHOT dynamodb-enhanced AWS Java SDK :: DynamoDB :: Enhanced Client diff --git a/services-custom/iam-policy-builder/pom.xml b/services-custom/iam-policy-builder/pom.xml index d52c3bd803ca..54639579ee92 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.27.21 + 2.27.22-SNAPSHOT ../../pom.xml iam-policy-builder diff --git a/services-custom/pom.xml b/services-custom/pom.xml index 308ffc7e496e..9be47e46c32c 100644 --- a/services-custom/pom.xml +++ b/services-custom/pom.xml @@ -19,7 +19,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.21 + 2.27.22-SNAPSHOT services-custom AWS Java SDK :: Custom Services diff --git a/services-custom/s3-event-notifications/pom.xml b/services-custom/s3-event-notifications/pom.xml index 98c99e0affba..92eaf3112b06 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.27.21 + 2.27.22-SNAPSHOT ../../pom.xml s3-event-notifications diff --git a/services-custom/s3-transfer-manager/pom.xml b/services-custom/s3-transfer-manager/pom.xml index 2dd58e5aab82..e9d458cf8c4a 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.27.21 + 2.27.22-SNAPSHOT ../../pom.xml s3-transfer-manager diff --git a/services/accessanalyzer/pom.xml b/services/accessanalyzer/pom.xml index 2c060005ec84..ae6f0b7f0c21 100644 --- a/services/accessanalyzer/pom.xml +++ b/services/accessanalyzer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT accessanalyzer AWS Java SDK :: Services :: AccessAnalyzer diff --git a/services/account/pom.xml b/services/account/pom.xml index 885d21e6c1c8..e23f0e809702 100644 --- a/services/account/pom.xml +++ b/services/account/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT account AWS Java SDK :: Services :: Account diff --git a/services/acm/pom.xml b/services/acm/pom.xml index 731aff7bf311..abd4e50adb67 100644 --- a/services/acm/pom.xml +++ b/services/acm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT acm AWS Java SDK :: Services :: AWS Certificate Manager diff --git a/services/acmpca/pom.xml b/services/acmpca/pom.xml index 7cb1ac588211..5fbb3536f428 100644 --- a/services/acmpca/pom.xml +++ b/services/acmpca/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT acmpca AWS Java SDK :: Services :: ACM PCA diff --git a/services/amp/pom.xml b/services/amp/pom.xml index 5fb44f3dffc5..100bfec2e6b2 100644 --- a/services/amp/pom.xml +++ b/services/amp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT amp AWS Java SDK :: Services :: Amp diff --git a/services/amplify/pom.xml b/services/amplify/pom.xml index 0203e2f5402a..d8f323b3564e 100644 --- a/services/amplify/pom.xml +++ b/services/amplify/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT amplify AWS Java SDK :: Services :: Amplify diff --git a/services/amplifybackend/pom.xml b/services/amplifybackend/pom.xml index 967cc4286d1b..05c9052c4c73 100644 --- a/services/amplifybackend/pom.xml +++ b/services/amplifybackend/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT amplifybackend AWS Java SDK :: Services :: Amplify Backend diff --git a/services/amplifyuibuilder/pom.xml b/services/amplifyuibuilder/pom.xml index 57ee40730d19..ee9a1eaf65ae 100644 --- a/services/amplifyuibuilder/pom.xml +++ b/services/amplifyuibuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT amplifyuibuilder AWS Java SDK :: Services :: Amplify UI Builder diff --git a/services/apigateway/pom.xml b/services/apigateway/pom.xml index d9b7c51eb0b8..35fef8475770 100644 --- a/services/apigateway/pom.xml +++ b/services/apigateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT apigateway AWS Java SDK :: Services :: Amazon API Gateway diff --git a/services/apigatewaymanagementapi/pom.xml b/services/apigatewaymanagementapi/pom.xml index c6d2d1c712c6..5c494b15a69b 100644 --- a/services/apigatewaymanagementapi/pom.xml +++ b/services/apigatewaymanagementapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT apigatewaymanagementapi AWS Java SDK :: Services :: ApiGatewayManagementApi diff --git a/services/apigatewayv2/pom.xml b/services/apigatewayv2/pom.xml index bb3c1492e455..9bffca800554 100644 --- a/services/apigatewayv2/pom.xml +++ b/services/apigatewayv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT apigatewayv2 AWS Java SDK :: Services :: ApiGatewayV2 diff --git a/services/appconfig/pom.xml b/services/appconfig/pom.xml index 7ecb06dd5169..836ef8498ae1 100644 --- a/services/appconfig/pom.xml +++ b/services/appconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT appconfig AWS Java SDK :: Services :: AppConfig diff --git a/services/appconfigdata/pom.xml b/services/appconfigdata/pom.xml index 8dff774daf49..fb083f914464 100644 --- a/services/appconfigdata/pom.xml +++ b/services/appconfigdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT appconfigdata AWS Java SDK :: Services :: App Config Data diff --git a/services/appfabric/pom.xml b/services/appfabric/pom.xml index 289d81b02fe9..9780dad5fd00 100644 --- a/services/appfabric/pom.xml +++ b/services/appfabric/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT appfabric AWS Java SDK :: Services :: App Fabric diff --git a/services/appflow/pom.xml b/services/appflow/pom.xml index feeb83950ba7..85463983998c 100644 --- a/services/appflow/pom.xml +++ b/services/appflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT appflow AWS Java SDK :: Services :: Appflow diff --git a/services/appintegrations/pom.xml b/services/appintegrations/pom.xml index 5e3ae8bbc46e..8317bfe649b5 100644 --- a/services/appintegrations/pom.xml +++ b/services/appintegrations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT appintegrations AWS Java SDK :: Services :: App Integrations diff --git a/services/applicationautoscaling/pom.xml b/services/applicationautoscaling/pom.xml index a315c6c6f13c..a6e6c3223022 100644 --- a/services/applicationautoscaling/pom.xml +++ b/services/applicationautoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT applicationautoscaling AWS Java SDK :: Services :: AWS Application Auto Scaling diff --git a/services/applicationcostprofiler/pom.xml b/services/applicationcostprofiler/pom.xml index 807c5f9fe585..2d21856d7fe5 100644 --- a/services/applicationcostprofiler/pom.xml +++ b/services/applicationcostprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT applicationcostprofiler AWS Java SDK :: Services :: Application Cost Profiler diff --git a/services/applicationdiscovery/pom.xml b/services/applicationdiscovery/pom.xml index 11c471a3cca5..7da1603b8801 100644 --- a/services/applicationdiscovery/pom.xml +++ b/services/applicationdiscovery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT applicationdiscovery AWS Java SDK :: Services :: AWS Application Discovery Service diff --git a/services/applicationinsights/pom.xml b/services/applicationinsights/pom.xml index df5da0a98c66..d50bff0c7e6b 100644 --- a/services/applicationinsights/pom.xml +++ b/services/applicationinsights/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT applicationinsights AWS Java SDK :: Services :: Application Insights diff --git a/services/applicationsignals/pom.xml b/services/applicationsignals/pom.xml index 3d742979f3f0..758fdef56db5 100644 --- a/services/applicationsignals/pom.xml +++ b/services/applicationsignals/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT applicationsignals AWS Java SDK :: Services :: Application Signals diff --git a/services/appmesh/pom.xml b/services/appmesh/pom.xml index 3d4487710328..62964b7f6879 100644 --- a/services/appmesh/pom.xml +++ b/services/appmesh/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT appmesh AWS Java SDK :: Services :: App Mesh diff --git a/services/apprunner/pom.xml b/services/apprunner/pom.xml index 9ed8101b4a23..a4264d6b7757 100644 --- a/services/apprunner/pom.xml +++ b/services/apprunner/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT apprunner AWS Java SDK :: Services :: App Runner diff --git a/services/appstream/pom.xml b/services/appstream/pom.xml index bc33f461fd75..b06e4f17f2bf 100644 --- a/services/appstream/pom.xml +++ b/services/appstream/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT appstream AWS Java SDK :: Services :: Amazon AppStream diff --git a/services/appsync/pom.xml b/services/appsync/pom.xml index baf7fca1f5f4..ff7c4def3175 100644 --- a/services/appsync/pom.xml +++ b/services/appsync/pom.xml @@ -21,7 +21,7 @@ services software.amazon.awssdk - 2.27.21 + 2.27.22-SNAPSHOT appsync diff --git a/services/apptest/pom.xml b/services/apptest/pom.xml index 8be29409d2a7..64e214eaa86b 100644 --- a/services/apptest/pom.xml +++ b/services/apptest/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT apptest AWS Java SDK :: Services :: App Test diff --git a/services/arczonalshift/pom.xml b/services/arczonalshift/pom.xml index 8cb0abdd6e0b..f39297f6390b 100644 --- a/services/arczonalshift/pom.xml +++ b/services/arczonalshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT arczonalshift AWS Java SDK :: Services :: ARC Zonal Shift diff --git a/services/artifact/pom.xml b/services/artifact/pom.xml index 0e7a19f9da9f..e1dcdbc27d9a 100644 --- a/services/artifact/pom.xml +++ b/services/artifact/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT artifact AWS Java SDK :: Services :: Artifact diff --git a/services/athena/pom.xml b/services/athena/pom.xml index 3a6e897462c6..ff390da92c8b 100644 --- a/services/athena/pom.xml +++ b/services/athena/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT athena AWS Java SDK :: Services :: Amazon Athena diff --git a/services/auditmanager/pom.xml b/services/auditmanager/pom.xml index eba9600ed1d0..7ccd03195d28 100644 --- a/services/auditmanager/pom.xml +++ b/services/auditmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT auditmanager AWS Java SDK :: Services :: Audit Manager diff --git a/services/autoscaling/pom.xml b/services/autoscaling/pom.xml index d6b226fc2759..02c4fd7749d0 100644 --- a/services/autoscaling/pom.xml +++ b/services/autoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT autoscaling AWS Java SDK :: Services :: Auto Scaling diff --git a/services/autoscalingplans/pom.xml b/services/autoscalingplans/pom.xml index 975914382df9..79fa290315a0 100644 --- a/services/autoscalingplans/pom.xml +++ b/services/autoscalingplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT autoscalingplans AWS Java SDK :: Services :: Auto Scaling Plans diff --git a/services/b2bi/pom.xml b/services/b2bi/pom.xml index 37ee09f60368..8f86b6202383 100644 --- a/services/b2bi/pom.xml +++ b/services/b2bi/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT b2bi AWS Java SDK :: Services :: B2 Bi diff --git a/services/backup/pom.xml b/services/backup/pom.xml index d6e80a34abf5..aa3dcd73b6b5 100644 --- a/services/backup/pom.xml +++ b/services/backup/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT backup AWS Java SDK :: Services :: Backup diff --git a/services/backupgateway/pom.xml b/services/backupgateway/pom.xml index f981ffebf2f8..459d10518b9f 100644 --- a/services/backupgateway/pom.xml +++ b/services/backupgateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT backupgateway AWS Java SDK :: Services :: Backup Gateway diff --git a/services/batch/pom.xml b/services/batch/pom.xml index d57f3213ac30..3a34bccdb16e 100644 --- a/services/batch/pom.xml +++ b/services/batch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT batch AWS Java SDK :: Services :: AWS Batch diff --git a/services/bcmdataexports/pom.xml b/services/bcmdataexports/pom.xml index c99e37ef2da7..e8b37e64838d 100644 --- a/services/bcmdataexports/pom.xml +++ b/services/bcmdataexports/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT bcmdataexports AWS Java SDK :: Services :: BCM Data Exports diff --git a/services/bedrock/pom.xml b/services/bedrock/pom.xml index 300f5c7ef9e0..f8e6df8f04e7 100644 --- a/services/bedrock/pom.xml +++ b/services/bedrock/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT bedrock AWS Java SDK :: Services :: Bedrock diff --git a/services/bedrockagent/pom.xml b/services/bedrockagent/pom.xml index 738e90032284..96753ae310e9 100644 --- a/services/bedrockagent/pom.xml +++ b/services/bedrockagent/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT bedrockagent AWS Java SDK :: Services :: Bedrock Agent diff --git a/services/bedrockagentruntime/pom.xml b/services/bedrockagentruntime/pom.xml index 5c6aed2b75bc..7d5621a02540 100644 --- a/services/bedrockagentruntime/pom.xml +++ b/services/bedrockagentruntime/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT bedrockagentruntime AWS Java SDK :: Services :: Bedrock Agent Runtime diff --git a/services/bedrockruntime/pom.xml b/services/bedrockruntime/pom.xml index 8fbaf5980f5a..7758a1efb9ca 100644 --- a/services/bedrockruntime/pom.xml +++ b/services/bedrockruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT bedrockruntime AWS Java SDK :: Services :: Bedrock Runtime diff --git a/services/billingconductor/pom.xml b/services/billingconductor/pom.xml index c378b03416f8..f2d0dbf00988 100644 --- a/services/billingconductor/pom.xml +++ b/services/billingconductor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT billingconductor AWS Java SDK :: Services :: Billingconductor diff --git a/services/braket/pom.xml b/services/braket/pom.xml index a834f2c89fe2..8dabaea39625 100644 --- a/services/braket/pom.xml +++ b/services/braket/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT braket AWS Java SDK :: Services :: Braket diff --git a/services/budgets/pom.xml b/services/budgets/pom.xml index c28c47c53a2c..99156deb2835 100644 --- a/services/budgets/pom.xml +++ b/services/budgets/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT budgets AWS Java SDK :: Services :: AWS Budgets diff --git a/services/chatbot/pom.xml b/services/chatbot/pom.xml index ed0331fa073a..5bf5189b2ef0 100644 --- a/services/chatbot/pom.xml +++ b/services/chatbot/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT chatbot AWS Java SDK :: Services :: Chatbot diff --git a/services/chime/pom.xml b/services/chime/pom.xml index 2d47e2941e2a..24bdb8374d14 100644 --- a/services/chime/pom.xml +++ b/services/chime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT chime AWS Java SDK :: Services :: Chime diff --git a/services/chimesdkidentity/pom.xml b/services/chimesdkidentity/pom.xml index 0998625c39c5..f605412e27fb 100644 --- a/services/chimesdkidentity/pom.xml +++ b/services/chimesdkidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT chimesdkidentity AWS Java SDK :: Services :: Chime SDK Identity diff --git a/services/chimesdkmediapipelines/pom.xml b/services/chimesdkmediapipelines/pom.xml index eb2e5ec923dc..450098a0c997 100644 --- a/services/chimesdkmediapipelines/pom.xml +++ b/services/chimesdkmediapipelines/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT chimesdkmediapipelines AWS Java SDK :: Services :: Chime SDK Media Pipelines diff --git a/services/chimesdkmeetings/pom.xml b/services/chimesdkmeetings/pom.xml index f15708e22811..297c16fe7995 100644 --- a/services/chimesdkmeetings/pom.xml +++ b/services/chimesdkmeetings/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT chimesdkmeetings AWS Java SDK :: Services :: Chime SDK Meetings diff --git a/services/chimesdkmessaging/pom.xml b/services/chimesdkmessaging/pom.xml index e31d681be99c..f80d690305e1 100644 --- a/services/chimesdkmessaging/pom.xml +++ b/services/chimesdkmessaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT chimesdkmessaging AWS Java SDK :: Services :: Chime SDK Messaging diff --git a/services/chimesdkvoice/pom.xml b/services/chimesdkvoice/pom.xml index ac4f597e00f0..9030e02f70d1 100644 --- a/services/chimesdkvoice/pom.xml +++ b/services/chimesdkvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT chimesdkvoice AWS Java SDK :: Services :: Chime SDK Voice diff --git a/services/cleanrooms/pom.xml b/services/cleanrooms/pom.xml index 8f74ae90d05e..ef74c43f8933 100644 --- a/services/cleanrooms/pom.xml +++ b/services/cleanrooms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT cleanrooms AWS Java SDK :: Services :: Clean Rooms diff --git a/services/cleanroomsml/pom.xml b/services/cleanroomsml/pom.xml index 7bccefe54e28..ffda3d09d090 100644 --- a/services/cleanroomsml/pom.xml +++ b/services/cleanroomsml/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT cleanroomsml AWS Java SDK :: Services :: Clean Rooms ML diff --git a/services/cloud9/pom.xml b/services/cloud9/pom.xml index 208af150dd44..a576feedc6e1 100644 --- a/services/cloud9/pom.xml +++ b/services/cloud9/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21 + 2.27.22-SNAPSHOT 4.0.0 cloud9 diff --git a/services/cloudcontrol/pom.xml b/services/cloudcontrol/pom.xml index 8bffcb2445d1..8a9e5ce1c1c1 100644 --- a/services/cloudcontrol/pom.xml +++ b/services/cloudcontrol/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT cloudcontrol AWS Java SDK :: Services :: Cloud Control diff --git a/services/clouddirectory/pom.xml b/services/clouddirectory/pom.xml index cab9d58f2d86..9d7560c7821f 100644 --- a/services/clouddirectory/pom.xml +++ b/services/clouddirectory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT clouddirectory AWS Java SDK :: Services :: Amazon CloudDirectory diff --git a/services/cloudformation/pom.xml b/services/cloudformation/pom.xml index c781fc7ca5ba..ed9eb2a56adc 100644 --- a/services/cloudformation/pom.xml +++ b/services/cloudformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT cloudformation AWS Java SDK :: Services :: AWS CloudFormation diff --git a/services/cloudfront/pom.xml b/services/cloudfront/pom.xml index 9f6cd86297f4..63b3fd453e47 100644 --- a/services/cloudfront/pom.xml +++ b/services/cloudfront/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT cloudfront AWS Java SDK :: Services :: Amazon CloudFront diff --git a/services/cloudfrontkeyvaluestore/pom.xml b/services/cloudfrontkeyvaluestore/pom.xml index 8ca356a1cf94..b67df9e03e0b 100644 --- a/services/cloudfrontkeyvaluestore/pom.xml +++ b/services/cloudfrontkeyvaluestore/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT cloudfrontkeyvaluestore AWS Java SDK :: Services :: Cloud Front Key Value Store diff --git a/services/cloudhsm/pom.xml b/services/cloudhsm/pom.xml index 5c1951370725..2b7816c8df4f 100644 --- a/services/cloudhsm/pom.xml +++ b/services/cloudhsm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT cloudhsm AWS Java SDK :: Services :: AWS CloudHSM diff --git a/services/cloudhsmv2/pom.xml b/services/cloudhsmv2/pom.xml index 1bc492e8fe11..a5fc3f426b9b 100644 --- a/services/cloudhsmv2/pom.xml +++ b/services/cloudhsmv2/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21 + 2.27.22-SNAPSHOT 4.0.0 cloudhsmv2 diff --git a/services/cloudsearch/pom.xml b/services/cloudsearch/pom.xml index 0c0b94fa387c..b55dec3a301b 100644 --- a/services/cloudsearch/pom.xml +++ b/services/cloudsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT cloudsearch AWS Java SDK :: Services :: Amazon CloudSearch diff --git a/services/cloudsearchdomain/pom.xml b/services/cloudsearchdomain/pom.xml index 5bb13614f548..75451b054139 100644 --- a/services/cloudsearchdomain/pom.xml +++ b/services/cloudsearchdomain/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT cloudsearchdomain AWS Java SDK :: Services :: Amazon CloudSearch Domain diff --git a/services/cloudtrail/pom.xml b/services/cloudtrail/pom.xml index b2af0f362ce2..807d8e330c56 100644 --- a/services/cloudtrail/pom.xml +++ b/services/cloudtrail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT cloudtrail AWS Java SDK :: Services :: AWS CloudTrail diff --git a/services/cloudtraildata/pom.xml b/services/cloudtraildata/pom.xml index 3b9fc3d206d6..2898a55790cb 100644 --- a/services/cloudtraildata/pom.xml +++ b/services/cloudtraildata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT cloudtraildata AWS Java SDK :: Services :: Cloud Trail Data diff --git a/services/cloudwatch/pom.xml b/services/cloudwatch/pom.xml index f7054eb6fe69..59def5a9a7e3 100644 --- a/services/cloudwatch/pom.xml +++ b/services/cloudwatch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT cloudwatch AWS Java SDK :: Services :: Amazon CloudWatch diff --git a/services/cloudwatchevents/pom.xml b/services/cloudwatchevents/pom.xml index 6e885b990fcb..f4209933a270 100644 --- a/services/cloudwatchevents/pom.xml +++ b/services/cloudwatchevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT cloudwatchevents AWS Java SDK :: Services :: Amazon CloudWatch Events diff --git a/services/cloudwatchlogs/pom.xml b/services/cloudwatchlogs/pom.xml index d3a828a8472a..2300c6ff8438 100644 --- a/services/cloudwatchlogs/pom.xml +++ b/services/cloudwatchlogs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT cloudwatchlogs AWS Java SDK :: Services :: Amazon CloudWatch Logs diff --git a/services/codeartifact/pom.xml b/services/codeartifact/pom.xml index a520040dd4fa..0d6bf3ece99b 100644 --- a/services/codeartifact/pom.xml +++ b/services/codeartifact/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT codeartifact AWS Java SDK :: Services :: Codeartifact diff --git a/services/codebuild/pom.xml b/services/codebuild/pom.xml index a93535e867c0..f119af686448 100644 --- a/services/codebuild/pom.xml +++ b/services/codebuild/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT codebuild AWS Java SDK :: Services :: AWS Code Build diff --git a/services/codecatalyst/pom.xml b/services/codecatalyst/pom.xml index 8baab0ad2f71..a70b1e75e560 100644 --- a/services/codecatalyst/pom.xml +++ b/services/codecatalyst/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT codecatalyst AWS Java SDK :: Services :: Code Catalyst diff --git a/services/codecommit/pom.xml b/services/codecommit/pom.xml index 2f4b266ee4da..774c46f08b32 100644 --- a/services/codecommit/pom.xml +++ b/services/codecommit/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT codecommit AWS Java SDK :: Services :: AWS CodeCommit diff --git a/services/codeconnections/pom.xml b/services/codeconnections/pom.xml index 7634b7c5fde1..bd1e189e4d9f 100644 --- a/services/codeconnections/pom.xml +++ b/services/codeconnections/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT codeconnections AWS Java SDK :: Services :: Code Connections diff --git a/services/codedeploy/pom.xml b/services/codedeploy/pom.xml index 119491c50e21..ef1f4f176574 100644 --- a/services/codedeploy/pom.xml +++ b/services/codedeploy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT codedeploy AWS Java SDK :: Services :: AWS CodeDeploy diff --git a/services/codeguruprofiler/pom.xml b/services/codeguruprofiler/pom.xml index 7b12250f046e..a2c9862a47b8 100644 --- a/services/codeguruprofiler/pom.xml +++ b/services/codeguruprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT codeguruprofiler AWS Java SDK :: Services :: CodeGuruProfiler diff --git a/services/codegurureviewer/pom.xml b/services/codegurureviewer/pom.xml index c731227a6311..4a86db643e09 100644 --- a/services/codegurureviewer/pom.xml +++ b/services/codegurureviewer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT codegurureviewer AWS Java SDK :: Services :: CodeGuru Reviewer diff --git a/services/codegurusecurity/pom.xml b/services/codegurusecurity/pom.xml index e0353c2f659b..5d5f263dd8bc 100644 --- a/services/codegurusecurity/pom.xml +++ b/services/codegurusecurity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT codegurusecurity AWS Java SDK :: Services :: Code Guru Security diff --git a/services/codepipeline/pom.xml b/services/codepipeline/pom.xml index cb3a0d102e2f..4a5644e8fb2e 100644 --- a/services/codepipeline/pom.xml +++ b/services/codepipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT codepipeline AWS Java SDK :: Services :: AWS CodePipeline diff --git a/services/codestarconnections/pom.xml b/services/codestarconnections/pom.xml index 0b8eac461625..88a9566a55a4 100644 --- a/services/codestarconnections/pom.xml +++ b/services/codestarconnections/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT codestarconnections AWS Java SDK :: Services :: CodeStar connections diff --git a/services/codestarnotifications/pom.xml b/services/codestarnotifications/pom.xml index acfeb0f1f53c..9867812880f5 100644 --- a/services/codestarnotifications/pom.xml +++ b/services/codestarnotifications/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT codestarnotifications AWS Java SDK :: Services :: Codestar Notifications diff --git a/services/cognitoidentity/pom.xml b/services/cognitoidentity/pom.xml index 4698c0720e1b..5e7526621f11 100644 --- a/services/cognitoidentity/pom.xml +++ b/services/cognitoidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT cognitoidentity AWS Java SDK :: Services :: Amazon Cognito Identity diff --git a/services/cognitoidentityprovider/pom.xml b/services/cognitoidentityprovider/pom.xml index 39d3ecd99c9b..6b5b578e731a 100644 --- a/services/cognitoidentityprovider/pom.xml +++ b/services/cognitoidentityprovider/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT cognitoidentityprovider AWS Java SDK :: Services :: Amazon Cognito Identity Provider Service diff --git a/services/cognitosync/pom.xml b/services/cognitosync/pom.xml index 6cfea8df7704..b2dcfd3d0f45 100644 --- a/services/cognitosync/pom.xml +++ b/services/cognitosync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT cognitosync AWS Java SDK :: Services :: Amazon Cognito Sync diff --git a/services/comprehend/pom.xml b/services/comprehend/pom.xml index 1a1bb0d0bf48..48042264bd40 100644 --- a/services/comprehend/pom.xml +++ b/services/comprehend/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21 + 2.27.22-SNAPSHOT 4.0.0 comprehend diff --git a/services/comprehendmedical/pom.xml b/services/comprehendmedical/pom.xml index eaa0911eacd9..6f7ca645f9e5 100644 --- a/services/comprehendmedical/pom.xml +++ b/services/comprehendmedical/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT comprehendmedical AWS Java SDK :: Services :: ComprehendMedical diff --git a/services/computeoptimizer/pom.xml b/services/computeoptimizer/pom.xml index 409817b282af..3f4d39ac5308 100644 --- a/services/computeoptimizer/pom.xml +++ b/services/computeoptimizer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT computeoptimizer AWS Java SDK :: Services :: Compute Optimizer diff --git a/services/config/pom.xml b/services/config/pom.xml index fe03d2b4e888..d6779a349b7f 100644 --- a/services/config/pom.xml +++ b/services/config/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT config AWS Java SDK :: Services :: AWS Config diff --git a/services/connect/pom.xml b/services/connect/pom.xml index e749134c75b4..e1aa0b82f588 100644 --- a/services/connect/pom.xml +++ b/services/connect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT connect AWS Java SDK :: Services :: Connect diff --git a/services/connectcampaigns/pom.xml b/services/connectcampaigns/pom.xml index 9d4b22eaedf0..03c1b0be3ad2 100644 --- a/services/connectcampaigns/pom.xml +++ b/services/connectcampaigns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT connectcampaigns AWS Java SDK :: Services :: Connect Campaigns diff --git a/services/connectcases/pom.xml b/services/connectcases/pom.xml index b2e2e6becfe5..8584a4d2f97f 100644 --- a/services/connectcases/pom.xml +++ b/services/connectcases/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT connectcases AWS Java SDK :: Services :: Connect Cases diff --git a/services/connectcontactlens/pom.xml b/services/connectcontactlens/pom.xml index e252fdb56d7d..315e57de489f 100644 --- a/services/connectcontactlens/pom.xml +++ b/services/connectcontactlens/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT connectcontactlens AWS Java SDK :: Services :: Connect Contact Lens diff --git a/services/connectparticipant/pom.xml b/services/connectparticipant/pom.xml index 1c362a607799..5e56f8f2fc59 100644 --- a/services/connectparticipant/pom.xml +++ b/services/connectparticipant/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT connectparticipant AWS Java SDK :: Services :: ConnectParticipant diff --git a/services/controlcatalog/pom.xml b/services/controlcatalog/pom.xml index bd6786e82f2f..be89a4e125f7 100644 --- a/services/controlcatalog/pom.xml +++ b/services/controlcatalog/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT controlcatalog AWS Java SDK :: Services :: Control Catalog diff --git a/services/controltower/pom.xml b/services/controltower/pom.xml index 5feb1c16d515..6a6c521516d9 100644 --- a/services/controltower/pom.xml +++ b/services/controltower/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT controltower AWS Java SDK :: Services :: Control Tower diff --git a/services/costandusagereport/pom.xml b/services/costandusagereport/pom.xml index 3d700d8c34e6..be3938f986a5 100644 --- a/services/costandusagereport/pom.xml +++ b/services/costandusagereport/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT costandusagereport AWS Java SDK :: Services :: AWS Cost and Usage Report diff --git a/services/costexplorer/pom.xml b/services/costexplorer/pom.xml index 5c03717be68c..34066ba83ac7 100644 --- a/services/costexplorer/pom.xml +++ b/services/costexplorer/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21 + 2.27.22-SNAPSHOT 4.0.0 costexplorer diff --git a/services/costoptimizationhub/pom.xml b/services/costoptimizationhub/pom.xml index 19f7f7470077..a36b4b3a7564 100644 --- a/services/costoptimizationhub/pom.xml +++ b/services/costoptimizationhub/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT costoptimizationhub AWS Java SDK :: Services :: Cost Optimization Hub diff --git a/services/customerprofiles/pom.xml b/services/customerprofiles/pom.xml index 6cc9bc32ab45..fad861be102f 100644 --- a/services/customerprofiles/pom.xml +++ b/services/customerprofiles/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT customerprofiles AWS Java SDK :: Services :: Customer Profiles diff --git a/services/databasemigration/pom.xml b/services/databasemigration/pom.xml index 9892ba5502de..0f1ecb7cbe66 100644 --- a/services/databasemigration/pom.xml +++ b/services/databasemigration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT databasemigration AWS Java SDK :: Services :: AWS Database Migration Service diff --git a/services/databrew/pom.xml b/services/databrew/pom.xml index 6e6ffc563688..da64edfc1eff 100644 --- a/services/databrew/pom.xml +++ b/services/databrew/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT databrew AWS Java SDK :: Services :: Data Brew diff --git a/services/dataexchange/pom.xml b/services/dataexchange/pom.xml index b508455d3dc2..1f56af836b49 100644 --- a/services/dataexchange/pom.xml +++ b/services/dataexchange/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT dataexchange AWS Java SDK :: Services :: DataExchange diff --git a/services/datapipeline/pom.xml b/services/datapipeline/pom.xml index db62f502c5ff..dbb59236ed38 100644 --- a/services/datapipeline/pom.xml +++ b/services/datapipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT datapipeline AWS Java SDK :: Services :: AWS Data Pipeline diff --git a/services/datasync/pom.xml b/services/datasync/pom.xml index 776d375740fd..01418a249315 100644 --- a/services/datasync/pom.xml +++ b/services/datasync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT datasync AWS Java SDK :: Services :: DataSync diff --git a/services/datazone/pom.xml b/services/datazone/pom.xml index 2202b60ba2cb..2a7eb4056da4 100644 --- a/services/datazone/pom.xml +++ b/services/datazone/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT datazone AWS Java SDK :: Services :: Data Zone diff --git a/services/dax/pom.xml b/services/dax/pom.xml index 019b69b544f3..73ea25ed11cd 100644 --- a/services/dax/pom.xml +++ b/services/dax/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT dax AWS Java SDK :: Services :: Amazon DynamoDB Accelerator (DAX) diff --git a/services/deadline/pom.xml b/services/deadline/pom.xml index d267a5b8626a..4206553cc7e2 100644 --- a/services/deadline/pom.xml +++ b/services/deadline/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT deadline AWS Java SDK :: Services :: Deadline diff --git a/services/detective/pom.xml b/services/detective/pom.xml index a4e7a57b8ab5..7f4543a9145f 100644 --- a/services/detective/pom.xml +++ b/services/detective/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT detective AWS Java SDK :: Services :: Detective diff --git a/services/devicefarm/pom.xml b/services/devicefarm/pom.xml index cadc0edbddd6..7d4114727dff 100644 --- a/services/devicefarm/pom.xml +++ b/services/devicefarm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT devicefarm AWS Java SDK :: Services :: AWS Device Farm diff --git a/services/devopsguru/pom.xml b/services/devopsguru/pom.xml index 50023f56cbe6..29dc2ef9e2e1 100644 --- a/services/devopsguru/pom.xml +++ b/services/devopsguru/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT devopsguru AWS Java SDK :: Services :: Dev Ops Guru diff --git a/services/directconnect/pom.xml b/services/directconnect/pom.xml index 1b893f2c54d5..c090135e2639 100644 --- a/services/directconnect/pom.xml +++ b/services/directconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT directconnect AWS Java SDK :: Services :: AWS Direct Connect diff --git a/services/directory/pom.xml b/services/directory/pom.xml index c38fec131ee0..6d97068e9776 100644 --- a/services/directory/pom.xml +++ b/services/directory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT directory AWS Java SDK :: Services :: AWS Directory Service diff --git a/services/dlm/pom.xml b/services/dlm/pom.xml index 9d70c2771b3d..c7407e34400d 100644 --- a/services/dlm/pom.xml +++ b/services/dlm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT dlm AWS Java SDK :: Services :: DLM diff --git a/services/docdb/pom.xml b/services/docdb/pom.xml index 1605697edf0e..f194ca5eef0d 100644 --- a/services/docdb/pom.xml +++ b/services/docdb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT docdb AWS Java SDK :: Services :: DocDB diff --git a/services/docdbelastic/pom.xml b/services/docdbelastic/pom.xml index ddaee6ecc64b..87c0d1182fb3 100644 --- a/services/docdbelastic/pom.xml +++ b/services/docdbelastic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT docdbelastic AWS Java SDK :: Services :: Doc DB Elastic diff --git a/services/drs/pom.xml b/services/drs/pom.xml index 2856f7aff2fb..654277df36aa 100644 --- a/services/drs/pom.xml +++ b/services/drs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT drs AWS Java SDK :: Services :: Drs diff --git a/services/dynamodb/pom.xml b/services/dynamodb/pom.xml index df22b4c0f722..f3f83e8c3a24 100644 --- a/services/dynamodb/pom.xml +++ b/services/dynamodb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT dynamodb AWS Java SDK :: Services :: Amazon DynamoDB diff --git a/services/ebs/pom.xml b/services/ebs/pom.xml index faeb18dc0136..0aae552b8991 100644 --- a/services/ebs/pom.xml +++ b/services/ebs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT ebs AWS Java SDK :: Services :: EBS diff --git a/services/ec2/pom.xml b/services/ec2/pom.xml index 75396e1a3318..252c103bb76d 100644 --- a/services/ec2/pom.xml +++ b/services/ec2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT ec2 AWS Java SDK :: Services :: Amazon EC2 diff --git a/services/ec2instanceconnect/pom.xml b/services/ec2instanceconnect/pom.xml index 64c2a4cbc160..a10b601270bd 100644 --- a/services/ec2instanceconnect/pom.xml +++ b/services/ec2instanceconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT ec2instanceconnect AWS Java SDK :: Services :: EC2 Instance Connect diff --git a/services/ecr/pom.xml b/services/ecr/pom.xml index d8bf884cfe64..d2f01639e574 100644 --- a/services/ecr/pom.xml +++ b/services/ecr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT ecr AWS Java SDK :: Services :: Amazon EC2 Container Registry diff --git a/services/ecrpublic/pom.xml b/services/ecrpublic/pom.xml index c31332ce0584..9cdb708b54e0 100644 --- a/services/ecrpublic/pom.xml +++ b/services/ecrpublic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT ecrpublic AWS Java SDK :: Services :: ECR PUBLIC diff --git a/services/ecs/pom.xml b/services/ecs/pom.xml index 206603703c51..ef9aaf97aff1 100644 --- a/services/ecs/pom.xml +++ b/services/ecs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT ecs AWS Java SDK :: Services :: Amazon EC2 Container Service diff --git a/services/efs/pom.xml b/services/efs/pom.xml index 4dc549461fc5..ff1c55bbfabc 100644 --- a/services/efs/pom.xml +++ b/services/efs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT efs AWS Java SDK :: Services :: Amazon Elastic File System diff --git a/services/eks/pom.xml b/services/eks/pom.xml index 2322e4f290f3..8dae436b5a91 100644 --- a/services/eks/pom.xml +++ b/services/eks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT eks AWS Java SDK :: Services :: EKS diff --git a/services/eksauth/pom.xml b/services/eksauth/pom.xml index 78c6602fd92d..567de87d7ae3 100644 --- a/services/eksauth/pom.xml +++ b/services/eksauth/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT eksauth AWS Java SDK :: Services :: EKS Auth diff --git a/services/elasticache/pom.xml b/services/elasticache/pom.xml index 11079e235ff4..c324a56e35dc 100644 --- a/services/elasticache/pom.xml +++ b/services/elasticache/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT elasticache AWS Java SDK :: Services :: Amazon ElastiCache diff --git a/services/elasticbeanstalk/pom.xml b/services/elasticbeanstalk/pom.xml index 0839059520c5..f6d0cea70a5d 100644 --- a/services/elasticbeanstalk/pom.xml +++ b/services/elasticbeanstalk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT elasticbeanstalk AWS Java SDK :: Services :: AWS Elastic Beanstalk diff --git a/services/elasticinference/pom.xml b/services/elasticinference/pom.xml index ee948069ad67..145d825c551f 100644 --- a/services/elasticinference/pom.xml +++ b/services/elasticinference/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT elasticinference AWS Java SDK :: Services :: Elastic Inference diff --git a/services/elasticloadbalancing/pom.xml b/services/elasticloadbalancing/pom.xml index 4745bd7e8e85..7c310e105bd9 100644 --- a/services/elasticloadbalancing/pom.xml +++ b/services/elasticloadbalancing/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT elasticloadbalancing AWS Java SDK :: Services :: Elastic Load Balancing diff --git a/services/elasticloadbalancingv2/pom.xml b/services/elasticloadbalancingv2/pom.xml index 754aea50ead0..5b2e6740df68 100644 --- a/services/elasticloadbalancingv2/pom.xml +++ b/services/elasticloadbalancingv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT elasticloadbalancingv2 AWS Java SDK :: Services :: Elastic Load Balancing V2 diff --git a/services/elasticsearch/pom.xml b/services/elasticsearch/pom.xml index 5232b797c817..4c524fcb5f83 100644 --- a/services/elasticsearch/pom.xml +++ b/services/elasticsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT elasticsearch AWS Java SDK :: Services :: Amazon Elasticsearch Service diff --git a/services/elastictranscoder/pom.xml b/services/elastictranscoder/pom.xml index dfb9994d51a7..a7a39f4008d1 100644 --- a/services/elastictranscoder/pom.xml +++ b/services/elastictranscoder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT elastictranscoder AWS Java SDK :: Services :: Amazon Elastic Transcoder diff --git a/services/emr/pom.xml b/services/emr/pom.xml index c4ac38831f96..c35db9760f17 100644 --- a/services/emr/pom.xml +++ b/services/emr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT emr AWS Java SDK :: Services :: Amazon EMR diff --git a/services/emrcontainers/pom.xml b/services/emrcontainers/pom.xml index a195fcc164ff..11b8aae2d3fb 100644 --- a/services/emrcontainers/pom.xml +++ b/services/emrcontainers/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT emrcontainers AWS Java SDK :: Services :: EMR Containers diff --git a/services/emrserverless/pom.xml b/services/emrserverless/pom.xml index a2c4e1366568..e1218f0ee007 100644 --- a/services/emrserverless/pom.xml +++ b/services/emrserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT emrserverless AWS Java SDK :: Services :: EMR Serverless diff --git a/services/entityresolution/pom.xml b/services/entityresolution/pom.xml index 9cf6b7220364..5d5cc0208244 100644 --- a/services/entityresolution/pom.xml +++ b/services/entityresolution/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT entityresolution AWS Java SDK :: Services :: Entity Resolution diff --git a/services/eventbridge/pom.xml b/services/eventbridge/pom.xml index 5f95fd3a0aef..919802000d45 100644 --- a/services/eventbridge/pom.xml +++ b/services/eventbridge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT eventbridge AWS Java SDK :: Services :: EventBridge diff --git a/services/evidently/pom.xml b/services/evidently/pom.xml index 873e05bfd725..85f8323ee107 100644 --- a/services/evidently/pom.xml +++ b/services/evidently/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT evidently AWS Java SDK :: Services :: Evidently diff --git a/services/finspace/pom.xml b/services/finspace/pom.xml index e3a8e4466a04..4cf424c309ef 100644 --- a/services/finspace/pom.xml +++ b/services/finspace/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT finspace AWS Java SDK :: Services :: Finspace diff --git a/services/finspacedata/pom.xml b/services/finspacedata/pom.xml index a504e97242c8..0a7f057f67e0 100644 --- a/services/finspacedata/pom.xml +++ b/services/finspacedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT finspacedata AWS Java SDK :: Services :: Finspace Data diff --git a/services/firehose/pom.xml b/services/firehose/pom.xml index 131fe955c70a..f3fc24aa32e5 100644 --- a/services/firehose/pom.xml +++ b/services/firehose/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT firehose AWS Java SDK :: Services :: Amazon Kinesis Firehose diff --git a/services/fis/pom.xml b/services/fis/pom.xml index b81c2af5567c..bd50a49f6e38 100644 --- a/services/fis/pom.xml +++ b/services/fis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT fis AWS Java SDK :: Services :: Fis diff --git a/services/fms/pom.xml b/services/fms/pom.xml index 91a6f994ba75..ff0fd37a2be8 100644 --- a/services/fms/pom.xml +++ b/services/fms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT fms AWS Java SDK :: Services :: FMS diff --git a/services/forecast/pom.xml b/services/forecast/pom.xml index 0ebe0bfc0dfb..4e4451d9fa28 100644 --- a/services/forecast/pom.xml +++ b/services/forecast/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT forecast AWS Java SDK :: Services :: Forecast diff --git a/services/forecastquery/pom.xml b/services/forecastquery/pom.xml index 231d1f5d57e8..64949793a87f 100644 --- a/services/forecastquery/pom.xml +++ b/services/forecastquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT forecastquery AWS Java SDK :: Services :: Forecastquery diff --git a/services/frauddetector/pom.xml b/services/frauddetector/pom.xml index 9bc561ec7657..e414df353e13 100644 --- a/services/frauddetector/pom.xml +++ b/services/frauddetector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT frauddetector AWS Java SDK :: Services :: FraudDetector diff --git a/services/freetier/pom.xml b/services/freetier/pom.xml index 36335bf6cc1c..3895c1b840bc 100644 --- a/services/freetier/pom.xml +++ b/services/freetier/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT freetier AWS Java SDK :: Services :: Free Tier diff --git a/services/fsx/pom.xml b/services/fsx/pom.xml index 65121321108e..5e46a77cea8f 100644 --- a/services/fsx/pom.xml +++ b/services/fsx/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT fsx AWS Java SDK :: Services :: FSx diff --git a/services/gamelift/pom.xml b/services/gamelift/pom.xml index d408cd7d62c4..1fe5bcdddef6 100644 --- a/services/gamelift/pom.xml +++ b/services/gamelift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT gamelift AWS Java SDK :: Services :: AWS GameLift diff --git a/services/glacier/pom.xml b/services/glacier/pom.xml index 1ff27deb9fe3..046a61c01b39 100644 --- a/services/glacier/pom.xml +++ b/services/glacier/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT glacier AWS Java SDK :: Services :: Amazon Glacier diff --git a/services/globalaccelerator/pom.xml b/services/globalaccelerator/pom.xml index 954457654aa1..819e0ec708fb 100644 --- a/services/globalaccelerator/pom.xml +++ b/services/globalaccelerator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT globalaccelerator AWS Java SDK :: Services :: Global Accelerator diff --git a/services/glue/pom.xml b/services/glue/pom.xml index 5c0f7a1c873c..abd21ea5db54 100644 --- a/services/glue/pom.xml +++ b/services/glue/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21 + 2.27.22-SNAPSHOT 4.0.0 glue diff --git a/services/grafana/pom.xml b/services/grafana/pom.xml index 64e5c4c1dfbf..768a12a38bf3 100644 --- a/services/grafana/pom.xml +++ b/services/grafana/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT grafana AWS Java SDK :: Services :: Grafana diff --git a/services/greengrass/pom.xml b/services/greengrass/pom.xml index f2a3a174c007..e9606281d45c 100644 --- a/services/greengrass/pom.xml +++ b/services/greengrass/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT greengrass AWS Java SDK :: Services :: AWS Greengrass diff --git a/services/greengrassv2/pom.xml b/services/greengrassv2/pom.xml index 857069ad8d14..23ed063d0b00 100644 --- a/services/greengrassv2/pom.xml +++ b/services/greengrassv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT greengrassv2 AWS Java SDK :: Services :: Greengrass V2 diff --git a/services/groundstation/pom.xml b/services/groundstation/pom.xml index ace57d6783e5..39257aa900b7 100644 --- a/services/groundstation/pom.xml +++ b/services/groundstation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT groundstation AWS Java SDK :: Services :: GroundStation diff --git a/services/guardduty/pom.xml b/services/guardduty/pom.xml index 0c2db4df25f3..488411146376 100644 --- a/services/guardduty/pom.xml +++ b/services/guardduty/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21 + 2.27.22-SNAPSHOT 4.0.0 guardduty diff --git a/services/health/pom.xml b/services/health/pom.xml index a93fd69bad23..c47050dd5689 100644 --- a/services/health/pom.xml +++ b/services/health/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT health AWS Java SDK :: Services :: AWS Health APIs and Notifications diff --git a/services/healthlake/pom.xml b/services/healthlake/pom.xml index f79318584633..0f7fe3e342ec 100644 --- a/services/healthlake/pom.xml +++ b/services/healthlake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT healthlake AWS Java SDK :: Services :: Health Lake diff --git a/services/iam/pom.xml b/services/iam/pom.xml index dab5247789d6..00d9df908cd2 100644 --- a/services/iam/pom.xml +++ b/services/iam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT iam AWS Java SDK :: Services :: AWS IAM diff --git a/services/identitystore/pom.xml b/services/identitystore/pom.xml index a02005c74128..f9ad8bd22b36 100644 --- a/services/identitystore/pom.xml +++ b/services/identitystore/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT identitystore AWS Java SDK :: Services :: Identitystore diff --git a/services/imagebuilder/pom.xml b/services/imagebuilder/pom.xml index bb5ebcd6e371..9b3c13726990 100644 --- a/services/imagebuilder/pom.xml +++ b/services/imagebuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT imagebuilder AWS Java SDK :: Services :: Imagebuilder diff --git a/services/inspector/pom.xml b/services/inspector/pom.xml index 722d146f45a1..0cb8be0830ec 100644 --- a/services/inspector/pom.xml +++ b/services/inspector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT inspector AWS Java SDK :: Services :: Amazon Inspector Service diff --git a/services/inspector2/pom.xml b/services/inspector2/pom.xml index 1f57f351cb58..e6e3734b3a92 100644 --- a/services/inspector2/pom.xml +++ b/services/inspector2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT inspector2 AWS Java SDK :: Services :: Inspector2 diff --git a/services/inspectorscan/pom.xml b/services/inspectorscan/pom.xml index 3b5f1cb0a81e..89ebf2de7ca3 100644 --- a/services/inspectorscan/pom.xml +++ b/services/inspectorscan/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT inspectorscan AWS Java SDK :: Services :: Inspector Scan diff --git a/services/internetmonitor/pom.xml b/services/internetmonitor/pom.xml index 3330b4cfea14..522fd070aeb1 100644 --- a/services/internetmonitor/pom.xml +++ b/services/internetmonitor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT internetmonitor AWS Java SDK :: Services :: Internet Monitor diff --git a/services/iot/pom.xml b/services/iot/pom.xml index 8edba6be6b64..3146b8d2b3ab 100644 --- a/services/iot/pom.xml +++ b/services/iot/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT iot AWS Java SDK :: Services :: AWS IoT diff --git a/services/iot1clickdevices/pom.xml b/services/iot1clickdevices/pom.xml index 95bb35720d0a..f9c6be272080 100644 --- a/services/iot1clickdevices/pom.xml +++ b/services/iot1clickdevices/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT iot1clickdevices AWS Java SDK :: Services :: IoT 1Click Devices Service diff --git a/services/iot1clickprojects/pom.xml b/services/iot1clickprojects/pom.xml index 7e3755e9e235..1f9cdebdc070 100644 --- a/services/iot1clickprojects/pom.xml +++ b/services/iot1clickprojects/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT iot1clickprojects AWS Java SDK :: Services :: IoT 1Click Projects diff --git a/services/iotanalytics/pom.xml b/services/iotanalytics/pom.xml index af654f4ab45f..4437696175a4 100644 --- a/services/iotanalytics/pom.xml +++ b/services/iotanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT iotanalytics AWS Java SDK :: Services :: IoTAnalytics diff --git a/services/iotdataplane/pom.xml b/services/iotdataplane/pom.xml index e730a4848e8d..064f8e5a9301 100644 --- a/services/iotdataplane/pom.xml +++ b/services/iotdataplane/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT iotdataplane AWS Java SDK :: Services :: AWS IoT Data Plane diff --git a/services/iotdeviceadvisor/pom.xml b/services/iotdeviceadvisor/pom.xml index 8a051156ce29..513459a04c48 100644 --- a/services/iotdeviceadvisor/pom.xml +++ b/services/iotdeviceadvisor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT iotdeviceadvisor AWS Java SDK :: Services :: Iot Device Advisor diff --git a/services/iotevents/pom.xml b/services/iotevents/pom.xml index 3326067c1a16..474d1d6b3750 100644 --- a/services/iotevents/pom.xml +++ b/services/iotevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT iotevents AWS Java SDK :: Services :: IoT Events diff --git a/services/ioteventsdata/pom.xml b/services/ioteventsdata/pom.xml index 6bd5014a7d8c..58e842a68996 100644 --- a/services/ioteventsdata/pom.xml +++ b/services/ioteventsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT ioteventsdata AWS Java SDK :: Services :: IoT Events Data diff --git a/services/iotfleethub/pom.xml b/services/iotfleethub/pom.xml index 5a0b4f5ba32d..7660503140e9 100644 --- a/services/iotfleethub/pom.xml +++ b/services/iotfleethub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT iotfleethub AWS Java SDK :: Services :: Io T Fleet Hub diff --git a/services/iotfleetwise/pom.xml b/services/iotfleetwise/pom.xml index faf7e8eacdde..c1a2d04e0f97 100644 --- a/services/iotfleetwise/pom.xml +++ b/services/iotfleetwise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT iotfleetwise AWS Java SDK :: Services :: Io T Fleet Wise diff --git a/services/iotjobsdataplane/pom.xml b/services/iotjobsdataplane/pom.xml index 5b34dd631e81..e31b327fe731 100644 --- a/services/iotjobsdataplane/pom.xml +++ b/services/iotjobsdataplane/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT iotjobsdataplane AWS Java SDK :: Services :: IoT Jobs Data Plane diff --git a/services/iotsecuretunneling/pom.xml b/services/iotsecuretunneling/pom.xml index 293a3216ccca..be14305ec7ca 100644 --- a/services/iotsecuretunneling/pom.xml +++ b/services/iotsecuretunneling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT iotsecuretunneling AWS Java SDK :: Services :: IoTSecureTunneling diff --git a/services/iotsitewise/pom.xml b/services/iotsitewise/pom.xml index ce68a2e9c48c..8d6164410ac0 100644 --- a/services/iotsitewise/pom.xml +++ b/services/iotsitewise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT iotsitewise AWS Java SDK :: Services :: Io T Site Wise diff --git a/services/iotthingsgraph/pom.xml b/services/iotthingsgraph/pom.xml index 8e34ffedc66b..b3f9ae1394c5 100644 --- a/services/iotthingsgraph/pom.xml +++ b/services/iotthingsgraph/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT iotthingsgraph AWS Java SDK :: Services :: IoTThingsGraph diff --git a/services/iottwinmaker/pom.xml b/services/iottwinmaker/pom.xml index 6a763ee29724..be354bceca9f 100644 --- a/services/iottwinmaker/pom.xml +++ b/services/iottwinmaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT iottwinmaker AWS Java SDK :: Services :: Io T Twin Maker diff --git a/services/iotwireless/pom.xml b/services/iotwireless/pom.xml index e1815ef780ce..0bf69aa748ab 100644 --- a/services/iotwireless/pom.xml +++ b/services/iotwireless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT iotwireless AWS Java SDK :: Services :: IoT Wireless diff --git a/services/ivs/pom.xml b/services/ivs/pom.xml index 3990cff2c0ba..07043d212e24 100644 --- a/services/ivs/pom.xml +++ b/services/ivs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT ivs AWS Java SDK :: Services :: Ivs diff --git a/services/ivschat/pom.xml b/services/ivschat/pom.xml index 2afaa5d1a9ce..ce79e6dc090e 100644 --- a/services/ivschat/pom.xml +++ b/services/ivschat/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT ivschat AWS Java SDK :: Services :: Ivschat diff --git a/services/ivsrealtime/pom.xml b/services/ivsrealtime/pom.xml index a7f73f014140..f529658003c0 100644 --- a/services/ivsrealtime/pom.xml +++ b/services/ivsrealtime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT ivsrealtime AWS Java SDK :: Services :: IVS Real Time diff --git a/services/kafka/pom.xml b/services/kafka/pom.xml index c3cd2b79ca33..3f6a4a5df17c 100644 --- a/services/kafka/pom.xml +++ b/services/kafka/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT kafka AWS Java SDK :: Services :: Kafka diff --git a/services/kafkaconnect/pom.xml b/services/kafkaconnect/pom.xml index 47a9bea4a5bf..ce2c56cb7da7 100644 --- a/services/kafkaconnect/pom.xml +++ b/services/kafkaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT kafkaconnect AWS Java SDK :: Services :: Kafka Connect diff --git a/services/kendra/pom.xml b/services/kendra/pom.xml index 8b11ac7adddb..a863890f3fd4 100644 --- a/services/kendra/pom.xml +++ b/services/kendra/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT kendra AWS Java SDK :: Services :: Kendra diff --git a/services/kendraranking/pom.xml b/services/kendraranking/pom.xml index 405e4e9a6293..43e0f31108c6 100644 --- a/services/kendraranking/pom.xml +++ b/services/kendraranking/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT kendraranking AWS Java SDK :: Services :: Kendra Ranking diff --git a/services/keyspaces/pom.xml b/services/keyspaces/pom.xml index afe08e5b5cac..8043e4136396 100644 --- a/services/keyspaces/pom.xml +++ b/services/keyspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT keyspaces AWS Java SDK :: Services :: Keyspaces diff --git a/services/kinesis/pom.xml b/services/kinesis/pom.xml index dc55b36501b8..6a452eb5d243 100644 --- a/services/kinesis/pom.xml +++ b/services/kinesis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT kinesis AWS Java SDK :: Services :: Amazon Kinesis diff --git a/services/kinesisanalytics/pom.xml b/services/kinesisanalytics/pom.xml index 609c5fdc146c..f00db832f1f2 100644 --- a/services/kinesisanalytics/pom.xml +++ b/services/kinesisanalytics/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT kinesisanalytics AWS Java SDK :: Services :: Amazon Kinesis Analytics diff --git a/services/kinesisanalyticsv2/pom.xml b/services/kinesisanalyticsv2/pom.xml index 1d060e0eff3e..cff06af5f873 100644 --- a/services/kinesisanalyticsv2/pom.xml +++ b/services/kinesisanalyticsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT kinesisanalyticsv2 AWS Java SDK :: Services :: Kinesis Analytics V2 diff --git a/services/kinesisvideo/pom.xml b/services/kinesisvideo/pom.xml index 1dce29f4373e..d8d12c6ebffe 100644 --- a/services/kinesisvideo/pom.xml +++ b/services/kinesisvideo/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21 + 2.27.22-SNAPSHOT 4.0.0 kinesisvideo diff --git a/services/kinesisvideoarchivedmedia/pom.xml b/services/kinesisvideoarchivedmedia/pom.xml index f5d44b461819..b360ce7c4799 100644 --- a/services/kinesisvideoarchivedmedia/pom.xml +++ b/services/kinesisvideoarchivedmedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT kinesisvideoarchivedmedia AWS Java SDK :: Services :: Kinesis Video Archived Media diff --git a/services/kinesisvideomedia/pom.xml b/services/kinesisvideomedia/pom.xml index 15c2ba96532c..ebf05ed5df53 100644 --- a/services/kinesisvideomedia/pom.xml +++ b/services/kinesisvideomedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT kinesisvideomedia AWS Java SDK :: Services :: Kinesis Video Media diff --git a/services/kinesisvideosignaling/pom.xml b/services/kinesisvideosignaling/pom.xml index b3621dac4b83..f41d0d5088e7 100644 --- a/services/kinesisvideosignaling/pom.xml +++ b/services/kinesisvideosignaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT kinesisvideosignaling AWS Java SDK :: Services :: Kinesis Video Signaling diff --git a/services/kinesisvideowebrtcstorage/pom.xml b/services/kinesisvideowebrtcstorage/pom.xml index cfa1ccdb97f5..9809c5e14037 100644 --- a/services/kinesisvideowebrtcstorage/pom.xml +++ b/services/kinesisvideowebrtcstorage/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT kinesisvideowebrtcstorage AWS Java SDK :: Services :: Kinesis Video Web RTC Storage diff --git a/services/kms/pom.xml b/services/kms/pom.xml index daae1e213c56..f210b1941c80 100644 --- a/services/kms/pom.xml +++ b/services/kms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT kms AWS Java SDK :: Services :: AWS KMS diff --git a/services/lakeformation/pom.xml b/services/lakeformation/pom.xml index b7afc5014c64..ad9b95be99d7 100644 --- a/services/lakeformation/pom.xml +++ b/services/lakeformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT lakeformation AWS Java SDK :: Services :: LakeFormation diff --git a/services/lambda/pom.xml b/services/lambda/pom.xml index e25f8fd3fc8e..92d1f4a9a598 100644 --- a/services/lambda/pom.xml +++ b/services/lambda/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT lambda AWS Java SDK :: Services :: AWS Lambda diff --git a/services/launchwizard/pom.xml b/services/launchwizard/pom.xml index b0b74ee925da..ab16e3a7da12 100644 --- a/services/launchwizard/pom.xml +++ b/services/launchwizard/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT launchwizard AWS Java SDK :: Services :: Launch Wizard diff --git a/services/lexmodelbuilding/pom.xml b/services/lexmodelbuilding/pom.xml index 92229f226af6..5330995eac98 100644 --- a/services/lexmodelbuilding/pom.xml +++ b/services/lexmodelbuilding/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT lexmodelbuilding AWS Java SDK :: Services :: Amazon Lex Model Building diff --git a/services/lexmodelsv2/pom.xml b/services/lexmodelsv2/pom.xml index 16e8d04c8aa7..c281a74913a8 100644 --- a/services/lexmodelsv2/pom.xml +++ b/services/lexmodelsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT lexmodelsv2 AWS Java SDK :: Services :: Lex Models V2 diff --git a/services/lexruntime/pom.xml b/services/lexruntime/pom.xml index 93ef625ae691..e9eb3c944078 100644 --- a/services/lexruntime/pom.xml +++ b/services/lexruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT lexruntime AWS Java SDK :: Services :: Amazon Lex Runtime diff --git a/services/lexruntimev2/pom.xml b/services/lexruntimev2/pom.xml index 7c2955db71c5..6129dd9375e3 100644 --- a/services/lexruntimev2/pom.xml +++ b/services/lexruntimev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT lexruntimev2 AWS Java SDK :: Services :: Lex Runtime V2 diff --git a/services/licensemanager/pom.xml b/services/licensemanager/pom.xml index 93a42104d9a9..8b8d74d10851 100644 --- a/services/licensemanager/pom.xml +++ b/services/licensemanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT licensemanager AWS Java SDK :: Services :: License Manager diff --git a/services/licensemanagerlinuxsubscriptions/pom.xml b/services/licensemanagerlinuxsubscriptions/pom.xml index 305507e452ee..b9110c0688c1 100644 --- a/services/licensemanagerlinuxsubscriptions/pom.xml +++ b/services/licensemanagerlinuxsubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT licensemanagerlinuxsubscriptions AWS Java SDK :: Services :: License Manager Linux Subscriptions diff --git a/services/licensemanagerusersubscriptions/pom.xml b/services/licensemanagerusersubscriptions/pom.xml index 7028ea8fc9ec..a8f1abe2ab00 100644 --- a/services/licensemanagerusersubscriptions/pom.xml +++ b/services/licensemanagerusersubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT licensemanagerusersubscriptions AWS Java SDK :: Services :: License Manager User Subscriptions diff --git a/services/lightsail/pom.xml b/services/lightsail/pom.xml index c7fd0ea7dabf..d96dcbcdf95c 100644 --- a/services/lightsail/pom.xml +++ b/services/lightsail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT lightsail AWS Java SDK :: Services :: Amazon Lightsail diff --git a/services/location/pom.xml b/services/location/pom.xml index bc2452c14ede..769a5e13de51 100644 --- a/services/location/pom.xml +++ b/services/location/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT location AWS Java SDK :: Services :: Location diff --git a/services/lookoutequipment/pom.xml b/services/lookoutequipment/pom.xml index 4095d92d200f..743e29262f51 100644 --- a/services/lookoutequipment/pom.xml +++ b/services/lookoutequipment/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT lookoutequipment AWS Java SDK :: Services :: Lookout Equipment diff --git a/services/lookoutmetrics/pom.xml b/services/lookoutmetrics/pom.xml index ca8cced84f57..60e38603efb6 100644 --- a/services/lookoutmetrics/pom.xml +++ b/services/lookoutmetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT lookoutmetrics AWS Java SDK :: Services :: Lookout Metrics diff --git a/services/lookoutvision/pom.xml b/services/lookoutvision/pom.xml index bcd455278a0f..2190795920f1 100644 --- a/services/lookoutvision/pom.xml +++ b/services/lookoutvision/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT lookoutvision AWS Java SDK :: Services :: Lookout Vision diff --git a/services/m2/pom.xml b/services/m2/pom.xml index edc088db12ec..e1b8e5d205bc 100644 --- a/services/m2/pom.xml +++ b/services/m2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT m2 AWS Java SDK :: Services :: M2 diff --git a/services/machinelearning/pom.xml b/services/machinelearning/pom.xml index 379e4b2f9be6..126769cde693 100644 --- a/services/machinelearning/pom.xml +++ b/services/machinelearning/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT machinelearning AWS Java SDK :: Services :: Amazon Machine Learning diff --git a/services/macie2/pom.xml b/services/macie2/pom.xml index 1009936b864f..89b28dc35363 100644 --- a/services/macie2/pom.xml +++ b/services/macie2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT macie2 AWS Java SDK :: Services :: Macie2 diff --git a/services/mailmanager/pom.xml b/services/mailmanager/pom.xml index 105c65e5b912..67d6ed6959ed 100644 --- a/services/mailmanager/pom.xml +++ b/services/mailmanager/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT mailmanager AWS Java SDK :: Services :: Mail Manager diff --git a/services/managedblockchain/pom.xml b/services/managedblockchain/pom.xml index f3ddd68023be..970765e55169 100644 --- a/services/managedblockchain/pom.xml +++ b/services/managedblockchain/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT managedblockchain AWS Java SDK :: Services :: ManagedBlockchain diff --git a/services/managedblockchainquery/pom.xml b/services/managedblockchainquery/pom.xml index bf2748d7dc21..d67f5cc09a72 100644 --- a/services/managedblockchainquery/pom.xml +++ b/services/managedblockchainquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT managedblockchainquery AWS Java SDK :: Services :: Managed Blockchain Query diff --git a/services/marketplaceagreement/pom.xml b/services/marketplaceagreement/pom.xml index ab0f736fadb7..f83e9cbb5651 100644 --- a/services/marketplaceagreement/pom.xml +++ b/services/marketplaceagreement/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT marketplaceagreement AWS Java SDK :: Services :: Marketplace Agreement diff --git a/services/marketplacecatalog/pom.xml b/services/marketplacecatalog/pom.xml index f848fe734430..4349dbd34534 100644 --- a/services/marketplacecatalog/pom.xml +++ b/services/marketplacecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT marketplacecatalog AWS Java SDK :: Services :: Marketplace Catalog diff --git a/services/marketplacecommerceanalytics/pom.xml b/services/marketplacecommerceanalytics/pom.xml index 720489309f2f..1b8cb4cffb3c 100644 --- a/services/marketplacecommerceanalytics/pom.xml +++ b/services/marketplacecommerceanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT marketplacecommerceanalytics AWS Java SDK :: Services :: AWS Marketplace Commerce Analytics diff --git a/services/marketplacedeployment/pom.xml b/services/marketplacedeployment/pom.xml index 635585ec5f32..9caf33818e59 100644 --- a/services/marketplacedeployment/pom.xml +++ b/services/marketplacedeployment/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT marketplacedeployment AWS Java SDK :: Services :: Marketplace Deployment diff --git a/services/marketplaceentitlement/pom.xml b/services/marketplaceentitlement/pom.xml index 4e49dd79c43a..1172dd7baf69 100644 --- a/services/marketplaceentitlement/pom.xml +++ b/services/marketplaceentitlement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT marketplaceentitlement AWS Java SDK :: Services :: AWS Marketplace Entitlement diff --git a/services/marketplacemetering/pom.xml b/services/marketplacemetering/pom.xml index 19fd1f0a3782..2d6ffac745b2 100644 --- a/services/marketplacemetering/pom.xml +++ b/services/marketplacemetering/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT marketplacemetering AWS Java SDK :: Services :: AWS Marketplace Metering Service diff --git a/services/mediaconnect/pom.xml b/services/mediaconnect/pom.xml index 18e88ace2ec0..3d550737e113 100644 --- a/services/mediaconnect/pom.xml +++ b/services/mediaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT mediaconnect AWS Java SDK :: Services :: MediaConnect diff --git a/services/mediaconvert/pom.xml b/services/mediaconvert/pom.xml index a966c8eec53a..eff7e15d25f5 100644 --- a/services/mediaconvert/pom.xml +++ b/services/mediaconvert/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21 + 2.27.22-SNAPSHOT 4.0.0 mediaconvert diff --git a/services/medialive/pom.xml b/services/medialive/pom.xml index 56a564606df6..29339fce8947 100644 --- a/services/medialive/pom.xml +++ b/services/medialive/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21 + 2.27.22-SNAPSHOT 4.0.0 medialive diff --git a/services/mediapackage/pom.xml b/services/mediapackage/pom.xml index 83c25f1a5dd4..5d5ced3ce3c0 100644 --- a/services/mediapackage/pom.xml +++ b/services/mediapackage/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21 + 2.27.22-SNAPSHOT 4.0.0 mediapackage diff --git a/services/mediapackagev2/pom.xml b/services/mediapackagev2/pom.xml index 8f1a861ad306..993cceaa2ade 100644 --- a/services/mediapackagev2/pom.xml +++ b/services/mediapackagev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT mediapackagev2 AWS Java SDK :: Services :: Media Package V2 diff --git a/services/mediapackagevod/pom.xml b/services/mediapackagevod/pom.xml index ed366e5d03f4..585737bef235 100644 --- a/services/mediapackagevod/pom.xml +++ b/services/mediapackagevod/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT mediapackagevod AWS Java SDK :: Services :: MediaPackage Vod diff --git a/services/mediastore/pom.xml b/services/mediastore/pom.xml index 8d5b9eca74ed..f9ea67599671 100644 --- a/services/mediastore/pom.xml +++ b/services/mediastore/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21 + 2.27.22-SNAPSHOT 4.0.0 mediastore diff --git a/services/mediastoredata/pom.xml b/services/mediastoredata/pom.xml index 0415ec066bdd..920ca7871a33 100644 --- a/services/mediastoredata/pom.xml +++ b/services/mediastoredata/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21 + 2.27.22-SNAPSHOT 4.0.0 mediastoredata diff --git a/services/mediatailor/pom.xml b/services/mediatailor/pom.xml index 11630f8c652c..39b657486f92 100644 --- a/services/mediatailor/pom.xml +++ b/services/mediatailor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT mediatailor AWS Java SDK :: Services :: MediaTailor diff --git a/services/medicalimaging/pom.xml b/services/medicalimaging/pom.xml index 1d39b2187c2e..e6bf58020b7c 100644 --- a/services/medicalimaging/pom.xml +++ b/services/medicalimaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT medicalimaging AWS Java SDK :: Services :: Medical Imaging diff --git a/services/memorydb/pom.xml b/services/memorydb/pom.xml index 196d5578e905..cecebd620c4d 100644 --- a/services/memorydb/pom.xml +++ b/services/memorydb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT memorydb AWS Java SDK :: Services :: Memory DB diff --git a/services/mgn/pom.xml b/services/mgn/pom.xml index 3eaab6f073ef..9b0c10a36993 100644 --- a/services/mgn/pom.xml +++ b/services/mgn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT mgn AWS Java SDK :: Services :: Mgn diff --git a/services/migrationhub/pom.xml b/services/migrationhub/pom.xml index b81395f9b03a..13444b95fd6b 100644 --- a/services/migrationhub/pom.xml +++ b/services/migrationhub/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21 + 2.27.22-SNAPSHOT 4.0.0 migrationhub diff --git a/services/migrationhubconfig/pom.xml b/services/migrationhubconfig/pom.xml index bc09e1744419..130e6b65d737 100644 --- a/services/migrationhubconfig/pom.xml +++ b/services/migrationhubconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT migrationhubconfig AWS Java SDK :: Services :: MigrationHub Config diff --git a/services/migrationhuborchestrator/pom.xml b/services/migrationhuborchestrator/pom.xml index dba9fff29e59..08ad37f778ff 100644 --- a/services/migrationhuborchestrator/pom.xml +++ b/services/migrationhuborchestrator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT migrationhuborchestrator AWS Java SDK :: Services :: Migration Hub Orchestrator diff --git a/services/migrationhubrefactorspaces/pom.xml b/services/migrationhubrefactorspaces/pom.xml index e178a17a9fa7..352bb97464f7 100644 --- a/services/migrationhubrefactorspaces/pom.xml +++ b/services/migrationhubrefactorspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT migrationhubrefactorspaces AWS Java SDK :: Services :: Migration Hub Refactor Spaces diff --git a/services/migrationhubstrategy/pom.xml b/services/migrationhubstrategy/pom.xml index 4d493b50692d..2d3ff1729619 100644 --- a/services/migrationhubstrategy/pom.xml +++ b/services/migrationhubstrategy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT migrationhubstrategy AWS Java SDK :: Services :: Migration Hub Strategy diff --git a/services/mq/pom.xml b/services/mq/pom.xml index abf31537f1b3..ed126013bdb3 100644 --- a/services/mq/pom.xml +++ b/services/mq/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21 + 2.27.22-SNAPSHOT 4.0.0 mq diff --git a/services/mturk/pom.xml b/services/mturk/pom.xml index 0ec20ad4f63c..20a37ada7a86 100644 --- a/services/mturk/pom.xml +++ b/services/mturk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT mturk AWS Java SDK :: Services :: Amazon Mechanical Turk Requester diff --git a/services/mwaa/pom.xml b/services/mwaa/pom.xml index 30ccf35d8593..93d151ac6c15 100644 --- a/services/mwaa/pom.xml +++ b/services/mwaa/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT mwaa AWS Java SDK :: Services :: MWAA diff --git a/services/neptune/pom.xml b/services/neptune/pom.xml index 52d9ce3bac27..107e35a85c35 100644 --- a/services/neptune/pom.xml +++ b/services/neptune/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT neptune AWS Java SDK :: Services :: Neptune diff --git a/services/neptunedata/pom.xml b/services/neptunedata/pom.xml index e292874cacff..802ae0b2a939 100644 --- a/services/neptunedata/pom.xml +++ b/services/neptunedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT neptunedata AWS Java SDK :: Services :: Neptunedata diff --git a/services/neptunegraph/pom.xml b/services/neptunegraph/pom.xml index c502803f56ca..9ee162b2028e 100644 --- a/services/neptunegraph/pom.xml +++ b/services/neptunegraph/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT neptunegraph AWS Java SDK :: Services :: Neptune Graph diff --git a/services/networkfirewall/pom.xml b/services/networkfirewall/pom.xml index cd4ca68c0199..b22089d57210 100644 --- a/services/networkfirewall/pom.xml +++ b/services/networkfirewall/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT networkfirewall AWS Java SDK :: Services :: Network Firewall diff --git a/services/networkmanager/pom.xml b/services/networkmanager/pom.xml index 97abcc349a7f..2d650fc16445 100644 --- a/services/networkmanager/pom.xml +++ b/services/networkmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT networkmanager AWS Java SDK :: Services :: NetworkManager diff --git a/services/networkmonitor/pom.xml b/services/networkmonitor/pom.xml index 3136be19229f..360c47a271e4 100644 --- a/services/networkmonitor/pom.xml +++ b/services/networkmonitor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT networkmonitor AWS Java SDK :: Services :: Network Monitor diff --git a/services/nimble/pom.xml b/services/nimble/pom.xml index 5f5fdd8ed533..4df176c151c0 100644 --- a/services/nimble/pom.xml +++ b/services/nimble/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT nimble AWS Java SDK :: Services :: Nimble diff --git a/services/oam/pom.xml b/services/oam/pom.xml index 369ab4f22811..be6d51eca78f 100644 --- a/services/oam/pom.xml +++ b/services/oam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT oam AWS Java SDK :: Services :: OAM diff --git a/services/omics/pom.xml b/services/omics/pom.xml index 6d6ca4ea200b..4273a51aa4fd 100644 --- a/services/omics/pom.xml +++ b/services/omics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT omics AWS Java SDK :: Services :: Omics diff --git a/services/opensearch/pom.xml b/services/opensearch/pom.xml index c4818996f4c1..0e007fb88c4b 100644 --- a/services/opensearch/pom.xml +++ b/services/opensearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT opensearch AWS Java SDK :: Services :: Open Search diff --git a/services/opensearchserverless/pom.xml b/services/opensearchserverless/pom.xml index 870a4c81e552..2fe298ee8566 100644 --- a/services/opensearchserverless/pom.xml +++ b/services/opensearchserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT opensearchserverless AWS Java SDK :: Services :: Open Search Serverless diff --git a/services/opsworks/pom.xml b/services/opsworks/pom.xml index deefbc551c4c..70b99f2881d3 100644 --- a/services/opsworks/pom.xml +++ b/services/opsworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT opsworks AWS Java SDK :: Services :: AWS OpsWorks diff --git a/services/opsworkscm/pom.xml b/services/opsworkscm/pom.xml index a90ddf70d9d9..ae013f0fd92b 100644 --- a/services/opsworkscm/pom.xml +++ b/services/opsworkscm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT opsworkscm AWS Java SDK :: Services :: AWS OpsWorks for Chef Automate diff --git a/services/organizations/pom.xml b/services/organizations/pom.xml index c7d807d2b02b..c955ca4835a1 100644 --- a/services/organizations/pom.xml +++ b/services/organizations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT organizations AWS Java SDK :: Services :: AWS Organizations diff --git a/services/osis/pom.xml b/services/osis/pom.xml index 8761f5275070..def525ff7321 100644 --- a/services/osis/pom.xml +++ b/services/osis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT osis AWS Java SDK :: Services :: OSIS diff --git a/services/outposts/pom.xml b/services/outposts/pom.xml index 6502bd17e845..af3af0e7af7c 100644 --- a/services/outposts/pom.xml +++ b/services/outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT outposts AWS Java SDK :: Services :: Outposts diff --git a/services/panorama/pom.xml b/services/panorama/pom.xml index da9e365a6102..4a8d8c8cdf91 100644 --- a/services/panorama/pom.xml +++ b/services/panorama/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT panorama AWS Java SDK :: Services :: Panorama diff --git a/services/paymentcryptography/pom.xml b/services/paymentcryptography/pom.xml index 5b1a4497e8a5..6e9d70ab56a6 100644 --- a/services/paymentcryptography/pom.xml +++ b/services/paymentcryptography/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT paymentcryptography AWS Java SDK :: Services :: Payment Cryptography diff --git a/services/paymentcryptographydata/pom.xml b/services/paymentcryptographydata/pom.xml index c8e9faad1ba0..4e865a796fc7 100644 --- a/services/paymentcryptographydata/pom.xml +++ b/services/paymentcryptographydata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT paymentcryptographydata AWS Java SDK :: Services :: Payment Cryptography Data diff --git a/services/pcaconnectorad/pom.xml b/services/pcaconnectorad/pom.xml index d6d9e7404252..df50fad986db 100644 --- a/services/pcaconnectorad/pom.xml +++ b/services/pcaconnectorad/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT pcaconnectorad AWS Java SDK :: Services :: Pca Connector Ad diff --git a/services/pcaconnectorscep/pom.xml b/services/pcaconnectorscep/pom.xml index 21d4d8ebbe09..3e8378be6173 100644 --- a/services/pcaconnectorscep/pom.xml +++ b/services/pcaconnectorscep/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT pcaconnectorscep AWS Java SDK :: Services :: Pca Connector Scep diff --git a/services/pcs/pom.xml b/services/pcs/pom.xml index 816e403c7552..262f0728e9b9 100644 --- a/services/pcs/pom.xml +++ b/services/pcs/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT pcs AWS Java SDK :: Services :: PCS diff --git a/services/personalize/pom.xml b/services/personalize/pom.xml index 15fb1f43d6b9..d24d7906260e 100644 --- a/services/personalize/pom.xml +++ b/services/personalize/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT personalize AWS Java SDK :: Services :: Personalize diff --git a/services/personalizeevents/pom.xml b/services/personalizeevents/pom.xml index ee94839de101..5bcfad3c96a3 100644 --- a/services/personalizeevents/pom.xml +++ b/services/personalizeevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT personalizeevents AWS Java SDK :: Services :: Personalize Events diff --git a/services/personalizeruntime/pom.xml b/services/personalizeruntime/pom.xml index 5bb43346c882..9935a8bb305d 100644 --- a/services/personalizeruntime/pom.xml +++ b/services/personalizeruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT personalizeruntime AWS Java SDK :: Services :: Personalize Runtime diff --git a/services/pi/pom.xml b/services/pi/pom.xml index f6959c86825d..1ee8cffe5191 100644 --- a/services/pi/pom.xml +++ b/services/pi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT pi AWS Java SDK :: Services :: PI diff --git a/services/pinpoint/pom.xml b/services/pinpoint/pom.xml index c278e30396b3..2c76281ab664 100644 --- a/services/pinpoint/pom.xml +++ b/services/pinpoint/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT pinpoint AWS Java SDK :: Services :: Amazon Pinpoint diff --git a/services/pinpointemail/pom.xml b/services/pinpointemail/pom.xml index 18320fd5c1e4..103ef55cecaf 100644 --- a/services/pinpointemail/pom.xml +++ b/services/pinpointemail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT pinpointemail AWS Java SDK :: Services :: Pinpoint Email diff --git a/services/pinpointsmsvoice/pom.xml b/services/pinpointsmsvoice/pom.xml index 98381b6d2859..440e9d013f27 100644 --- a/services/pinpointsmsvoice/pom.xml +++ b/services/pinpointsmsvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT pinpointsmsvoice AWS Java SDK :: Services :: Pinpoint SMS Voice diff --git a/services/pinpointsmsvoicev2/pom.xml b/services/pinpointsmsvoicev2/pom.xml index 25382d560c04..c269c34fe7f8 100644 --- a/services/pinpointsmsvoicev2/pom.xml +++ b/services/pinpointsmsvoicev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT pinpointsmsvoicev2 AWS Java SDK :: Services :: Pinpoint SMS Voice V2 diff --git a/services/pipes/pom.xml b/services/pipes/pom.xml index eb06a8d2783f..f14bc19c5888 100644 --- a/services/pipes/pom.xml +++ b/services/pipes/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT pipes AWS Java SDK :: Services :: Pipes diff --git a/services/polly/pom.xml b/services/polly/pom.xml index 16e90183c1c2..70d399d78edb 100644 --- a/services/polly/pom.xml +++ b/services/polly/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT polly AWS Java SDK :: Services :: Amazon Polly diff --git a/services/pom.xml b/services/pom.xml index 74e645050b7c..f5df103ee1ba 100644 --- a/services/pom.xml +++ b/services/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.21 + 2.27.22-SNAPSHOT services AWS Java SDK :: Services diff --git a/services/pricing/pom.xml b/services/pricing/pom.xml index ecd2e5e17d90..1c80e398aadc 100644 --- a/services/pricing/pom.xml +++ b/services/pricing/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21 + 2.27.22-SNAPSHOT 4.0.0 pricing diff --git a/services/privatenetworks/pom.xml b/services/privatenetworks/pom.xml index c79ea0960083..4a3f2d9a9dcf 100644 --- a/services/privatenetworks/pom.xml +++ b/services/privatenetworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT privatenetworks AWS Java SDK :: Services :: Private Networks diff --git a/services/proton/pom.xml b/services/proton/pom.xml index b6d47469194c..281c20c107c4 100644 --- a/services/proton/pom.xml +++ b/services/proton/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT proton AWS Java SDK :: Services :: Proton diff --git a/services/qapps/pom.xml b/services/qapps/pom.xml index 7fb93690c296..1e63d110d0a9 100644 --- a/services/qapps/pom.xml +++ b/services/qapps/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT qapps AWS Java SDK :: Services :: Q Apps diff --git a/services/qbusiness/pom.xml b/services/qbusiness/pom.xml index 4fa8a2ee4a88..40791f959dd4 100644 --- a/services/qbusiness/pom.xml +++ b/services/qbusiness/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT qbusiness AWS Java SDK :: Services :: Q Business diff --git a/services/qconnect/pom.xml b/services/qconnect/pom.xml index a9ce662d3406..87cf67f73163 100644 --- a/services/qconnect/pom.xml +++ b/services/qconnect/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT qconnect AWS Java SDK :: Services :: Q Connect diff --git a/services/qldb/pom.xml b/services/qldb/pom.xml index 25949f097ebc..5cde2c943650 100644 --- a/services/qldb/pom.xml +++ b/services/qldb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT qldb AWS Java SDK :: Services :: QLDB diff --git a/services/qldbsession/pom.xml b/services/qldbsession/pom.xml index a0319b20575e..ee9bb109cd90 100644 --- a/services/qldbsession/pom.xml +++ b/services/qldbsession/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT qldbsession AWS Java SDK :: Services :: QLDB Session diff --git a/services/quicksight/pom.xml b/services/quicksight/pom.xml index 9f0617a4523a..ac63b0a5bc08 100644 --- a/services/quicksight/pom.xml +++ b/services/quicksight/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT quicksight AWS Java SDK :: Services :: QuickSight diff --git a/services/ram/pom.xml b/services/ram/pom.xml index 468ecb730df5..55ccfe925d8d 100644 --- a/services/ram/pom.xml +++ b/services/ram/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT ram AWS Java SDK :: Services :: RAM diff --git a/services/rbin/pom.xml b/services/rbin/pom.xml index 2ec412de4578..2bdba5add9e9 100644 --- a/services/rbin/pom.xml +++ b/services/rbin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT rbin AWS Java SDK :: Services :: Rbin diff --git a/services/rds/pom.xml b/services/rds/pom.xml index 85479f91ae2c..629b11f90ffb 100644 --- a/services/rds/pom.xml +++ b/services/rds/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT rds AWS Java SDK :: Services :: Amazon RDS diff --git a/services/rdsdata/pom.xml b/services/rdsdata/pom.xml index 8437435b117b..5d49a38fa14f 100644 --- a/services/rdsdata/pom.xml +++ b/services/rdsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT rdsdata AWS Java SDK :: Services :: RDS Data diff --git a/services/redshift/pom.xml b/services/redshift/pom.xml index 782a675d9a4e..eed134a6537b 100644 --- a/services/redshift/pom.xml +++ b/services/redshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT redshift AWS Java SDK :: Services :: Amazon Redshift diff --git a/services/redshiftdata/pom.xml b/services/redshiftdata/pom.xml index 721ec387e1b2..88c00379e2a8 100644 --- a/services/redshiftdata/pom.xml +++ b/services/redshiftdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT redshiftdata AWS Java SDK :: Services :: Redshift Data diff --git a/services/redshiftserverless/pom.xml b/services/redshiftserverless/pom.xml index aa20f96fbda2..0c8eaff25637 100644 --- a/services/redshiftserverless/pom.xml +++ b/services/redshiftserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT redshiftserverless AWS Java SDK :: Services :: Redshift Serverless diff --git a/services/rekognition/pom.xml b/services/rekognition/pom.xml index 2692dcdec19a..68793746b620 100644 --- a/services/rekognition/pom.xml +++ b/services/rekognition/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT rekognition AWS Java SDK :: Services :: Amazon Rekognition diff --git a/services/repostspace/pom.xml b/services/repostspace/pom.xml index f792a1d5d9ce..7fdaeb8df85a 100644 --- a/services/repostspace/pom.xml +++ b/services/repostspace/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT repostspace AWS Java SDK :: Services :: Repostspace diff --git a/services/resiliencehub/pom.xml b/services/resiliencehub/pom.xml index b521c158505e..598651b53f5b 100644 --- a/services/resiliencehub/pom.xml +++ b/services/resiliencehub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT resiliencehub AWS Java SDK :: Services :: Resiliencehub diff --git a/services/resourceexplorer2/pom.xml b/services/resourceexplorer2/pom.xml index 8b75f433f2f6..b5a22d712d0c 100644 --- a/services/resourceexplorer2/pom.xml +++ b/services/resourceexplorer2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT resourceexplorer2 AWS Java SDK :: Services :: Resource Explorer 2 diff --git a/services/resourcegroups/pom.xml b/services/resourcegroups/pom.xml index 11cd7fffafd4..44352bc13ab6 100644 --- a/services/resourcegroups/pom.xml +++ b/services/resourcegroups/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21 + 2.27.22-SNAPSHOT 4.0.0 resourcegroups diff --git a/services/resourcegroupstaggingapi/pom.xml b/services/resourcegroupstaggingapi/pom.xml index 6c5ce0c60d72..fdcb6ffa87f6 100644 --- a/services/resourcegroupstaggingapi/pom.xml +++ b/services/resourcegroupstaggingapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT resourcegroupstaggingapi AWS Java SDK :: Services :: AWS Resource Groups Tagging API diff --git a/services/robomaker/pom.xml b/services/robomaker/pom.xml index 281f787e593a..2866177b0620 100644 --- a/services/robomaker/pom.xml +++ b/services/robomaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT robomaker AWS Java SDK :: Services :: RoboMaker diff --git a/services/rolesanywhere/pom.xml b/services/rolesanywhere/pom.xml index fbf9d50db1f8..f6fc88371ee8 100644 --- a/services/rolesanywhere/pom.xml +++ b/services/rolesanywhere/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT rolesanywhere AWS Java SDK :: Services :: Roles Anywhere diff --git a/services/route53/pom.xml b/services/route53/pom.xml index 8bb4ba297866..686089c06b2c 100644 --- a/services/route53/pom.xml +++ b/services/route53/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT route53 AWS Java SDK :: Services :: Amazon Route53 diff --git a/services/route53domains/pom.xml b/services/route53domains/pom.xml index 3ef150320aec..101dfc43dda9 100644 --- a/services/route53domains/pom.xml +++ b/services/route53domains/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT route53domains AWS Java SDK :: Services :: Amazon Route53 Domains diff --git a/services/route53profiles/pom.xml b/services/route53profiles/pom.xml index 7afe37a6227f..62532a955fcc 100644 --- a/services/route53profiles/pom.xml +++ b/services/route53profiles/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT route53profiles AWS Java SDK :: Services :: Route53 Profiles diff --git a/services/route53recoverycluster/pom.xml b/services/route53recoverycluster/pom.xml index 967e7208877f..180803004ec4 100644 --- a/services/route53recoverycluster/pom.xml +++ b/services/route53recoverycluster/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT route53recoverycluster AWS Java SDK :: Services :: Route53 Recovery Cluster diff --git a/services/route53recoverycontrolconfig/pom.xml b/services/route53recoverycontrolconfig/pom.xml index 392dc1c30c9d..8ecb3b1e09f7 100644 --- a/services/route53recoverycontrolconfig/pom.xml +++ b/services/route53recoverycontrolconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT route53recoverycontrolconfig AWS Java SDK :: Services :: Route53 Recovery Control Config diff --git a/services/route53recoveryreadiness/pom.xml b/services/route53recoveryreadiness/pom.xml index 604c0dbe9547..d2685454a931 100644 --- a/services/route53recoveryreadiness/pom.xml +++ b/services/route53recoveryreadiness/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT route53recoveryreadiness AWS Java SDK :: Services :: Route53 Recovery Readiness diff --git a/services/route53resolver/pom.xml b/services/route53resolver/pom.xml index be537ab0d633..1bcf1502165c 100644 --- a/services/route53resolver/pom.xml +++ b/services/route53resolver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT route53resolver AWS Java SDK :: Services :: Route53Resolver diff --git a/services/rum/pom.xml b/services/rum/pom.xml index 0497c41109b5..f035f1a5d495 100644 --- a/services/rum/pom.xml +++ b/services/rum/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT rum AWS Java SDK :: Services :: RUM diff --git a/services/s3/pom.xml b/services/s3/pom.xml index bcfac9aa8c1e..d05213e90a78 100644 --- a/services/s3/pom.xml +++ b/services/s3/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT s3 AWS Java SDK :: Services :: Amazon S3 diff --git a/services/s3control/pom.xml b/services/s3control/pom.xml index 3e80a4cc7e47..5b0a8d14e164 100644 --- a/services/s3control/pom.xml +++ b/services/s3control/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT s3control AWS Java SDK :: Services :: Amazon S3 Control diff --git a/services/s3outposts/pom.xml b/services/s3outposts/pom.xml index 71cbe928482f..ad5b63676114 100644 --- a/services/s3outposts/pom.xml +++ b/services/s3outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT s3outposts AWS Java SDK :: Services :: S3 Outposts diff --git a/services/sagemaker/pom.xml b/services/sagemaker/pom.xml index 1583e541ecb7..92da557e5d3d 100644 --- a/services/sagemaker/pom.xml +++ b/services/sagemaker/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21 + 2.27.22-SNAPSHOT 4.0.0 sagemaker diff --git a/services/sagemakera2iruntime/pom.xml b/services/sagemakera2iruntime/pom.xml index 6e7612b247d4..1db3c58aea77 100644 --- a/services/sagemakera2iruntime/pom.xml +++ b/services/sagemakera2iruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT sagemakera2iruntime AWS Java SDK :: Services :: SageMaker A2I Runtime diff --git a/services/sagemakeredge/pom.xml b/services/sagemakeredge/pom.xml index 784b61f6afbd..d9e6f805383c 100644 --- a/services/sagemakeredge/pom.xml +++ b/services/sagemakeredge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT sagemakeredge AWS Java SDK :: Services :: Sagemaker Edge diff --git a/services/sagemakerfeaturestoreruntime/pom.xml b/services/sagemakerfeaturestoreruntime/pom.xml index 0d232e39c6ec..435bd7e4e700 100644 --- a/services/sagemakerfeaturestoreruntime/pom.xml +++ b/services/sagemakerfeaturestoreruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT sagemakerfeaturestoreruntime AWS Java SDK :: Services :: Sage Maker Feature Store Runtime diff --git a/services/sagemakergeospatial/pom.xml b/services/sagemakergeospatial/pom.xml index 35922f73c66a..0857c09dca23 100644 --- a/services/sagemakergeospatial/pom.xml +++ b/services/sagemakergeospatial/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT sagemakergeospatial AWS Java SDK :: Services :: Sage Maker Geospatial diff --git a/services/sagemakermetrics/pom.xml b/services/sagemakermetrics/pom.xml index 8e7a023bf139..9b281c5d0d7d 100644 --- a/services/sagemakermetrics/pom.xml +++ b/services/sagemakermetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT sagemakermetrics AWS Java SDK :: Services :: Sage Maker Metrics diff --git a/services/sagemakerruntime/pom.xml b/services/sagemakerruntime/pom.xml index 3d960247cc67..ad7ddc9b7395 100644 --- a/services/sagemakerruntime/pom.xml +++ b/services/sagemakerruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT sagemakerruntime AWS Java SDK :: Services :: SageMaker Runtime diff --git a/services/savingsplans/pom.xml b/services/savingsplans/pom.xml index 31dcf29e3aa5..bc8f5a5331a9 100644 --- a/services/savingsplans/pom.xml +++ b/services/savingsplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT savingsplans AWS Java SDK :: Services :: Savingsplans diff --git a/services/scheduler/pom.xml b/services/scheduler/pom.xml index 43ef5e77c761..1e0935415c7f 100644 --- a/services/scheduler/pom.xml +++ b/services/scheduler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT scheduler AWS Java SDK :: Services :: Scheduler diff --git a/services/schemas/pom.xml b/services/schemas/pom.xml index a994c1268a67..f51f570a5f98 100644 --- a/services/schemas/pom.xml +++ b/services/schemas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT schemas AWS Java SDK :: Services :: Schemas diff --git a/services/secretsmanager/pom.xml b/services/secretsmanager/pom.xml index 1065740ba15c..fbf90f553b27 100644 --- a/services/secretsmanager/pom.xml +++ b/services/secretsmanager/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT secretsmanager AWS Java SDK :: Services :: AWS Secrets Manager diff --git a/services/securityhub/pom.xml b/services/securityhub/pom.xml index 9f54c88c54c6..2e7471189fc4 100644 --- a/services/securityhub/pom.xml +++ b/services/securityhub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT securityhub AWS Java SDK :: Services :: SecurityHub diff --git a/services/securitylake/pom.xml b/services/securitylake/pom.xml index 13f51af86b36..36d83c4eee62 100644 --- a/services/securitylake/pom.xml +++ b/services/securitylake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT securitylake AWS Java SDK :: Services :: Security Lake diff --git a/services/serverlessapplicationrepository/pom.xml b/services/serverlessapplicationrepository/pom.xml index 150e4ea8aafd..6ccb369a94c6 100644 --- a/services/serverlessapplicationrepository/pom.xml +++ b/services/serverlessapplicationrepository/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21 + 2.27.22-SNAPSHOT 4.0.0 serverlessapplicationrepository diff --git a/services/servicecatalog/pom.xml b/services/servicecatalog/pom.xml index fe830e49f6aa..7136691793f7 100644 --- a/services/servicecatalog/pom.xml +++ b/services/servicecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT servicecatalog AWS Java SDK :: Services :: AWS Service Catalog diff --git a/services/servicecatalogappregistry/pom.xml b/services/servicecatalogappregistry/pom.xml index ef2e4153645a..d02bce897286 100644 --- a/services/servicecatalogappregistry/pom.xml +++ b/services/servicecatalogappregistry/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT servicecatalogappregistry AWS Java SDK :: Services :: Service Catalog App Registry diff --git a/services/servicediscovery/pom.xml b/services/servicediscovery/pom.xml index 8f833d155155..6feaddb9a0e4 100644 --- a/services/servicediscovery/pom.xml +++ b/services/servicediscovery/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21 + 2.27.22-SNAPSHOT 4.0.0 servicediscovery diff --git a/services/servicequotas/pom.xml b/services/servicequotas/pom.xml index a0d6dee13f68..240368ec1bf6 100644 --- a/services/servicequotas/pom.xml +++ b/services/servicequotas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT servicequotas AWS Java SDK :: Services :: Service Quotas diff --git a/services/ses/pom.xml b/services/ses/pom.xml index 17ab09e3519e..4bf3414d406f 100644 --- a/services/ses/pom.xml +++ b/services/ses/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT ses AWS Java SDK :: Services :: Amazon SES diff --git a/services/sesv2/pom.xml b/services/sesv2/pom.xml index f70967d40234..e2430d86e16a 100644 --- a/services/sesv2/pom.xml +++ b/services/sesv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT sesv2 AWS Java SDK :: Services :: SESv2 diff --git a/services/sfn/pom.xml b/services/sfn/pom.xml index b6bf42f6e645..c14454d3f94f 100644 --- a/services/sfn/pom.xml +++ b/services/sfn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT sfn AWS Java SDK :: Services :: AWS Step Functions diff --git a/services/shield/pom.xml b/services/shield/pom.xml index ef012001bdc0..3beb782d7091 100644 --- a/services/shield/pom.xml +++ b/services/shield/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT shield AWS Java SDK :: Services :: AWS Shield diff --git a/services/signer/pom.xml b/services/signer/pom.xml index 844c1759fde8..b53117d73b55 100644 --- a/services/signer/pom.xml +++ b/services/signer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT signer AWS Java SDK :: Services :: Signer diff --git a/services/simspaceweaver/pom.xml b/services/simspaceweaver/pom.xml index 9a05af766379..e70d6091bbcc 100644 --- a/services/simspaceweaver/pom.xml +++ b/services/simspaceweaver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT simspaceweaver AWS Java SDK :: Services :: Sim Space Weaver diff --git a/services/sms/pom.xml b/services/sms/pom.xml index ccf3caae9c95..c787b76c0fa3 100644 --- a/services/sms/pom.xml +++ b/services/sms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT sms AWS Java SDK :: Services :: AWS Server Migration diff --git a/services/snowball/pom.xml b/services/snowball/pom.xml index 518860f7b606..93976a86f100 100644 --- a/services/snowball/pom.xml +++ b/services/snowball/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT snowball AWS Java SDK :: Services :: Amazon Snowball diff --git a/services/snowdevicemanagement/pom.xml b/services/snowdevicemanagement/pom.xml index c5db59bdebec..34ce900b18f9 100644 --- a/services/snowdevicemanagement/pom.xml +++ b/services/snowdevicemanagement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT snowdevicemanagement AWS Java SDK :: Services :: Snow Device Management diff --git a/services/sns/pom.xml b/services/sns/pom.xml index 80b3cbb58b28..9f277e58af7d 100644 --- a/services/sns/pom.xml +++ b/services/sns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT sns AWS Java SDK :: Services :: Amazon SNS diff --git a/services/sqs/pom.xml b/services/sqs/pom.xml index 7ca26e5ddde2..bfff16dc9109 100644 --- a/services/sqs/pom.xml +++ b/services/sqs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT sqs AWS Java SDK :: Services :: Amazon SQS diff --git a/services/ssm/pom.xml b/services/ssm/pom.xml index bfa0af209895..842ada5968fd 100644 --- a/services/ssm/pom.xml +++ b/services/ssm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT ssm AWS Java SDK :: Services :: AWS Simple Systems Management (SSM) diff --git a/services/ssmcontacts/pom.xml b/services/ssmcontacts/pom.xml index 97b65e96ea18..0970d8e5b268 100644 --- a/services/ssmcontacts/pom.xml +++ b/services/ssmcontacts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT ssmcontacts AWS Java SDK :: Services :: SSM Contacts diff --git a/services/ssmincidents/pom.xml b/services/ssmincidents/pom.xml index 21efa5e837d6..66a169670f66 100644 --- a/services/ssmincidents/pom.xml +++ b/services/ssmincidents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT ssmincidents AWS Java SDK :: Services :: SSM Incidents diff --git a/services/ssmquicksetup/pom.xml b/services/ssmquicksetup/pom.xml index 644729935c38..ba8d5468fb30 100644 --- a/services/ssmquicksetup/pom.xml +++ b/services/ssmquicksetup/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT ssmquicksetup AWS Java SDK :: Services :: SSM Quick Setup diff --git a/services/ssmsap/pom.xml b/services/ssmsap/pom.xml index 777ea2bb03f2..03ae359cdcd7 100644 --- a/services/ssmsap/pom.xml +++ b/services/ssmsap/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT ssmsap AWS Java SDK :: Services :: Ssm Sap diff --git a/services/sso/pom.xml b/services/sso/pom.xml index 7e96f3fb8e92..762a62e3b85c 100644 --- a/services/sso/pom.xml +++ b/services/sso/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT sso AWS Java SDK :: Services :: SSO diff --git a/services/ssoadmin/pom.xml b/services/ssoadmin/pom.xml index 3afd0abdc1cd..93920839d160 100644 --- a/services/ssoadmin/pom.xml +++ b/services/ssoadmin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT ssoadmin AWS Java SDK :: Services :: SSO Admin diff --git a/services/ssooidc/pom.xml b/services/ssooidc/pom.xml index e4bc44b735b9..34f5524e547d 100644 --- a/services/ssooidc/pom.xml +++ b/services/ssooidc/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT ssooidc AWS Java SDK :: Services :: SSO OIDC diff --git a/services/storagegateway/pom.xml b/services/storagegateway/pom.xml index bf8a92f96062..54a5b093e0ac 100644 --- a/services/storagegateway/pom.xml +++ b/services/storagegateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT storagegateway AWS Java SDK :: Services :: AWS Storage Gateway diff --git a/services/sts/pom.xml b/services/sts/pom.xml index 7a0d8ddeea76..c79a5dc4ad22 100644 --- a/services/sts/pom.xml +++ b/services/sts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT sts AWS Java SDK :: Services :: AWS STS diff --git a/services/supplychain/pom.xml b/services/supplychain/pom.xml index abeee0296b0c..6536b4c3e4e7 100644 --- a/services/supplychain/pom.xml +++ b/services/supplychain/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT supplychain AWS Java SDK :: Services :: Supply Chain diff --git a/services/support/pom.xml b/services/support/pom.xml index 7d1cc99892f8..9ce676a47338 100644 --- a/services/support/pom.xml +++ b/services/support/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT support AWS Java SDK :: Services :: AWS Support diff --git a/services/supportapp/pom.xml b/services/supportapp/pom.xml index 057274422574..0fc0e9865a48 100644 --- a/services/supportapp/pom.xml +++ b/services/supportapp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT supportapp AWS Java SDK :: Services :: Support App diff --git a/services/swf/pom.xml b/services/swf/pom.xml index 0b3cd292386e..afe7d86c9884 100644 --- a/services/swf/pom.xml +++ b/services/swf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT swf AWS Java SDK :: Services :: Amazon SWF diff --git a/services/synthetics/pom.xml b/services/synthetics/pom.xml index 21c008a6d3c8..f875d41ecd69 100644 --- a/services/synthetics/pom.xml +++ b/services/synthetics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT synthetics AWS Java SDK :: Services :: Synthetics diff --git a/services/taxsettings/pom.xml b/services/taxsettings/pom.xml index c56d49c3181c..d0a4f7517a42 100644 --- a/services/taxsettings/pom.xml +++ b/services/taxsettings/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT taxsettings AWS Java SDK :: Services :: Tax Settings diff --git a/services/textract/pom.xml b/services/textract/pom.xml index 35a87cab3bdb..d85705fd24d0 100644 --- a/services/textract/pom.xml +++ b/services/textract/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT textract AWS Java SDK :: Services :: Textract diff --git a/services/timestreaminfluxdb/pom.xml b/services/timestreaminfluxdb/pom.xml index 60bb492f2683..5e2976a4a0bf 100644 --- a/services/timestreaminfluxdb/pom.xml +++ b/services/timestreaminfluxdb/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT timestreaminfluxdb AWS Java SDK :: Services :: Timestream Influx DB diff --git a/services/timestreamquery/pom.xml b/services/timestreamquery/pom.xml index 9fd8bce6535c..e89e6c7e6f69 100644 --- a/services/timestreamquery/pom.xml +++ b/services/timestreamquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT timestreamquery AWS Java SDK :: Services :: Timestream Query diff --git a/services/timestreamwrite/pom.xml b/services/timestreamwrite/pom.xml index 398f9606c973..5fecb1f3d3f9 100644 --- a/services/timestreamwrite/pom.xml +++ b/services/timestreamwrite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT timestreamwrite AWS Java SDK :: Services :: Timestream Write diff --git a/services/tnb/pom.xml b/services/tnb/pom.xml index a894da72825a..9f8d297eb7f7 100644 --- a/services/tnb/pom.xml +++ b/services/tnb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT tnb AWS Java SDK :: Services :: Tnb diff --git a/services/transcribe/pom.xml b/services/transcribe/pom.xml index f3ecd919b512..e0f9ca1e136a 100644 --- a/services/transcribe/pom.xml +++ b/services/transcribe/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT transcribe AWS Java SDK :: Services :: Transcribe diff --git a/services/transcribestreaming/pom.xml b/services/transcribestreaming/pom.xml index b418e11e572a..ff222605d0fb 100644 --- a/services/transcribestreaming/pom.xml +++ b/services/transcribestreaming/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT transcribestreaming AWS Java SDK :: Services :: AWS Transcribe Streaming diff --git a/services/transfer/pom.xml b/services/transfer/pom.xml index 29eedb880469..b60d360f871d 100644 --- a/services/transfer/pom.xml +++ b/services/transfer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT transfer AWS Java SDK :: Services :: Transfer diff --git a/services/translate/pom.xml b/services/translate/pom.xml index 751c2349a49a..db005e6ccd15 100644 --- a/services/translate/pom.xml +++ b/services/translate/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21 + 2.27.22-SNAPSHOT 4.0.0 translate diff --git a/services/trustedadvisor/pom.xml b/services/trustedadvisor/pom.xml index 1bcda2c2ef18..aa0736f6c254 100644 --- a/services/trustedadvisor/pom.xml +++ b/services/trustedadvisor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT trustedadvisor AWS Java SDK :: Services :: Trusted Advisor diff --git a/services/verifiedpermissions/pom.xml b/services/verifiedpermissions/pom.xml index a9462f083485..543824f264c5 100644 --- a/services/verifiedpermissions/pom.xml +++ b/services/verifiedpermissions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT verifiedpermissions AWS Java SDK :: Services :: Verified Permissions diff --git a/services/voiceid/pom.xml b/services/voiceid/pom.xml index 3528c5b3c1b4..4f06ac20074c 100644 --- a/services/voiceid/pom.xml +++ b/services/voiceid/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT voiceid AWS Java SDK :: Services :: Voice ID diff --git a/services/vpclattice/pom.xml b/services/vpclattice/pom.xml index 63652f4363e1..98509dbdfa3d 100644 --- a/services/vpclattice/pom.xml +++ b/services/vpclattice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT vpclattice AWS Java SDK :: Services :: VPC Lattice diff --git a/services/waf/pom.xml b/services/waf/pom.xml index 61056bb32d95..e0b0d8f9ffec 100644 --- a/services/waf/pom.xml +++ b/services/waf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT waf AWS Java SDK :: Services :: AWS WAF diff --git a/services/wafv2/pom.xml b/services/wafv2/pom.xml index c6a73f5b11af..79dc789becff 100644 --- a/services/wafv2/pom.xml +++ b/services/wafv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT wafv2 AWS Java SDK :: Services :: WAFV2 diff --git a/services/wellarchitected/pom.xml b/services/wellarchitected/pom.xml index 19d163b3fbc9..f390dd114eae 100644 --- a/services/wellarchitected/pom.xml +++ b/services/wellarchitected/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT wellarchitected AWS Java SDK :: Services :: Well Architected diff --git a/services/wisdom/pom.xml b/services/wisdom/pom.xml index a9ff3a8da007..64227ee9b70c 100644 --- a/services/wisdom/pom.xml +++ b/services/wisdom/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT wisdom AWS Java SDK :: Services :: Wisdom diff --git a/services/workdocs/pom.xml b/services/workdocs/pom.xml index 866007039765..ae58ebab564c 100644 --- a/services/workdocs/pom.xml +++ b/services/workdocs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT workdocs AWS Java SDK :: Services :: Amazon WorkDocs diff --git a/services/worklink/pom.xml b/services/worklink/pom.xml index 4afd3a814702..8d011d0be778 100644 --- a/services/worklink/pom.xml +++ b/services/worklink/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT worklink AWS Java SDK :: Services :: WorkLink diff --git a/services/workmail/pom.xml b/services/workmail/pom.xml index 4b71bdc02677..45233956ea60 100644 --- a/services/workmail/pom.xml +++ b/services/workmail/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.21 + 2.27.22-SNAPSHOT 4.0.0 workmail diff --git a/services/workmailmessageflow/pom.xml b/services/workmailmessageflow/pom.xml index e7584d149e11..5ff32c10a5a6 100644 --- a/services/workmailmessageflow/pom.xml +++ b/services/workmailmessageflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT workmailmessageflow AWS Java SDK :: Services :: WorkMailMessageFlow diff --git a/services/workspaces/pom.xml b/services/workspaces/pom.xml index 0213772425a8..8b687cd3465f 100644 --- a/services/workspaces/pom.xml +++ b/services/workspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT workspaces AWS Java SDK :: Services :: Amazon WorkSpaces diff --git a/services/workspacesthinclient/pom.xml b/services/workspacesthinclient/pom.xml index 71f29da0461b..47e7926e7e5c 100644 --- a/services/workspacesthinclient/pom.xml +++ b/services/workspacesthinclient/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT workspacesthinclient AWS Java SDK :: Services :: Work Spaces Thin Client diff --git a/services/workspacesweb/pom.xml b/services/workspacesweb/pom.xml index c681f2af9e5e..613f9b26ba9c 100644 --- a/services/workspacesweb/pom.xml +++ b/services/workspacesweb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT workspacesweb AWS Java SDK :: Services :: Work Spaces Web diff --git a/services/xray/pom.xml b/services/xray/pom.xml index a85f2b7030da..3d5a3458bb0d 100644 --- a/services/xray/pom.xml +++ b/services/xray/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.21 + 2.27.22-SNAPSHOT xray AWS Java SDK :: Services :: AWS X-Ray diff --git a/test/auth-tests/pom.xml b/test/auth-tests/pom.xml index 54d00781e5d3..b080994c8f82 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.27.21 + 2.27.22-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/bundle-logging-bridge-binding-test/pom.xml b/test/bundle-logging-bridge-binding-test/pom.xml index cc40ebe691ec..b516224da808 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.27.21 + 2.27.22-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/bundle-shading-tests/pom.xml b/test/bundle-shading-tests/pom.xml index eca9d849ec50..e76ecfdbf26b 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.27.21 + 2.27.22-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/codegen-generated-classes-test/pom.xml b/test/codegen-generated-classes-test/pom.xml index 52be85595bbc..d41eb052e159 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.27.21 + 2.27.22-SNAPSHOT ../../pom.xml diff --git a/test/crt-unavailable-tests/pom.xml b/test/crt-unavailable-tests/pom.xml index 4e64b809a1a6..153510b2858e 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.27.21 + 2.27.22-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/http-client-tests/pom.xml b/test/http-client-tests/pom.xml index defde50233e1..2f87c3635c73 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.27.21 + 2.27.22-SNAPSHOT ../../pom.xml http-client-tests diff --git a/test/module-path-tests/pom.xml b/test/module-path-tests/pom.xml index 207923db859a..858ba9973db2 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.27.21 + 2.27.22-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/old-client-version-compatibility-test/pom.xml b/test/old-client-version-compatibility-test/pom.xml index ce54474d02ee..8aff01d52ca0 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.27.21 + 2.27.22-SNAPSHOT ../../pom.xml diff --git a/test/protocol-tests-core/pom.xml b/test/protocol-tests-core/pom.xml index 81f6e9a92b45..5e4da6697709 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.27.21 + 2.27.22-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/protocol-tests/pom.xml b/test/protocol-tests/pom.xml index 029d2d20d201..3945e4d03c8a 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.27.21 + 2.27.22-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/region-testing/pom.xml b/test/region-testing/pom.xml index 6a50ca9c9674..6740874ff406 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.27.21 + 2.27.22-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/ruleset-testing-core/pom.xml b/test/ruleset-testing-core/pom.xml index 01480ee8843c..2f21cf2564d6 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.27.21 + 2.27.22-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/s3-benchmarks/pom.xml b/test/s3-benchmarks/pom.xml index 1113bb099be6..23709c7498bd 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.27.21 + 2.27.22-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/sdk-benchmarks/pom.xml b/test/sdk-benchmarks/pom.xml index 714f8c999747..22df8a866479 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.27.21 + 2.27.22-SNAPSHOT ../../pom.xml diff --git a/test/sdk-native-image-test/pom.xml b/test/sdk-native-image-test/pom.xml index 398994dd19bf..45f3cfc37b90 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.27.21 + 2.27.22-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/service-test-utils/pom.xml b/test/service-test-utils/pom.xml index c14524a0a0c7..75ed8a6a14c5 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.27.21 + 2.27.22-SNAPSHOT ../../pom.xml service-test-utils diff --git a/test/stability-tests/pom.xml b/test/stability-tests/pom.xml index bfc34896d8c2..54a383483286 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.27.21 + 2.27.22-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/test-utils/pom.xml b/test/test-utils/pom.xml index 92a5416d0472..de1066dd3f75 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.27.21 + 2.27.22-SNAPSHOT ../../pom.xml test-utils diff --git a/test/tests-coverage-reporting/pom.xml b/test/tests-coverage-reporting/pom.xml index ebebbe561a33..c6a7bf5b4cd1 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.27.21 + 2.27.22-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/v2-migration-tests/pom.xml b/test/v2-migration-tests/pom.xml index 3246d33f46da..5c6e03b8f274 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.27.21 + 2.27.22-SNAPSHOT ../.. diff --git a/third-party/pom.xml b/third-party/pom.xml index 213de70ac42f..f14cefc4dce2 100644 --- a/third-party/pom.xml +++ b/third-party/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.21 + 2.27.22-SNAPSHOT third-party diff --git a/third-party/third-party-jackson-core/pom.xml b/third-party/third-party-jackson-core/pom.xml index 56893d8cb5f4..c331198ff5ac 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.27.21 + 2.27.22-SNAPSHOT 4.0.0 diff --git a/third-party/third-party-jackson-dataformat-cbor/pom.xml b/third-party/third-party-jackson-dataformat-cbor/pom.xml index 433437bfa6b7..7d5131b5849d 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.27.21 + 2.27.22-SNAPSHOT 4.0.0 diff --git a/third-party/third-party-slf4j-api/pom.xml b/third-party/third-party-slf4j-api/pom.xml index 9c1ea3087afc..f278288d7ea9 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.27.21 + 2.27.22-SNAPSHOT 4.0.0 diff --git a/utils/pom.xml b/utils/pom.xml index 37022e3c4265..1a96923b88f5 100644 --- a/utils/pom.xml +++ b/utils/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.21 + 2.27.22-SNAPSHOT 4.0.0 diff --git a/v2-migration/pom.xml b/v2-migration/pom.xml index 402fe4c98260..878339705fad 100644 --- a/v2-migration/pom.xml +++ b/v2-migration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.21 + 2.27.22-SNAPSHOT ../pom.xml From 5253ae375004b0f51036657eda6fc539f9cd2035 Mon Sep 17 00:00:00 2001 From: "Debora N. Ito" <476307+debora-ito@users.noreply.github.com> Date: Fri, 6 Sep 2024 15:28:01 -0700 Subject: [PATCH 034/108] Removed reflect-config.json from sdk-core, as it referenced a deleted interceptor. (#5557) --- .../next-release/bugfix-AWSSDKforJavav2-43b4d17.json | 6 ++++++ .../sdk-core/reflect-config.json | 11 ----------- 2 files changed, 6 insertions(+), 11 deletions(-) create mode 100644 .changes/next-release/bugfix-AWSSDKforJavav2-43b4d17.json delete mode 100644 core/sdk-core/src/main/resources/META-INF/native-image/software.amazon.awssdk/sdk-core/reflect-config.json diff --git a/.changes/next-release/bugfix-AWSSDKforJavav2-43b4d17.json b/.changes/next-release/bugfix-AWSSDKforJavav2-43b4d17.json new file mode 100644 index 000000000000..01cbe7d2b82d --- /dev/null +++ b/.changes/next-release/bugfix-AWSSDKforJavav2-43b4d17.json @@ -0,0 +1,6 @@ +{ + "type": "bugfix", + "category": "AWS SDK for Java v2", + "contributor": "", + "description": "Removed reflect-config.json from sdk-core, as it referenced a deleted interceptor. See [#5552](https://github.com/aws/aws-sdk-java-v2/issues/5552)." +} diff --git a/core/sdk-core/src/main/resources/META-INF/native-image/software.amazon.awssdk/sdk-core/reflect-config.json b/core/sdk-core/src/main/resources/META-INF/native-image/software.amazon.awssdk/sdk-core/reflect-config.json deleted file mode 100644 index 678962dbb5c0..000000000000 --- a/core/sdk-core/src/main/resources/META-INF/native-image/software.amazon.awssdk/sdk-core/reflect-config.json +++ /dev/null @@ -1,11 +0,0 @@ -[ - { - "name": "software.amazon.awssdk.core.internal.interceptor.HttpChecksumRequiredInterceptor", - "methods": [ - { - "name": "", - "parameterTypes": [] - } - ] - } -] \ No newline at end of file From 4f687d852e2c19f1ec3466d9169ebd0bdd7d1cf7 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Mon, 9 Sep 2024 18:10:50 +0000 Subject: [PATCH 035/108] Amazon DynamoDB Update: Doc-only update for DynamoDB. Added information about async behavior for TagResource and UntagResource APIs and updated the description of ResourceInUseException. --- .changes/next-release/feature-AmazonDynamoDB-2f7ef3b.json | 6 ++++++ .../resources/codegen-resources/dynamodb/service-2.json | 6 +++--- 2 files changed, 9 insertions(+), 3 deletions(-) create mode 100644 .changes/next-release/feature-AmazonDynamoDB-2f7ef3b.json diff --git a/.changes/next-release/feature-AmazonDynamoDB-2f7ef3b.json b/.changes/next-release/feature-AmazonDynamoDB-2f7ef3b.json new file mode 100644 index 000000000000..3aaa73d781d1 --- /dev/null +++ b/.changes/next-release/feature-AmazonDynamoDB-2f7ef3b.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Amazon DynamoDB", + "contributor": "", + "description": "Doc-only update for DynamoDB. Added information about async behavior for TagResource and UntagResource APIs and updated the description of ResourceInUseException." +} diff --git a/services/dynamodb/src/main/resources/codegen-resources/dynamodb/service-2.json b/services/dynamodb/src/main/resources/codegen-resources/dynamodb/service-2.json index 9b95e4b2019a..e3511f9b90c8 100644 --- a/services/dynamodb/src/main/resources/codegen-resources/dynamodb/service-2.json +++ b/services/dynamodb/src/main/resources/codegen-resources/dynamodb/service-2.json @@ -766,7 +766,7 @@ {"shape":"InternalServerError"}, {"shape":"ResourceInUseException"} ], - "documentation":"

Associate a set of tags with an Amazon DynamoDB resource. You can then activate these user-defined tags so that they appear on the Billing and Cost Management console for cost allocation tracking. You can call TagResource up to five times per second, per account.

For an overview on tagging DynamoDB resources, see Tagging for DynamoDB in the Amazon DynamoDB Developer Guide.

", + "documentation":"

Associate a set of tags with an Amazon DynamoDB resource. You can then activate these user-defined tags so that they appear on the Billing and Cost Management console for cost allocation tracking. You can call TagResource up to five times per second, per account.

  • TagResource is an asynchronous operation. If you issue a ListTagsOfResource request immediately after a TagResource request, DynamoDB might return your previous tag set, if there was one, or an empty tag set. This is because ListTagsOfResource uses an eventually consistent query, and the metadata for your tags or table might not be available at that moment. Wait for a few seconds, and then try the ListTagsOfResource request again.

  • The application or removal of tags using TagResource and UntagResource APIs is eventually consistent. ListTagsOfResource API will only reflect the changes after a few seconds.

For an overview on tagging DynamoDB resources, see Tagging for DynamoDB in the Amazon DynamoDB Developer Guide.

", "endpointdiscovery":{ } }, @@ -823,7 +823,7 @@ {"shape":"InternalServerError"}, {"shape":"ResourceInUseException"} ], - "documentation":"

Removes the association of tags from an Amazon DynamoDB resource. You can call UntagResource up to five times per second, per account.

For an overview on tagging DynamoDB resources, see Tagging for DynamoDB in the Amazon DynamoDB Developer Guide.

", + "documentation":"

Removes the association of tags from an Amazon DynamoDB resource. You can call UntagResource up to five times per second, per account.

  • UntagResource is an asynchronous operation. If you issue a ListTagsOfResource request immediately after an UntagResource request, DynamoDB might return your previous tag set, if there was one, or an empty tag set. This is because ListTagsOfResource uses an eventually consistent query, and the metadata for your tags or table might not be available at that moment. Wait for a few seconds, and then try the ListTagsOfResource request again.

  • The application or removal of tags using TagResource and UntagResource APIs is eventually consistent. ListTagsOfResource API will only reflect the changes after a few seconds.

For an overview on tagging DynamoDB resources, see Tagging for DynamoDB in the Amazon DynamoDB Developer Guide.

", "endpointdiscovery":{ } }, @@ -5230,7 +5230,7 @@ "documentation":"

The resource which is being attempted to be changed is in use.

" } }, - "documentation":"

The operation conflicts with the resource's availability. For example, you attempted to recreate an existing table, or tried to delete a table currently in the CREATING state.

", + "documentation":"

The operation conflicts with the resource's availability. For example:

  • You attempted to recreate an existing table.

  • You tried to delete a table currently in the CREATING state.

  • You tried to update a resource that was already being updated.

When appropriate, wait for the ongoing update to complete and attempt the request again.

", "exception":true }, "ResourceNotFoundException":{ From 0d19a10218a1d5ed847833dffa1a61f6088a1de8 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Mon, 9 Sep 2024 18:11:01 +0000 Subject: [PATCH 036/108] Amazon Interactive Video Service RealTime Update: IVS Real-Time now offers customers the ability to broadcast to Stages using RTMP(S). --- ...teractiveVideoServiceRealTime-a252f47.json | 6 + .../codegen-resources/paginators-1.json | 6 + .../codegen-resources/service-2.json | 448 +++++++++++++++++- 3 files changed, 434 insertions(+), 26 deletions(-) create mode 100644 .changes/next-release/feature-AmazonInteractiveVideoServiceRealTime-a252f47.json diff --git a/.changes/next-release/feature-AmazonInteractiveVideoServiceRealTime-a252f47.json b/.changes/next-release/feature-AmazonInteractiveVideoServiceRealTime-a252f47.json new file mode 100644 index 000000000000..ce92800e2f78 --- /dev/null +++ b/.changes/next-release/feature-AmazonInteractiveVideoServiceRealTime-a252f47.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Amazon Interactive Video Service RealTime", + "contributor": "", + "description": "IVS Real-Time now offers customers the ability to broadcast to Stages using RTMP(S)." +} diff --git a/services/ivsrealtime/src/main/resources/codegen-resources/paginators-1.json b/services/ivsrealtime/src/main/resources/codegen-resources/paginators-1.json index f8e81fa57e5c..309300d0e943 100644 --- a/services/ivsrealtime/src/main/resources/codegen-resources/paginators-1.json +++ b/services/ivsrealtime/src/main/resources/codegen-resources/paginators-1.json @@ -10,6 +10,12 @@ "output_token": "nextToken", "limit_key": "maxResults" }, + "ListIngestConfigurations": { + "input_token": "nextToken", + "output_token": "nextToken", + "limit_key": "maxResults", + "result_key": "ingestConfigurations" + }, "ListParticipantEvents": { "input_token": "nextToken", "output_token": "nextToken", diff --git a/services/ivsrealtime/src/main/resources/codegen-resources/service-2.json b/services/ivsrealtime/src/main/resources/codegen-resources/service-2.json index 76bbe212f35a..6d76fe7d40e3 100644 --- a/services/ivsrealtime/src/main/resources/codegen-resources/service-2.json +++ b/services/ivsrealtime/src/main/resources/codegen-resources/service-2.json @@ -3,8 +3,8 @@ "metadata":{ "apiVersion":"2020-07-14", "endpointPrefix":"ivsrealtime", + "jsonVersion":"1.1", "protocol":"rest-json", - "protocols":["rest-json"], "serviceAbbreviation":"ivsrealtime", "serviceFullName":"Amazon Interactive Video Service RealTime", "serviceId":"IVS RealTime", @@ -33,6 +33,23 @@ ], "documentation":"

Creates an EncoderConfiguration object.

" }, + "CreateIngestConfiguration":{ + "name":"CreateIngestConfiguration", + "http":{ + "method":"POST", + "requestUri":"/CreateIngestConfiguration", + "responseCode":200 + }, + "input":{"shape":"CreateIngestConfigurationRequest"}, + "output":{"shape":"CreateIngestConfigurationResponse"}, + "errors":[ + {"shape":"ValidationException"}, + {"shape":"AccessDeniedException"}, + {"shape":"ServiceQuotaExceededException"}, + {"shape":"PendingVerification"} + ], + "documentation":"

Creates a new IngestConfiguration resource, used to specify the ingest protocol for a stage.

" + }, "CreateParticipantToken":{ "name":"CreateParticipantToken", "http":{ @@ -107,6 +124,24 @@ ], "documentation":"

Deletes an EncoderConfiguration resource. Ensures that no Compositions are using this template; otherwise, returns an error.

" }, + "DeleteIngestConfiguration":{ + "name":"DeleteIngestConfiguration", + "http":{ + "method":"POST", + "requestUri":"/DeleteIngestConfiguration", + "responseCode":200 + }, + "input":{"shape":"DeleteIngestConfigurationRequest"}, + "output":{"shape":"DeleteIngestConfigurationResponse"}, + "errors":[ + {"shape":"ResourceNotFoundException"}, + {"shape":"ValidationException"}, + {"shape":"AccessDeniedException"}, + {"shape":"ConflictException"}, + {"shape":"PendingVerification"} + ], + "documentation":"

Deletes a specified IngestConfiguration, so it can no longer be used to broadcast. An IngestConfiguration cannot be deleted if the publisher is actively streaming to a stage, unless force is set to true.

" + }, "DeletePublicKey":{ "name":"DeletePublicKey", "http":{ @@ -141,7 +176,7 @@ {"shape":"ConflictException"}, {"shape":"PendingVerification"} ], - "documentation":"

Shuts down and deletes the specified stage (disconnecting all participants).

" + "documentation":"

Shuts down and deletes the specified stage (disconnecting all participants). This operation also removes the stageArn from the associated IngestConfiguration, if there are participants using the IngestConfiguration to publish to the stage.

" }, "DeleteStorageConfiguration":{ "name":"DeleteStorageConfiguration", @@ -177,7 +212,7 @@ {"shape":"AccessDeniedException"}, {"shape":"PendingVerification"} ], - "documentation":"

Disconnects a specified participant and revokes the participant permanently from a specified stage.

" + "documentation":"

Disconnects a specified participant from a specified stage. If the participant is publishing using an IngestConfiguration, DisconnectParticipant also updates the stageArn in the IngestConfiguration to be an empty string.

" }, "GetComposition":{ "name":"GetComposition", @@ -217,6 +252,22 @@ ], "documentation":"

Gets information about the specified EncoderConfiguration resource.

" }, + "GetIngestConfiguration":{ + "name":"GetIngestConfiguration", + "http":{ + "method":"POST", + "requestUri":"/GetIngestConfiguration", + "responseCode":200 + }, + "input":{"shape":"GetIngestConfigurationRequest"}, + "output":{"shape":"GetIngestConfigurationResponse"}, + "errors":[ + {"shape":"ResourceNotFoundException"}, + {"shape":"ValidationException"}, + {"shape":"AccessDeniedException"} + ], + "documentation":"

Gets information about the specified IngestConfiguration.

" + }, "GetParticipant":{ "name":"GetParticipant", "http":{ @@ -354,6 +405,21 @@ ], "documentation":"

Gets summary information about all EncoderConfigurations in your account, in the AWS region where the API request is processed.

" }, + "ListIngestConfigurations":{ + "name":"ListIngestConfigurations", + "http":{ + "method":"POST", + "requestUri":"/ListIngestConfigurations", + "responseCode":200 + }, + "input":{"shape":"ListIngestConfigurationsRequest"}, + "output":{"shape":"ListIngestConfigurationsResponse"}, + "errors":[ + {"shape":"ValidationException"}, + {"shape":"AccessDeniedException"} + ], + "documentation":"

Lists all IngestConfigurations in your account, in the AWS region where the API request is processed.

" + }, "ListParticipantEvents":{ "name":"ListParticipantEvents", "http":{ @@ -482,7 +548,7 @@ {"shape":"ConflictException"}, {"shape":"PendingVerification"} ], - "documentation":"

Starts a Composition from a stage based on the configuration provided in the request.

A Composition is an ephemeral resource that exists after this endpoint returns successfully. Composition stops and the resource is deleted:

  • When StopComposition is called.

  • After a 1-minute timeout, when all participants are disconnected from the stage.

  • After a 1-minute timeout, if there are no participants in the stage when StartComposition is called.

  • When broadcasting to the IVS channel fails and all retries are exhausted.

  • When broadcasting is disconnected and all attempts to reconnect are exhausted.

" + "documentation":"

Starts a Composition from a stage based on the configuration provided in the request.

A Composition is an ephemeral resource that exists after this operation returns successfully. Composition stops and the resource is deleted:

  • When StopComposition is called.

  • After a 1-minute timeout, when all participants are disconnected from the stage.

  • After a 1-minute timeout, if there are no participants in the stage when StartComposition is called.

  • When broadcasting to the IVS channel fails and all retries are exhausted.

  • When broadcasting is disconnected and all attempts to reconnect are exhausted.

" }, "StopComposition":{ "name":"StopComposition", @@ -536,6 +602,24 @@ "documentation":"

Removes tags from the resource with the specified ARN.

", "idempotent":true }, + "UpdateIngestConfiguration":{ + "name":"UpdateIngestConfiguration", + "http":{ + "method":"POST", + "requestUri":"/UpdateIngestConfiguration", + "responseCode":200 + }, + "input":{"shape":"UpdateIngestConfigurationRequest"}, + "output":{"shape":"UpdateIngestConfigurationResponse"}, + "errors":[ + {"shape":"ResourceNotFoundException"}, + {"shape":"ValidationException"}, + {"shape":"AccessDeniedException"}, + {"shape":"ConflictException"}, + {"shape":"PendingVerification"} + ], + "documentation":"

Updates a specified IngestConfiguration. Only the stage ARN attached to the IngestConfiguration can be updated. An IngestConfiguration that is active cannot be updated.

" + }, "UpdateStage":{ "name":"UpdateStage", "http":{ @@ -605,6 +689,7 @@ "max":8500000, "min":1 }, + "Boolean":{"type":"boolean"}, "ChannelArn":{ "type":"string", "max":128, @@ -658,7 +743,7 @@ }, "tags":{ "shape":"Tags", - "documentation":"

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

" + "documentation":"

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

" }, "startTime":{ "shape":"Time", @@ -720,7 +805,7 @@ }, "tags":{ "shape":"Tags", - "documentation":"

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

" + "documentation":"

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

" }, "startTime":{ "shape":"Time", @@ -765,7 +850,7 @@ }, "tags":{ "shape":"Tags", - "documentation":"

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

" + "documentation":"

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

" } } }, @@ -778,6 +863,49 @@ } } }, + "CreateIngestConfigurationRequest":{ + "type":"structure", + "required":["ingestProtocol"], + "members":{ + "name":{ + "shape":"IngestConfigurationName", + "documentation":"

Optional name that can be specified for the IngestConfiguration being created.

" + }, + "stageArn":{ + "shape":"IngestConfigurationStageArn", + "documentation":"

ARN of the stage with which the IngestConfiguration is associated.

" + }, + "userId":{ + "shape":"UserId", + "documentation":"

Customer-assigned name to help identify the participant using the IngestConfiguration; this can be used to link a participant to a user in the customer’s own systems. This can be any UTF-8 encoded text. This field is exposed to all stage participants and should not be used for personally identifying, confidential, or sensitive information.

" + }, + "attributes":{ + "shape":"ParticipantAttributes", + "documentation":"

Application-provided attributes to store in the IngestConfiguration and attach to a stage. Map keys and values can contain UTF-8 encoded text. The maximum length of this field is 1 KB total. This field is exposed to all stage participants and should not be used for personally identifying, confidential, or sensitive information.

" + }, + "ingestProtocol":{ + "shape":"IngestProtocol", + "documentation":"

Type of ingest protocol that the user employs to broadcast. If this is set to RTMP, insecureIngest must be set to true.

" + }, + "insecureIngest":{ + "shape":"InsecureIngest", + "documentation":"

Whether the stage allows insecure RTMP ingest. This must be set to true, if ingestProtocol is set to RTMP. Default: false.

" + }, + "tags":{ + "shape":"Tags", + "documentation":"

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

" + } + } + }, + "CreateIngestConfigurationResponse":{ + "type":"structure", + "members":{ + "ingestConfiguration":{ + "shape":"IngestConfiguration", + "documentation":"

The IngestConfiguration that was created.

" + } + } + }, "CreateParticipantTokenRequest":{ "type":"structure", "required":["stageArn"], @@ -826,7 +954,7 @@ }, "tags":{ "shape":"Tags", - "documentation":"

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

" + "documentation":"

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

" }, "autoParticipantRecordingConfiguration":{ "shape":"AutoParticipantRecordingConfiguration", @@ -861,7 +989,7 @@ }, "tags":{ "shape":"Tags", - "documentation":"

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

" + "documentation":"

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

" } } }, @@ -889,6 +1017,25 @@ "members":{ } }, + "DeleteIngestConfigurationRequest":{ + "type":"structure", + "required":["arn"], + "members":{ + "arn":{ + "shape":"IngestConfigurationArn", + "documentation":"

ARN of the IngestConfiguration.

" + }, + "force":{ + "shape":"Boolean", + "documentation":"

Optional field to force deletion of the IngestConfiguration. If this is set to true when a participant is actively publishing, the participant is disconnected from the stage, followed by deletion of the IngestConfiguration. Default: false.

" + } + } + }, + "DeleteIngestConfigurationResponse":{ + "type":"structure", + "members":{ + } + }, "DeletePublicKeyRequest":{ "type":"structure", "required":["arn"], @@ -1076,7 +1223,7 @@ }, "participantId":{ "shape":"ParticipantTokenId", - "documentation":"

Identifier of the participant to be disconnected. This is assigned by IVS and returned by CreateParticipantToken.

" + "documentation":"

Identifier of the participant to be disconnected. IVS assigns this; it is returned by CreateParticipantToken (for streams using WebRTC ingest) or CreateIngestConfiguration (for streams using RTMP ingest).

" }, "reason":{ "shape":"DisconnectParticipantReason", @@ -1107,7 +1254,7 @@ }, "tags":{ "shape":"Tags", - "documentation":"

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

" + "documentation":"

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

" } }, "documentation":"

Settings for transcoding.

" @@ -1144,7 +1291,7 @@ }, "tags":{ "shape":"Tags", - "documentation":"

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

" + "documentation":"

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

" } }, "documentation":"

Summary information about an EncoderConfiguration.

" @@ -1184,7 +1331,15 @@ "enum":[ "INSUFFICIENT_CAPABILITIES", "QUOTA_EXCEEDED", - "PUBLISHER_NOT_FOUND" + "PUBLISHER_NOT_FOUND", + "BITRATE_EXCEEDED", + "RESOLUTION_EXCEEDED", + "STREAM_DURATION_EXCEEDED", + "INVALID_AUDIO_CODEC", + "INVALID_VIDEO_CODEC", + "INVALID_PROTOCOL", + "INVALID_STREAM_KEY", + "REUSE_OF_STREAM_KEY" ] }, "EventList":{ @@ -1249,6 +1404,25 @@ } } }, + "GetIngestConfigurationRequest":{ + "type":"structure", + "required":["arn"], + "members":{ + "arn":{ + "shape":"IngestConfigurationArn", + "documentation":"

ARN of the ingest for which the information is to be retrieved.

" + } + } + }, + "GetIngestConfigurationResponse":{ + "type":"structure", + "members":{ + "ingestConfiguration":{ + "shape":"IngestConfiguration", + "documentation":"

The IngestConfiguration that was returned.

" + } + } + }, "GetParticipantRequest":{ "type":"structure", "required":[ @@ -1413,7 +1587,7 @@ }, "tags":{ "shape":"Tags", - "documentation":"

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

" + "documentation":"

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

" } } }, @@ -1426,6 +1600,138 @@ } } }, + "IngestConfiguration":{ + "type":"structure", + "required":[ + "arn", + "ingestProtocol", + "streamKey", + "stageArn", + "participantId", + "state" + ], + "members":{ + "name":{ + "shape":"IngestConfigurationName", + "documentation":"

Ingest name

" + }, + "arn":{ + "shape":"IngestConfigurationArn", + "documentation":"

Ingest configuration ARN.

" + }, + "ingestProtocol":{ + "shape":"IngestProtocol", + "documentation":"

Type of ingest protocol that the user employs for broadcasting.

" + }, + "streamKey":{ + "shape":"StreamKey", + "documentation":"

Ingest-key value for the RTMP(S) protocol.

" + }, + "stageArn":{ + "shape":"IngestConfigurationStageArn", + "documentation":"

ARN of the stage with which the IngestConfiguration is associated.

" + }, + "participantId":{ + "shape":"ParticipantId", + "documentation":"

ID of the participant within the stage.

" + }, + "state":{ + "shape":"IngestConfigurationState", + "documentation":"

State of the ingest configuration. It is ACTIVE if a publisher currently is publishing to the stage associated with the ingest configuration.

" + }, + "userId":{ + "shape":"UserId", + "documentation":"

Customer-assigned name to help identify the participant using the IngestConfiguration; this can be used to link a participant to a user in the customer’s own systems. This can be any UTF-8 encoded text. This field is exposed to all stage participants and should not be used for personally identifying, confidential, or sensitive information.

" + }, + "attributes":{ + "shape":"ParticipantAttributes", + "documentation":"

Application-provided attributes to to store in the IngestConfiguration and attach to a stage. Map keys and values can contain UTF-8 encoded text. The maximum length of this field is 1 KB total. This field is exposed to all stage participants and should not be used for personally identifying, confidential, or sensitive information.

" + }, + "tags":{ + "shape":"Tags", + "documentation":"

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

" + } + }, + "documentation":"

Object specifying an ingest configuration.

" + }, + "IngestConfigurationArn":{ + "type":"string", + "max":128, + "min":1, + "pattern":"arn:aws:ivs:[a-z0-9-]+:[0-9]+:ingest-configuration/[a-zA-Z0-9-]+" + }, + "IngestConfigurationList":{ + "type":"list", + "member":{"shape":"IngestConfigurationSummary"} + }, + "IngestConfigurationName":{ + "type":"string", + "max":128, + "min":0, + "pattern":"[a-zA-Z0-9-_]*" + }, + "IngestConfigurationStageArn":{ + "type":"string", + "max":128, + "min":0, + "pattern":"^$|^arn:aws:ivs:[a-z0-9-]+:[0-9]+:stage/[a-zA-Z0-9-]+$" + }, + "IngestConfigurationState":{ + "type":"string", + "enum":[ + "ACTIVE", + "INACTIVE" + ] + }, + "IngestConfigurationSummary":{ + "type":"structure", + "required":[ + "arn", + "ingestProtocol", + "stageArn", + "participantId", + "state" + ], + "members":{ + "name":{ + "shape":"IngestConfigurationName", + "documentation":"

Ingest name.

" + }, + "arn":{ + "shape":"IngestConfigurationArn", + "documentation":"

Ingest configuration ARN.

" + }, + "ingestProtocol":{ + "shape":"IngestProtocol", + "documentation":"

Type of ingest protocol that the user employs for broadcasting.

" + }, + "stageArn":{ + "shape":"IngestConfigurationStageArn", + "documentation":"

ARN of the stage with which the IngestConfiguration is associated.

" + }, + "participantId":{ + "shape":"ParticipantId", + "documentation":"

ID of the participant within the stage.

" + }, + "state":{ + "shape":"IngestConfigurationState", + "documentation":"

State of the ingest configuration. It is ACTIVE if a publisher currently is publishing to the stage associated with the ingest configuration.

" + }, + "userId":{ + "shape":"UserId", + "documentation":"

Customer-assigned name to help identify the participant using the IngestConfiguration; this can be used to link a participant to a user in the customer’s own systems. This can be any UTF-8 encoded text. This field is exposed to all stage participants and should not be used for personally identifying, confidential, or sensitive information.

" + } + }, + "documentation":"

Summary information about an IngestConfiguration.

" + }, + "IngestProtocol":{ + "type":"string", + "enum":[ + "RTMP", + "RTMPS" + ] + }, + "InsecureIngest":{"type":"boolean"}, "InternalServerException":{ "type":"structure", "members":{ @@ -1515,6 +1821,41 @@ } } }, + "ListIngestConfigurationsRequest":{ + "type":"structure", + "members":{ + "filterByStageArn":{ + "shape":"StageArn", + "documentation":"

Filters the response list to match the specified stage ARN. Only one filter (by stage ARN or by state) can be used at a time.

" + }, + "filterByState":{ + "shape":"IngestConfigurationState", + "documentation":"

Filters the response list to match the specified state. Only one filter (by stage ARN or by state) can be used at a time.

" + }, + "nextToken":{ + "shape":"PaginationToken", + "documentation":"

The first IngestConfiguration to retrieve. This is used for pagination; see the nextToken response field.

" + }, + "maxResults":{ + "shape":"MaxIngestConfigurationResults", + "documentation":"

Maximum number of results to return. Default: 50.

" + } + } + }, + "ListIngestConfigurationsResponse":{ + "type":"structure", + "required":["ingestConfigurations"], + "members":{ + "ingestConfigurations":{ + "shape":"IngestConfigurationList", + "documentation":"

List of the matching ingest configurations (summary information only).

" + }, + "nextToken":{ + "shape":"PaginationToken", + "documentation":"

If there are more IngestConfigurations than maxResults, use nextToken in the request to get the next set.

" + } + } + }, "ListParticipantEventsRequest":{ "type":"structure", "required":[ @@ -1761,6 +2102,12 @@ "max":100, "min":1 }, + "MaxIngestConfigurationResults":{ + "type":"integer", + "box":true, + "max":100, + "min":1 + }, "MaxParticipantEventResults":{ "type":"integer", "box":true, @@ -1866,6 +2213,10 @@ "recordingState":{ "shape":"ParticipantRecordingState", "documentation":"

The participant’s recording state.

" + }, + "protocol":{ + "shape":"ParticipantProtocol", + "documentation":"

Type of ingest protocol that the participant employs for broadcasting.

" } }, "documentation":"

Object describing a participant that has joined a stage.

" @@ -1891,6 +2242,15 @@ "type":"list", "member":{"shape":"ParticipantSummary"} }, + "ParticipantProtocol":{ + "type":"string", + "enum":[ + "UNKNOWN", + "WHIP", + "RTMP", + "RTMPS" + ] + }, "ParticipantRecordingFilterByRecordingState":{ "type":"string", "enum":[ @@ -2190,7 +2550,7 @@ }, "tags":{ "shape":"Tags", - "documentation":"

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

" + "documentation":"

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

" } }, "documentation":"

Object specifying a public key used to sign stage participant tokens.

" @@ -2229,7 +2589,7 @@ }, "tags":{ "shape":"Tags", - "documentation":"

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

" + "documentation":"

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

" } }, "documentation":"

Summary information about a public key.

" @@ -2353,7 +2713,7 @@ }, "tags":{ "shape":"Tags", - "documentation":"

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

" + "documentation":"

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

" }, "autoParticipantRecordingConfiguration":{ "shape":"AutoParticipantRecordingConfiguration", @@ -2386,10 +2746,18 @@ }, "whip":{ "shape":"StageEndpoint", - "documentation":"

WHIP endpoint.

" + "documentation":"

The endpoint to be used for IVS real-time streaming using the WHIP protocol.

" + }, + "rtmp":{ + "shape":"StageEndpoint", + "documentation":"

The endpoint to be used for IVS real-time streaming using the RTMP protocol.

" + }, + "rtmps":{ + "shape":"StageEndpoint", + "documentation":"

The endpoint to be used for IVS real-time streaming using the RTMPS protocol.

" } }, - "documentation":"

Summary information about various endpoints for a stage.

" + "documentation":"

Summary information about various endpoints for a stage. We recommend that you cache these values at stage creation; the values can be cached for up to 14 days.

" }, "StageName":{ "type":"string", @@ -2461,7 +2829,7 @@ }, "tags":{ "shape":"Tags", - "documentation":"

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

" + "documentation":"

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

" } }, "documentation":"

Summary information about a stage.

" @@ -2496,7 +2864,7 @@ }, "tags":{ "shape":"Tags", - "documentation":"

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

" + "documentation":"

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

" } } }, @@ -2542,7 +2910,7 @@ }, "tags":{ "shape":"Tags", - "documentation":"

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

" + "documentation":"

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

" } }, "documentation":"

A complex type that describes a location where recorded videos will be stored.

" @@ -2577,7 +2945,7 @@ }, "tags":{ "shape":"Tags", - "documentation":"

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

" + "documentation":"

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

" } }, "documentation":"

Summary information about a storage configuration.

" @@ -2586,6 +2954,11 @@ "type":"list", "member":{"shape":"StorageConfigurationSummary"} }, + "StreamKey":{ + "type":"string", + "pattern":"rt_[0-9]+_[a-z0-9-]+_[a-zA-Z0-9-]+_.+", + "sensitive":true + }, "String":{"type":"string"}, "TagKey":{ "type":"string", @@ -2613,7 +2986,7 @@ }, "tags":{ "shape":"Tags", - "documentation":"

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

" + "documentation":"

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

" } } }, @@ -2653,7 +3026,7 @@ }, "tagKeys":{ "shape":"TagKeyList", - "documentation":"

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

", + "documentation":"

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

", "location":"querystring", "locationName":"tagKeys" } @@ -2664,6 +3037,29 @@ "members":{ } }, + "UpdateIngestConfigurationRequest":{ + "type":"structure", + "required":["arn"], + "members":{ + "arn":{ + "shape":"IngestConfigurationArn", + "documentation":"

ARN of the IngestConfiguration, for which the related stage ARN needs to be updated.

" + }, + "stageArn":{ + "shape":"IngestConfigurationStageArn", + "documentation":"

Stage ARN that needs to be updated.

" + } + } + }, + "UpdateIngestConfigurationResponse":{ + "type":"structure", + "members":{ + "ingestConfiguration":{ + "shape":"IngestConfiguration", + "documentation":"

The updated IngestConfiguration.

" + } + } + }, "UpdateStageRequest":{ "type":"structure", "required":["arn"], @@ -2758,5 +3154,5 @@ }, "errorMessage":{"type":"string"} }, - "documentation":"

The Amazon Interactive Video Service (IVS) real-time API is REST compatible, using a standard HTTP API and an AWS EventBridge event stream for responses. JSON is used for both requests and responses, including errors.

Key Concepts

  • Stage — A virtual space where participants can exchange video in real time.

  • Participant token — A token that authenticates a participant when they join a stage.

  • Participant object — Represents participants (people) in the stage and contains information about them. When a token is created, it includes a participant ID; when a participant uses that token to join a stage, the participant is associated with that participant ID. There is a 1:1 mapping between participant tokens and participants.

For server-side composition:

  • Composition process — Composites participants of a stage into a single video and forwards it to a set of outputs (e.g., IVS channels). Composition endpoints support this process.

  • Composition — Controls the look of the outputs, including how participants are positioned in the video.

For more information about your IVS live stream, also see Getting Started with Amazon IVS Real-Time Streaming.

Tagging

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

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

The Amazon IVS real-time API has these tag-related endpoints: TagResource, UntagResource, and ListTagsForResource. The following resource supports tagging: Stage.

At most 50 tags can be applied to a resource.

" + "documentation":"

The Amazon Interactive Video Service (IVS) real-time API is REST compatible, using a standard HTTP API and an AWS EventBridge event stream for responses. JSON is used for both requests and responses, including errors.

Key Concepts

  • Stage — A virtual space where participants can exchange video in real time.

  • Participant token — A token that authenticates a participant when they join a stage.

  • Participant object — Represents participants (people) in the stage and contains information about them. When a token is created, it includes a participant ID; when a participant uses that token to join a stage, the participant is associated with that participant ID. There is a 1:1 mapping between participant tokens and participants.

For server-side composition:

  • Composition process — Composites participants of a stage into a single video and forwards it to a set of outputs (e.g., IVS channels). Composition operations support this process.

  • Composition — Controls the look of the outputs, including how participants are positioned in the video.

For more information about your IVS live stream, also see Getting Started with Amazon IVS Real-Time Streaming.

Tagging

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

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

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

At most 50 tags can be applied to a resource.

" } From 736a0aa808bb648644b2f9e02fc04ae94b706243 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Mon, 9 Sep 2024 18:11:02 +0000 Subject: [PATCH 037/108] Amazon SageMaker Service Update: Amazon Sagemaker supports orchestrating SageMaker HyperPod clusters with Amazon EKS --- ...eature-AmazonSageMakerService-63abffa.json | 6 ++ .../codegen-resources/service-2.json | 93 ++++++++++++++++--- 2 files changed, 88 insertions(+), 11 deletions(-) create mode 100644 .changes/next-release/feature-AmazonSageMakerService-63abffa.json diff --git a/.changes/next-release/feature-AmazonSageMakerService-63abffa.json b/.changes/next-release/feature-AmazonSageMakerService-63abffa.json new file mode 100644 index 000000000000..015db71caaf2 --- /dev/null +++ b/.changes/next-release/feature-AmazonSageMakerService-63abffa.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Amazon SageMaker Service", + "contributor": "", + "description": "Amazon Sagemaker supports orchestrating SageMaker HyperPod clusters with Amazon EKS" +} diff --git a/services/sagemaker/src/main/resources/codegen-resources/service-2.json b/services/sagemaker/src/main/resources/codegen-resources/service-2.json index 25495dadcca7..e6271915fa20 100644 --- a/services/sagemaker/src/main/resources/codegen-resources/service-2.json +++ b/services/sagemaker/src/main/resources/codegen-resources/service-2.json @@ -7256,7 +7256,7 @@ "documentation":"

Details of LifeCycle configuration for the instance group.

" }, "ExecutionRole":{ - "shape":"IAMRoleArn", + "shape":"RoleArn", "documentation":"

The execution role for the instance group to assume.

" }, "ThreadsPerCore":{ @@ -7266,6 +7266,10 @@ "InstanceStorageConfigs":{ "shape":"ClusterInstanceStorageConfigs", "documentation":"

The additional storage configurations for the instances in the SageMaker HyperPod cluster instance group.

" + }, + "OnStartDeepHealthChecks":{ + "shape":"OnStartDeepHealthChecks", + "documentation":"

A flag indicating whether deep health checks should be performed when the cluster instance group is created or updated.

" } }, "documentation":"

Details of an instance group in a SageMaker HyperPod cluster.

" @@ -7307,7 +7311,7 @@ "documentation":"

Specifies the LifeCycle configuration for the instance group.

" }, "ExecutionRole":{ - "shape":"IAMRoleArn", + "shape":"RoleArn", "documentation":"

Specifies an IAM execution role to be assumed by the instance group.

" }, "ThreadsPerCore":{ @@ -7317,6 +7321,10 @@ "InstanceStorageConfigs":{ "shape":"ClusterInstanceStorageConfigs", "documentation":"

Specifies the additional storage configurations for the instances in the SageMaker HyperPod cluster instance group.

" + }, + "OnStartDeepHealthChecks":{ + "shape":"OnStartDeepHealthChecks", + "documentation":"

A flag indicating whether deep health checks should be performed when the cluster instance group is created or updated.

" } }, "documentation":"

The specifications of an instance group that you need to define.

" @@ -7348,7 +7356,8 @@ "Failure", "Pending", "ShuttingDown", - "SystemUpdating" + "SystemUpdating", + "DeepHealthCheckInProgress" ] }, "ClusterInstanceStatusDetails":{ @@ -7516,6 +7525,13 @@ "min":1, "pattern":"^i-[a-f0-9]{8}(?:[a-f0-9]{9})?$" }, + "ClusterNodeRecovery":{ + "type":"string", + "enum":[ + "Automatic", + "None" + ] + }, "ClusterNodeSummaries":{ "type":"list", "member":{"shape":"ClusterNodeSummary"} @@ -7557,6 +7573,28 @@ "type":"integer", "min":0 }, + "ClusterOrchestrator":{ + "type":"structure", + "required":["Eks"], + "members":{ + "Eks":{ + "shape":"ClusterOrchestratorEksConfig", + "documentation":"

The Amazon EKS cluster used as the orchestrator for the SageMaker HyperPod cluster.

" + } + }, + "documentation":"

The type of orchestrator used for the SageMaker HyperPod cluster.

" + }, + "ClusterOrchestratorEksConfig":{ + "type":"structure", + "required":["ClusterArn"], + "members":{ + "ClusterArn":{ + "shape":"EksClusterArn", + "documentation":"

The Amazon Resource Name (ARN) of the Amazon EKS cluster associated with the SageMaker HyperPod cluster.

" + } + }, + "documentation":"

The configuration settings for the Amazon EKS cluster used as the orchestrator for the SageMaker HyperPod cluster.

" + }, "ClusterPrivateDnsHostname":{ "type":"string", "pattern":"^ip-((25[0-5]|(2[0-4]|1\\d|[1-9]|)\\d)-?\\b){4}\\..*$" @@ -7643,7 +7681,7 @@ }, "AppLifecycleManagement":{ "shape":"AppLifecycleManagement", - "documentation":"

Settings that are used to configure and manage the lifecycle of CodeEditor applications.

" + "documentation":"

Settings that are used to configure and manage the lifecycle of CodeEditor applications.

" } }, "documentation":"

The Code Editor application settings.

For more information about Code Editor, see Get started with Code Editor in Amazon SageMaker.

" @@ -8620,6 +8658,14 @@ "Tags":{ "shape":"TagList", "documentation":"

Custom tags for managing the SageMaker HyperPod cluster as an Amazon Web Services resource. You can add tags to your cluster in the same way you add them in other Amazon Web Services services that support tagging. To learn more about tagging Amazon Web Services resources in general, see Tagging Amazon Web Services Resources User Guide.

" + }, + "Orchestrator":{ + "shape":"ClusterOrchestrator", + "documentation":"

The type of orchestrator to use for the SageMaker HyperPod cluster. Currently, the only supported value is \"eks\", which is to use an Amazon Elastic Kubernetes Service (EKS) cluster as the orchestrator.

" + }, + "NodeRecovery":{ + "shape":"ClusterNodeRecovery", + "documentation":"

The node recovery mode for the SageMaker HyperPod cluster. When set to Automatic, SageMaker HyperPod will automatically reboot or replace faulty nodes when issues are detected. When set to None, cluster administrators will need to manually manage any faulty cluster instances.

" } } }, @@ -11626,6 +11672,13 @@ "max":20, "min":0 }, + "DeepHealthCheckType":{ + "type":"string", + "enum":[ + "InstanceStress", + "InstanceConnectivity" + ] + }, "DefaultEbsStorageSettings":{ "type":"structure", "required":[ @@ -13208,7 +13261,15 @@ "shape":"ClusterInstanceGroupDetailsList", "documentation":"

The instance groups of the SageMaker HyperPod cluster.

" }, - "VpcConfig":{"shape":"VpcConfig"} + "VpcConfig":{"shape":"VpcConfig"}, + "Orchestrator":{ + "shape":"ClusterOrchestrator", + "documentation":"

The type of orchestrator used for the SageMaker HyperPod cluster.

" + }, + "NodeRecovery":{ + "shape":"ClusterNodeRecovery", + "documentation":"

The node recovery mode configured for the SageMaker HyperPod cluster.

" + } } }, "DescribeCodeRepositoryInput":{ @@ -18055,6 +18116,12 @@ "max":10, "pattern":"\\d+" }, + "EksClusterArn":{ + "type":"string", + "max":2048, + "min":20, + "pattern":"^arn:aws[a-z\\-]*:eks:[a-z0-9\\-]*:[0-9]{12}:cluster\\/[0-9A-Za-z][A-Za-z0-9\\-_]{0,99}$" + }, "EmrServerlessComputeConfig":{ "type":"structure", "required":["ExecutionRoleARN"], @@ -20832,12 +20899,6 @@ "type":"integer", "min":1 }, - "IAMRoleArn":{ - "type":"string", - "max":2048, - "min":20, - "pattern":"^arn:aws[a-z\\-]*:iam::\\d{12}:role/[\\w+=,.@-]{1,64}$" - }, "IamIdentity":{ "type":"structure", "members":{ @@ -30091,6 +30152,12 @@ }, "documentation":"

A list of user groups that exist in your OIDC Identity Provider (IdP). One to ten groups can be used to create a single private work team. When you add a user group to the list of Groups, you can add that user group to one or more private work teams. If you add a user group to a private work team, all workers in that user group are added to the work team.

" }, + "OnStartDeepHealthChecks":{ + "type":"list", + "member":{"shape":"DeepHealthCheckType"}, + "max":2, + "min":1 + }, "OnlineStoreConfig":{ "type":"structure", "members":{ @@ -37844,6 +37911,10 @@ "InstanceGroups":{ "shape":"ClusterInstanceGroupSpecifications", "documentation":"

Specify the instance groups to update.

" + }, + "NodeRecovery":{ + "shape":"ClusterNodeRecovery", + "documentation":"

The node recovery mode to be applied to the SageMaker HyperPod cluster.

" } } }, From 8f601ed962bd9f4e376eac4c535fd6d41f8533d0 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Mon, 9 Sep 2024 18:11:05 +0000 Subject: [PATCH 038/108] Managed Streaming for Kafka Update: Amazon MSK Replicator can now replicate data to identically named topics between MSK clusters within the same AWS Region or across different AWS Regions. --- ...ture-ManagedStreamingforKafka-e15fac9.json | 6 + .../codegen-resources/service-2.json | 3072 +++++++++-------- 2 files changed, 1643 insertions(+), 1435 deletions(-) create mode 100644 .changes/next-release/feature-ManagedStreamingforKafka-e15fac9.json diff --git a/.changes/next-release/feature-ManagedStreamingforKafka-e15fac9.json b/.changes/next-release/feature-ManagedStreamingforKafka-e15fac9.json new file mode 100644 index 000000000000..d668195be050 --- /dev/null +++ b/.changes/next-release/feature-ManagedStreamingforKafka-e15fac9.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Managed Streaming for Kafka", + "contributor": "", + "description": "Amazon MSK Replicator can now replicate data to identically named topics between MSK clusters within the same AWS Region or across different AWS Regions." +} diff --git a/services/kafka/src/main/resources/codegen-resources/service-2.json b/services/kafka/src/main/resources/codegen-resources/service-2.json index 8c09d4924967..0ebb38802481 100644 --- a/services/kafka/src/main/resources/codegen-resources/service-2.json +++ b/services/kafka/src/main/resources/codegen-resources/service-2.json @@ -9,46 +9,57 @@ "protocol": "rest-json", "jsonVersion": "1.1", "uid": "kafka-2018-11-14", - "signatureVersion": "v4" + "signatureVersion": "v4", + "auth": [ + "aws.auth#sigv4" + ] }, "operations": { - "BatchAssociateScramSecret" : { - "name" : "BatchAssociateScramSecret", - "http" : { - "method" : "POST", - "requestUri" : "/v1/clusters/{clusterArn}/scram-secrets", - "responseCode" : 200 - }, - "input" : { - "shape" : "BatchAssociateScramSecretRequest" - }, - "output" : { - "shape" : "BatchAssociateScramSecretResponse", + "BatchAssociateScramSecret": { + "name": "BatchAssociateScramSecret", + "http": { + "method": "POST", + "requestUri": "/v1/clusters/{clusterArn}/scram-secrets", + "responseCode": 200 + }, + "input": { + "shape": "BatchAssociateScramSecretRequest" + }, + "output": { + "shape": "BatchAssociateScramSecretResponse", "documentation": "\n

200 response

\n " }, - "errors" : [ { - "shape" : "BadRequestException", - "documentation" : "\n

The request isn't valid because the input is incorrect. Correct your input and then submit it again.

\n " - }, { - "shape" : "UnauthorizedException", - "documentation" : "\n

The request is not authorized. The provided credentials couldn't be validated.

\n " - }, { - "shape" : "InternalServerErrorException", - "documentation" : "\n

There was an unexpected internal server error. Retrying your request might resolve the issue.

\n " - }, { - "shape" : "ForbiddenException", - "documentation" : "\n

Access forbidden. Check your credentials and then retry your request.

\n " - }, { - "shape" : "NotFoundException", - "documentation" : "\n

The resource could not be found due to incorrect input. Correct the input, then retry the request.

\n " - }, { - "shape" : "ServiceUnavailableException", - "documentation" : "\n

503 response

\n " - }, { - "shape" : "TooManyRequestsException", - "documentation" : "\n

429 response

\n " - } ], - "documentation" : "\n

Associates one or more Scram Secrets with an Amazon MSK cluster.

\n " + "errors": [ + { + "shape": "BadRequestException", + "documentation": "\n

The request isn't valid because the input is incorrect. Correct your input and then submit it again.

\n " + }, + { + "shape": "UnauthorizedException", + "documentation": "\n

The request is not authorized. The provided credentials couldn't be validated.

\n " + }, + { + "shape": "InternalServerErrorException", + "documentation": "\n

There was an unexpected internal server error. Retrying your request might resolve the issue.

\n " + }, + { + "shape": "ForbiddenException", + "documentation": "\n

Access forbidden. Check your credentials and then retry your request.

\n " + }, + { + "shape": "NotFoundException", + "documentation": "\n

The resource could not be found due to incorrect input. Correct the input, then retry the request.

\n " + }, + { + "shape": "ServiceUnavailableException", + "documentation": "\n

503 response

\n " + }, + { + "shape": "TooManyRequestsException", + "documentation": "\n

429 response

\n " + } + ], + "documentation": "\n

Associates one or more Scram Secrets with an Amazon MSK cluster.

\n " }, "CreateCluster": { "name": "CreateCluster", @@ -398,7 +409,8 @@ { "shape": "BadRequestException", "documentation": "

HTTP Status Code 400: Bad request due to incorrect input. Correct your request and then retry it.

" - }, { + }, + { "shape": "UnauthorizedException", "documentation": "

HTTP Status Code 401: Unauthorized request. The provided credentials couldn't be validated.

" }, @@ -573,43 +585,51 @@ ], "documentation": "\n

Returns a description of the cluster operation specified by the ARN.

\n " }, - "DescribeClusterOperationV2" : { - "name" : "DescribeClusterOperationV2", - "http" : { - "method" : "GET", - "requestUri" : "/api/v2/operations/{clusterOperationArn}", - "responseCode" : 200 - }, - "input" : { - "shape" : "DescribeClusterOperationV2Request" - }, - "output" : { - "shape" : "DescribeClusterOperationV2Response", - "documentation" : "\n

HTTP Status Code 200: OK.

" - }, - "errors" : [ { - "shape" : "BadRequestException", - "documentation" : "\n

HTTP Status Code 400: Bad request due to incorrect input. Correct your request and then retry it.

" - }, { - "shape" : "UnauthorizedException", - "documentation" : "\n

HTTP Status Code 401: Unauthorized request. The provided credentials couldn't be validated.

" - }, { - "shape" : "InternalServerErrorException", - "documentation" : "\n

HTTP Status Code 500: Unexpected internal server error. Retrying your request might resolve the issue.

" - }, { - "shape" : "ForbiddenException", - "documentation" : "\n

HTTP Status Code 403: Access forbidden. Correct your credentials and then retry your request.

" - }, { - "shape" : "NotFoundException", - "documentation" : "\n

HTTP Status Code 404: Resource not found due to incorrect input. Correct your request and then retry it.

" - }, { - "shape" : "ServiceUnavailableException", - "documentation" : "\n

HTTP Status Code 503: Service Unavailable. Retrying your request in some time might resolve the issue.

" - }, { - "shape" : "TooManyRequestsException", - "documentation" : "\n

HTTP Status Code 429: Limit exceeded. Resource limit reached.

" - } ], - "documentation" : "\n

Returns a description of the cluster operation specified by the ARN.

\n" + "DescribeClusterOperationV2": { + "name": "DescribeClusterOperationV2", + "http": { + "method": "GET", + "requestUri": "/api/v2/operations/{clusterOperationArn}", + "responseCode": 200 + }, + "input": { + "shape": "DescribeClusterOperationV2Request" + }, + "output": { + "shape": "DescribeClusterOperationV2Response", + "documentation": "\n

HTTP Status Code 200: OK.

" + }, + "errors": [ + { + "shape": "BadRequestException", + "documentation": "\n

HTTP Status Code 400: Bad request due to incorrect input. Correct your request and then retry it.

" + }, + { + "shape": "UnauthorizedException", + "documentation": "\n

HTTP Status Code 401: Unauthorized request. The provided credentials couldn't be validated.

" + }, + { + "shape": "InternalServerErrorException", + "documentation": "\n

HTTP Status Code 500: Unexpected internal server error. Retrying your request might resolve the issue.

" + }, + { + "shape": "ForbiddenException", + "documentation": "\n

HTTP Status Code 403: Access forbidden. Correct your credentials and then retry your request.

" + }, + { + "shape": "NotFoundException", + "documentation": "\n

HTTP Status Code 404: Resource not found due to incorrect input. Correct your request and then retry it.

" + }, + { + "shape": "ServiceUnavailableException", + "documentation": "\n

HTTP Status Code 503: Service Unavailable. Retrying your request in some time might resolve the issue.

" + }, + { + "shape": "TooManyRequestsException", + "documentation": "\n

HTTP Status Code 429: Limit exceeded. Resource limit reached.

" + } + ], + "documentation": "\n

Returns a description of the cluster operation specified by the ARN.

\n" }, "DescribeConfiguration": { "name": "DescribeConfiguration", @@ -783,43 +803,51 @@ ], "documentation": "\n

Returns a description of this MSK VPC connection.

\n " }, - "BatchDisassociateScramSecret" : { - "name" : "BatchDisassociateScramSecret", - "http" : { - "method" : "PATCH", - "requestUri" : "/v1/clusters/{clusterArn}/scram-secrets", - "responseCode" : 200 + "BatchDisassociateScramSecret": { + "name": "BatchDisassociateScramSecret", + "http": { + "method": "PATCH", + "requestUri": "/v1/clusters/{clusterArn}/scram-secrets", + "responseCode": 200 }, - "input" : { - "shape" : "BatchDisassociateScramSecretRequest" + "input": { + "shape": "BatchDisassociateScramSecretRequest" }, - "output" : { - "shape" : "BatchDisassociateScramSecretResponse", + "output": { + "shape": "BatchDisassociateScramSecretResponse", "documentation": "\n

200 response

\n " }, - "errors" : [ { - "shape" : "BadRequestException", - "documentation" : "\n

The request isn't valid because the input is incorrect. Correct your input and then submit it again.

\n " - }, { - "shape" : "UnauthorizedException", - "documentation" : "\n

The request is not authorized. The provided credentials couldn't be validated.

\n " - }, { - "shape" : "InternalServerErrorException", - "documentation" : "\n

There was an unexpected internal server error. Retrying your request might resolve the issue.

\n " - }, { - "shape" : "ForbiddenException", - "documentation" : "\n

Access forbidden. Check your credentials and then retry your request.

\n " - }, { - "shape" : "NotFoundException", - "documentation" : "\n

The resource could not be found due to incorrect input. Correct the input, then retry the request.

\n " - }, { - "shape" : "ServiceUnavailableException", - "documentation" : "\n

503 response

\n " - }, { - "shape" : "TooManyRequestsException", - "documentation" : "\n

429 response

\n " - } ], - "documentation" : "\n

Disassociates one or more Scram Secrets from an Amazon MSK cluster.

\n " + "errors": [ + { + "shape": "BadRequestException", + "documentation": "\n

The request isn't valid because the input is incorrect. Correct your input and then submit it again.

\n " + }, + { + "shape": "UnauthorizedException", + "documentation": "\n

The request is not authorized. The provided credentials couldn't be validated.

\n " + }, + { + "shape": "InternalServerErrorException", + "documentation": "\n

There was an unexpected internal server error. Retrying your request might resolve the issue.

\n " + }, + { + "shape": "ForbiddenException", + "documentation": "\n

Access forbidden. Check your credentials and then retry your request.

\n " + }, + { + "shape": "NotFoundException", + "documentation": "\n

The resource could not be found due to incorrect input. Correct the input, then retry the request.

\n " + }, + { + "shape": "ServiceUnavailableException", + "documentation": "\n

503 response

\n " + }, + { + "shape": "TooManyRequestsException", + "documentation": "\n

429 response

\n " + } + ], + "documentation": "\n

Disassociates one or more Scram Secrets from an Amazon MSK cluster.

\n " }, "GetBootstrapBrokers": { "name": "GetBootstrapBrokers", @@ -857,51 +885,50 @@ "documentation": "\n

Access forbidden. Check your credentials and then retry your request.

\n " } ], - "documentation": "\n

A list of brokers that a client application can use to bootstrap.

\n " + "documentation": "\n

A list of brokers that a client application can use to bootstrap. This list doesn't necessarily include all of the brokers in the cluster. The following Python 3.6 example shows how you can use the Amazon Resource Name (ARN) of a cluster to get its bootstrap brokers. If you don't know the ARN of your cluster, you can use the ListClusters operation to get the ARNs of all the clusters in this account and Region.

\n " }, - "GetCompatibleKafkaVersions" : { - "name" : "GetCompatibleKafkaVersions", - "http" : { - "method" : "GET", - "requestUri" : "/v1/compatible-kafka-versions", - "responseCode" : 200 + "GetCompatibleKafkaVersions": { + "name": "GetCompatibleKafkaVersions", + "http": { + "method": "GET", + "requestUri": "/v1/compatible-kafka-versions", + "responseCode": 200 }, - "input" : { - "shape" : "GetCompatibleKafkaVersionsRequest" + "input": { + "shape": "GetCompatibleKafkaVersionsRequest" }, - "output" : { - "shape" : "GetCompatibleKafkaVersionsResponse", + "output": { + "shape": "GetCompatibleKafkaVersionsResponse", "documentation": "\n

Successful response.

\n " }, - "errors" : - [ + "errors": [ { - "shape" : "BadRequestException", - "documentation" : "n

The request isn't valid because the input is incorrect. Correct your input and then submit it again.

n " + "shape": "BadRequestException", + "documentation": "n

The request isn't valid because the input is incorrect. Correct your input and then submit it again.

n " }, { - "shape" : "UnauthorizedException", - "documentation" : "n

The request is not authorized. The provided credentials couldn't be validated.

n " + "shape": "UnauthorizedException", + "documentation": "n

The request is not authorized. The provided credentials couldn't be validated.

n " }, { - "shape" : "InternalServerErrorException", - "documentation" : "n

There was an unexpected internal server error. Retrying your request might resolve the issue.

n " + "shape": "InternalServerErrorException", + "documentation": "n

There was an unexpected internal server error. Retrying your request might resolve the issue.

n " }, { - "shape" : "ForbiddenException", - "documentation" : "n

Access forbidden. Check your credentials and then retry your request.

n " + "shape": "ForbiddenException", + "documentation": "n

Access forbidden. Check your credentials and then retry your request.

n " }, { - "shape" : "NotFoundException", - "documentation" : "n

The resource could not be found due to incorrect input. Correct the input, then retry the request.

n " + "shape": "NotFoundException", + "documentation": "n

The resource could not be found due to incorrect input. Correct the input, then retry the request.

n " }, { - "shape" : "ServiceUnavailableException", - "documentation" : "n

503 response

n " + "shape": "ServiceUnavailableException", + "documentation": "n

503 response

n " }, { - "shape" : "TooManyRequestsException", - "documentation" : "n

429 response

n " + "shape": "TooManyRequestsException", + "documentation": "n

429 response

n " } ], "documentation": "\n

Gets the Apache Kafka versions to which you can update the MSK cluster.

\n " @@ -974,43 +1001,51 @@ ], "documentation": "\n

Returns a list of all the operations that have been performed on the specified MSK cluster.

\n " }, - "ListClusterOperationsV2" : { - "name" : "ListClusterOperationsV2", - "http" : { - "method" : "GET", - "requestUri" : "/api/v2/clusters/{clusterArn}/operations", - "responseCode" : 200 - }, - "input" : { - "shape" : "ListClusterOperationsV2Request" - }, - "output" : { - "shape" : "ListClusterOperationsV2Response", - "documentation" : "\n

HTTP Status Code 200: OK.

" - }, - "errors" : [ { - "shape" : "BadRequestException", - "documentation" : "\n

HTTP Status Code 400: Bad request due to incorrect input. Correct your request and then retry it.

" - }, { - "shape" : "UnauthorizedException", - "documentation" : "\n

HTTP Status Code 401: Unauthorized request. The provided credentials couldn't be validated.

" - }, { - "shape" : "InternalServerErrorException", - "documentation" : "\n

HTTP Status Code 500: Unexpected internal server error. Retrying your request might resolve the issue.

" - }, { - "shape" : "ForbiddenException", - "documentation" : "\n

HTTP Status Code 403: Access forbidden. Correct your credentials and then retry your request.

" - }, { - "shape" : "NotFoundException", - "documentation" : "\n

HTTP Status Code 404: Resource not found due to incorrect input. Correct your request and then retry it.

" - }, { - "shape" : "ServiceUnavailableException", - "documentation" : "\n

HTTP Status Code 503: Service Unavailable. Retrying your request in some time might resolve the issue.

" - }, { - "shape" : "TooManyRequestsException", - "documentation" : "\n

HTTP Status Code 429: Limit exceeded. Resource limit reached.

" - } ], - "documentation" : "\n

Returns a list of all the operations that have been performed on the specified MSK cluster.

\n " + "ListClusterOperationsV2": { + "name": "ListClusterOperationsV2", + "http": { + "method": "GET", + "requestUri": "/api/v2/clusters/{clusterArn}/operations", + "responseCode": 200 + }, + "input": { + "shape": "ListClusterOperationsV2Request" + }, + "output": { + "shape": "ListClusterOperationsV2Response", + "documentation": "\n

HTTP Status Code 200: OK.

" + }, + "errors": [ + { + "shape": "BadRequestException", + "documentation": "\n

HTTP Status Code 400: Bad request due to incorrect input. Correct your request and then retry it.

" + }, + { + "shape": "UnauthorizedException", + "documentation": "\n

HTTP Status Code 401: Unauthorized request. The provided credentials couldn't be validated.

" + }, + { + "shape": "InternalServerErrorException", + "documentation": "\n

HTTP Status Code 500: Unexpected internal server error. Retrying your request might resolve the issue.

" + }, + { + "shape": "ForbiddenException", + "documentation": "\n

HTTP Status Code 403: Access forbidden. Correct your credentials and then retry your request.

" + }, + { + "shape": "NotFoundException", + "documentation": "\n

HTTP Status Code 404: Resource not found due to incorrect input. Correct your request and then retry it.

" + }, + { + "shape": "ServiceUnavailableException", + "documentation": "\n

HTTP Status Code 503: Service Unavailable. Retrying your request in some time might resolve the issue.

" + }, + { + "shape": "TooManyRequestsException", + "documentation": "\n

HTTP Status Code 429: Limit exceeded. Resource limit reached.

" + } + ], + "documentation": "\n

Returns a list of all the operations that have been performed on the specified MSK cluster.

\n " }, "ListClusters": { "name": "ListClusters", @@ -1273,43 +1308,51 @@ ], "documentation": "

Lists the replicators.

" }, - "ListScramSecrets" : { - "name" : "ListScramSecrets", - "http" : { - "method" : "GET", - "requestUri" : "/v1/clusters/{clusterArn}/scram-secrets", - "responseCode" : 200 + "ListScramSecrets": { + "name": "ListScramSecrets", + "http": { + "method": "GET", + "requestUri": "/v1/clusters/{clusterArn}/scram-secrets", + "responseCode": 200 }, - "input" : { - "shape" : "ListScramSecretsRequest" + "input": { + "shape": "ListScramSecretsRequest" }, - "output" : { - "shape" : "ListScramSecretsResponse", + "output": { + "shape": "ListScramSecretsResponse", "documentation": "\n

200 response

\n " }, - "errors" : [ { - "shape" : "BadRequestException", - "documentation" : "\n

The request isn't valid because the input is incorrect. Correct your input and then submit it again.

\n " - }, { - "shape" : "UnauthorizedException", - "documentation" : "\n

The request is not authorized. The provided credentials couldn't be validated.

\n " - }, { - "shape" : "InternalServerErrorException", - "documentation" : "\n

There was an unexpected internal server error. Retrying your request might resolve the issue.

\n " - }, { - "shape" : "ForbiddenException", - "documentation" : "\n

Access forbidden. Check your credentials and then retry your request.

\n " - }, { - "shape" : "NotFoundException", - "documentation" : "\n

The resource could not be found due to incorrect input. Correct the input, then retry the request.

\n " - }, { - "shape" : "ServiceUnavailableException", - "documentation" : "\n

503 response

\n " - }, { - "shape" : "TooManyRequestsException", - "documentation" : "\n

429 response

\n " - } ], - "documentation" : "\n

Returns a list of the Scram Secrets associated with an Amazon MSK cluster.

\n " + "errors": [ + { + "shape": "BadRequestException", + "documentation": "\n

The request isn't valid because the input is incorrect. Correct your input and then submit it again.

\n " + }, + { + "shape": "UnauthorizedException", + "documentation": "\n

The request is not authorized. The provided credentials couldn't be validated.

\n " + }, + { + "shape": "InternalServerErrorException", + "documentation": "\n

There was an unexpected internal server error. Retrying your request might resolve the issue.

\n " + }, + { + "shape": "ForbiddenException", + "documentation": "\n

Access forbidden. Check your credentials and then retry your request.

\n " + }, + { + "shape": "NotFoundException", + "documentation": "\n

The resource could not be found due to incorrect input. Correct the input, then retry the request.

\n " + }, + { + "shape": "ServiceUnavailableException", + "documentation": "\n

503 response

\n " + }, + { + "shape": "TooManyRequestsException", + "documentation": "\n

429 response

\n " + } + ], + "documentation": "\n

Returns a list of the Scram Secrets associated with an Amazon MSK cluster.

\n " }, "ListTagsForResource": { "name": "ListTagsForResource", @@ -1485,51 +1528,51 @@ ], "documentation": "\n

Creates or updates the MSK cluster policy specified by the cluster Amazon Resource Name (ARN) in the request.

\n " }, - "RebootBroker" : { - "name" : "RebootBroker", - "http" : { - "method" : "PUT", - "requestUri" : "/v1/clusters/{clusterArn}/reboot-broker", - "responseCode" : 200 + "RebootBroker": { + "name": "RebootBroker", + "http": { + "method": "PUT", + "requestUri": "/v1/clusters/{clusterArn}/reboot-broker", + "responseCode": 200 }, - "input" : { - "shape" : "RebootBrokerRequest" + "input": { + "shape": "RebootBrokerRequest" }, - "output" : { - "shape" : "RebootBrokerResponse", + "output": { + "shape": "RebootBrokerResponse", "documentation": "\n

Successful response.

\n " }, - "errors" : [ + "errors": [ { - "shape" : "BadRequestException", + "shape": "BadRequestException", "documentation": "\n

The request isn't valid because the input is incorrect. Correct your input and then submit it again.

\n " }, { - "shape" : "UnauthorizedException", + "shape": "UnauthorizedException", "documentation": "\n

The request is not authorized. The provided credentials couldn't be validated.

\n " }, { - "shape" : "InternalServerErrorException", + "shape": "InternalServerErrorException", "documentation": "\n

There was an unexpected internal server error. Retrying your request might resolve the issue.

\n " }, { - "shape" : "ForbiddenException", + "shape": "ForbiddenException", "documentation": "\n

Access forbidden. Check your credentials and then retry your request.

\n " }, { - "shape" : "NotFoundException", + "shape": "NotFoundException", "documentation": "\n

The resource could not be found due to incorrect input. Correct the input, then retry the request.

\n " }, { - "shape" : "ServiceUnavailableException", + "shape": "ServiceUnavailableException", "documentation": "\n

503 response

\n " }, { - "shape" : "TooManyRequestsException", - "documentation" : "\n

429 response

\n " + "shape": "TooManyRequestsException", + "documentation": "\n

429 response

\n " } ], - "documentation" : "Reboots brokers." + "documentation": "Reboots brokers." }, "TagResource": { "name": "TagResource", @@ -1637,32 +1680,32 @@ }, "errors": [ { - "shape" : "BadRequestException", - "documentation" : "\n

The request isn't valid because the input is incorrect. Correct your input and then submit it again.

\n " + "shape": "BadRequestException", + "documentation": "\n

The request isn't valid because the input is incorrect. Correct your input and then submit it again.

\n " }, { - "shape" : "UnauthorizedException", - "documentation" : "\n

The request is not authorized. The provided credentials couldn't be validated.

\n " + "shape": "UnauthorizedException", + "documentation": "\n

The request is not authorized. The provided credentials couldn't be validated.

\n " }, { - "shape" : "InternalServerErrorException", - "documentation" : "\n

There was an unexpected internal server error. Retrying your request might resolve the issue.

\n " + "shape": "InternalServerErrorException", + "documentation": "\n

There was an unexpected internal server error. Retrying your request might resolve the issue.

\n " }, { - "shape" : "ForbiddenException", - "documentation" : "\n

Access forbidden. Check your credentials and then retry your request.

\n " + "shape": "ForbiddenException", + "documentation": "\n

Access forbidden. Check your credentials and then retry your request.

\n " }, { - "shape" : "NotFoundException", - "documentation" : "\n

The resource could not be found due to incorrect input. Correct the input, then retry the request.

\n " + "shape": "NotFoundException", + "documentation": "\n

The resource could not be found due to incorrect input. Correct the input, then retry the request.

\n " }, { - "shape" : "ServiceUnavailableException", - "documentation" : "\n

503 response

\n " + "shape": "ServiceUnavailableException", + "documentation": "\n

503 response

\n " }, { - "shape" : "TooManyRequestsException", - "documentation" : "\n

429 response

\n " + "shape": "TooManyRequestsException", + "documentation": "\n

429 response

\n " } ], "documentation": "\n

Updates EC2 instance type.

\n " @@ -1747,18 +1790,18 @@ ], "documentation": "\n

Updates an MSK configuration.

\n " }, - "UpdateConnectivity" : { - "name" : "UpdateConnectivity", - "http" : { - "method" : "PUT", - "requestUri" : "/v1/clusters/{clusterArn}/connectivity", - "responseCode" : 200 + "UpdateConnectivity": { + "name": "UpdateConnectivity", + "http": { + "method": "PUT", + "requestUri": "/v1/clusters/{clusterArn}/connectivity", + "responseCode": 200 }, - "input" : { - "shape" : "UpdateConnectivityRequest" + "input": { + "shape": "UpdateConnectivityRequest" }, - "output" : { - "shape" : "UpdateConnectivityResponse", + "output": { + "shape": "UpdateConnectivityResponse", "documentation": "\n

Successful response.

\n " }, "errors": [ @@ -1787,7 +1830,7 @@ "documentation": "\n

503 response

\n " } ], - "documentation" : "\n

Updates the cluster's connectivity configuration.

\n " + "documentation": "\n

Updates the cluster's connectivity configuration.

\n " }, "UpdateClusterConfiguration": { "name": "UpdateClusterConfiguration", @@ -1831,83 +1874,89 @@ ], "documentation": "\n

Updates the cluster with the configuration that is specified in the request body.

\n " }, - "UpdateClusterKafkaVersion" : { - "name" : "UpdateClusterKafkaVersion", - "http" : { - "method" : "PUT", - "requestUri" : "/v1/clusters/{clusterArn}/version", - "responseCode" : 200 + "UpdateClusterKafkaVersion": { + "name": "UpdateClusterKafkaVersion", + "http": { + "method": "PUT", + "requestUri": "/v1/clusters/{clusterArn}/version", + "responseCode": 200 }, - "input" : { - "shape" : "UpdateClusterKafkaVersionRequest" + "input": { + "shape": "UpdateClusterKafkaVersionRequest" }, - "output" : { - "shape" : "UpdateClusterKafkaVersionResponse", - "documentation" : "\n

Successful response.

\n " + "output": { + "shape": "UpdateClusterKafkaVersionResponse", + "documentation": "\n

Successful response.

\n " }, - "errors" : [ + "errors": [ { - "shape" : "BadRequestException", - "documentation" : "\n

The request isn't valid because the input is incorrect. Correct your input and then submit it again.

\n " + "shape": "BadRequestException", + "documentation": "\n

The request isn't valid because the input is incorrect. Correct your input and then submit it again.

\n " }, { - "shape" : "UnauthorizedException", - "documentation" : "\n

The request is not authorized. The provided credentials couldn't be validated.

\n " + "shape": "UnauthorizedException", + "documentation": "\n

The request is not authorized. The provided credentials couldn't be validated.

\n " }, { - "shape" : "InternalServerErrorException", - "documentation" : "\n

There was an unexpected internal server error. Retrying your request might resolve the issue.

\n " + "shape": "InternalServerErrorException", + "documentation": "\n

There was an unexpected internal server error. Retrying your request might resolve the issue.

\n " }, { - "shape" : "ForbiddenException", - "documentation" : "\n

Access forbidden. Check your credentials and then retry your request.

\n " + "shape": "ForbiddenException", + "documentation": "\n

Access forbidden. Check your credentials and then retry your request.

\n " }, { - "shape" : "NotFoundException", - "documentation" : "\n

The resource could not be found due to incorrect input. Correct the input, then retry the request.

\n " + "shape": "NotFoundException", + "documentation": "\n

The resource could not be found due to incorrect input. Correct the input, then retry the request.

\n " }, { - "shape" : "ServiceUnavailableException", - "documentation" : "\n

503 response

\n " + "shape": "ServiceUnavailableException", + "documentation": "\n

503 response

\n " }, { - "shape" : "TooManyRequestsException", - "documentation" : "\n

429 response

\n " + "shape": "TooManyRequestsException", + "documentation": "\n

429 response

\n " } ], "documentation": "\n

Updates the Apache Kafka version for the cluster.

\n " }, - "UpdateMonitoring" : { - "name" : "UpdateMonitoring", - "http" : { - "method" : "PUT", - "requestUri" : "/v1/clusters/{clusterArn}/monitoring", - "responseCode" : 200 - }, - "input" : { - "shape" : "UpdateMonitoringRequest" - }, - "output" : { - "shape" : "UpdateMonitoringResponse", - "documentation" : "\n

HTTP Status Code 200: OK.

\n " - }, - "errors" : [ { - "shape" : "ServiceUnavailableException", - "documentation" : "\n

503 response

\n " - }, { - "shape" : "BadRequestException", - "documentation" : "\n

The request isn't valid because the input is incorrect. Correct your input and then submit it again.

\n " - }, { - "shape" : "UnauthorizedException", - "documentation" : "\n

The request is not authorized. The provided credentials couldn't be validated.

\n " - }, { - "shape" : "InternalServerErrorException", - "documentation" : "\n

There was an unexpected internal server error. Retrying your request might resolve the issue.

\n " - }, { - "shape" : "ForbiddenException", - "documentation" : "\n

Access forbidden. Check your credentials and then retry your request.

\n " - } ], - "documentation" : "\n

Updates the monitoring settings for the cluster. You can use this operation to specify which Apache Kafka metrics you want Amazon MSK to send to Amazon CloudWatch. You can also specify settings for open monitoring with Prometheus.

\n " + "UpdateMonitoring": { + "name": "UpdateMonitoring", + "http": { + "method": "PUT", + "requestUri": "/v1/clusters/{clusterArn}/monitoring", + "responseCode": 200 + }, + "input": { + "shape": "UpdateMonitoringRequest" + }, + "output": { + "shape": "UpdateMonitoringResponse", + "documentation": "\n

HTTP Status Code 200: OK.

\n " + }, + "errors": [ + { + "shape": "ServiceUnavailableException", + "documentation": "\n

503 response

\n " + }, + { + "shape": "BadRequestException", + "documentation": "\n

The request isn't valid because the input is incorrect. Correct your input and then submit it again.

\n " + }, + { + "shape": "UnauthorizedException", + "documentation": "\n

The request is not authorized. The provided credentials couldn't be validated.

\n " + }, + { + "shape": "InternalServerErrorException", + "documentation": "\n

There was an unexpected internal server error. Retrying your request might resolve the issue.

\n " + }, + { + "shape": "ForbiddenException", + "documentation": "\n

Access forbidden. Check your credentials and then retry your request.

\n " + } + ], + "documentation": "\n

Updates the monitoring settings for the cluster. You can use this operation to specify which Apache Kafka metrics you want Amazon MSK to send to Amazon CloudWatch. You can also specify settings for open monitoring with Prometheus.

\n " }, "UpdateReplicationInfo": { "name": "UpdateReplicationInfo", @@ -1955,84 +2004,100 @@ ], "documentation": "

Updates replication info of a replicator.

" }, - "UpdateSecurity" : { - "name" : "UpdateSecurity", - "http" : { - "method" : "PATCH", - "requestUri" : "/v1/clusters/{clusterArn}/security", - "responseCode" : 200 - }, - "input" : { - "shape" : "UpdateSecurityRequest" - }, - "output" : { - "shape" : "UpdateSecurityResponse" - }, - "errors" : [ { - "shape" : "BadRequestException", - "documentation" : "\n

The request isn't valid because the input is incorrect. Correct your input and then submit it again.

\n " - }, { - "shape" : "UnauthorizedException", - "documentation" : "\n

The request is not authorized. The provided credentials couldn't be validated.

\n " - }, { - "shape" : "InternalServerErrorException", - "documentation" : "\n

There was an unexpected internal server error. Retrying your request might resolve the issue.

\n " - }, { - "shape" : "ForbiddenException", - "documentation" : "\n

Access forbidden. Check your credentials and then retry your request.

\n " - }, { - "shape" : "NotFoundException", - "documentation" : "\n

The resource could not be found due to incorrect input. Correct the input, then retry the request.

\n " - }, { - "shape" : "ServiceUnavailableException", - "documentation" : "\n

The service cannot complete the request.

\n " - }, { - "shape" : "TooManyRequestsException", - "documentation" : "\n

The request throughput limit was exceeded.

\n " - } ], - "documentation" : "\n

Updates the security settings for the cluster. You can use this operation to specify encryption and authentication on existing clusters.

\n " - }, - "UpdateStorage" : { - "name" : "UpdateStorage", - "http" : { - "method" : "PUT", - "requestUri" : "/v1/clusters/{clusterArn}/storage", - "responseCode" : 200 - }, - "input" : { - "shape" : "UpdateStorageRequest" - }, - "output" : { - "shape" : "UpdateStorageResponse", - "documentation" : "HTTP Status Code 200: OK." - }, - "errors" : [ { - "shape" : "BadRequestException", - "documentation" : "HTTP Status Code 400: Bad request due to incorrect input. Correct your request and then retry it." - }, { - "shape" : "UnauthorizedException", - "documentation" : "HTTP Status Code 401: Unauthorized request. The provided credentials couldn't be validated." - }, { - "shape" : "InternalServerErrorException", - "documentation" : "HTTP Status Code 500: Unexpected internal server error. Retrying your request might resolve the issue." - }, { - "shape" : "ForbiddenException", - "documentation" : "HTTP Status Code 403: Access forbidden. Correct your credentials and then retry your request." - }, { - "shape" : "NotFoundException", - "documentation" : "HTTP Status Code 404: Resource not found due to incorrect input. Correct your request and then retry it." - }, { - "shape" : "ServiceUnavailableException", - "documentation" : "HTTP Status Code 503: Service Unavailable. Retrying your request in some time might resolve the issue." - }, { - "shape" : "TooManyRequestsException", - "documentation" : "HTTP Status Code 429: Limit exceeded. Resource limit reached." - } ], - "documentation" : "Updates cluster broker volume size (or) sets cluster storage mode to TIERED." - } - }, - "shapes": { - "AmazonMskCluster": { + "UpdateSecurity": { + "name": "UpdateSecurity", + "http": { + "method": "PATCH", + "requestUri": "/v1/clusters/{clusterArn}/security", + "responseCode": 200 + }, + "input": { + "shape": "UpdateSecurityRequest" + }, + "output": { + "shape": "UpdateSecurityResponse" + }, + "errors": [ + { + "shape": "BadRequestException", + "documentation": "\n

The request isn't valid because the input is incorrect. Correct your input and then submit it again.

\n " + }, + { + "shape": "UnauthorizedException", + "documentation": "\n

The request is not authorized. The provided credentials couldn't be validated.

\n " + }, + { + "shape": "InternalServerErrorException", + "documentation": "\n

There was an unexpected internal server error. Retrying your request might resolve the issue.

\n " + }, + { + "shape": "ForbiddenException", + "documentation": "\n

Access forbidden. Check your credentials and then retry your request.

\n " + }, + { + "shape": "NotFoundException", + "documentation": "\n

The resource could not be found due to incorrect input. Correct the input, then retry the request.

\n " + }, + { + "shape": "ServiceUnavailableException", + "documentation": "\n

The service cannot complete the request.

\n " + }, + { + "shape": "TooManyRequestsException", + "documentation": "\n

The request throughput limit was exceeded.

\n " + } + ], + "documentation": "\n

Updates the security settings for the cluster. You can use this operation to specify encryption and authentication on existing clusters.

\n " + }, + "UpdateStorage": { + "name": "UpdateStorage", + "http": { + "method": "PUT", + "requestUri": "/v1/clusters/{clusterArn}/storage", + "responseCode": 200 + }, + "input": { + "shape": "UpdateStorageRequest" + }, + "output": { + "shape": "UpdateStorageResponse", + "documentation": "HTTP Status Code 200: OK." + }, + "errors": [ + { + "shape": "BadRequestException", + "documentation": "HTTP Status Code 400: Bad request due to incorrect input. Correct your request and then retry it." + }, + { + "shape": "UnauthorizedException", + "documentation": "HTTP Status Code 401: Unauthorized request. The provided credentials couldn't be validated." + }, + { + "shape": "InternalServerErrorException", + "documentation": "HTTP Status Code 500: Unexpected internal server error. Retrying your request might resolve the issue." + }, + { + "shape": "ForbiddenException", + "documentation": "HTTP Status Code 403: Access forbidden. Correct your credentials and then retry your request." + }, + { + "shape": "NotFoundException", + "documentation": "HTTP Status Code 404: Resource not found due to incorrect input. Correct your request and then retry it." + }, + { + "shape": "ServiceUnavailableException", + "documentation": "HTTP Status Code 503: Service Unavailable. Retrying your request in some time might resolve the issue." + }, + { + "shape": "TooManyRequestsException", + "documentation": "HTTP Status Code 429: Limit exceeded. Resource limit reached." + } + ], + "documentation": "Updates cluster broker volume size (or) sets cluster storage mode to TIERED." + } + }, + "shapes": { + "AmazonMskCluster": { "type": "structure", "members": { "MskClusterArn": { @@ -2042,38 +2107,43 @@ } }, "documentation": "

Details of an Amazon MSK Cluster.

", - "required": ["MskClusterArn"] - }, - "BatchAssociateScramSecretRequest" : { - "type" : "structure", - "members" : { - "ClusterArn" : { - "shape" : "__string", - "location" : "uri", - "locationName" : "clusterArn", - "documentation" : "\n

The Amazon Resource Name (ARN) of the cluster to be updated.

\n " - }, - "SecretArnList" : { - "shape" : "__listOf__string", - "locationName" : "secretArnList", - "documentation" : "\n

List of AWS Secrets Manager secret ARNs.

\n " - } - }, - "documentation" : "\n

Associates sasl scram secrets to cluster.

\n ", - "required" : [ "ClusterArn", "SecretArnList" ] - }, - "BatchAssociateScramSecretResponse" : { - "type" : "structure", - "members" : { - "ClusterArn" : { - "shape" : "__string", - "locationName" : "clusterArn", - "documentation" : "\n

The Amazon Resource Name (ARN) of the cluster.

\n " - }, - "UnprocessedScramSecrets" : { - "shape" : "__listOfUnprocessedScramSecret", - "locationName" : "unprocessedScramSecrets", - "documentation" : "\n

List of errors when associating secrets to cluster.

\n " + "required": [ + "MskClusterArn" + ] + }, + "BatchAssociateScramSecretRequest": { + "type": "structure", + "members": { + "ClusterArn": { + "shape": "__string", + "location": "uri", + "locationName": "clusterArn", + "documentation": "\n

The Amazon Resource Name (ARN) of the cluster to be updated.

\n " + }, + "SecretArnList": { + "shape": "__listOf__string", + "locationName": "secretArnList", + "documentation": "\n

List of AWS Secrets Manager secret ARNs.

\n " + } + }, + "documentation": "\n

Associates sasl scram secrets to cluster.

\n ", + "required": [ + "ClusterArn", + "SecretArnList" + ] + }, + "BatchAssociateScramSecretResponse": { + "type": "structure", + "members": { + "ClusterArn": { + "shape": "__string", + "locationName": "clusterArn", + "documentation": "\n

The Amazon Resource Name (ARN) of the cluster.

\n " + }, + "UnprocessedScramSecrets": { + "shape": "__listOfUnprocessedScramSecret", + "locationName": "unprocessedScramSecrets", + "documentation": "\n

List of errors when associating secrets to cluster.

\n " } } }, @@ -2104,17 +2174,17 @@ "DEFAULT" ] }, - "BrokerCountUpdateInfo" : { - "type" : "structure", - "members" : { - "CreatedBrokerIds" : { - "shape" : "__listOf__double", - "locationName" : "createdBrokerIds", + "BrokerCountUpdateInfo": { + "type": "structure", + "members": { + "CreatedBrokerIds": { + "shape": "__listOf__double", + "locationName": "createdBrokerIds", "documentation": "\n

Kafka Broker IDs of brokers being created.

\n " }, - "DeletedBrokerIds" : { - "shape" : "__listOf__double", - "locationName" : "deletedBrokerIds", + "DeletedBrokerIds": { + "shape": "__listOf__double", + "locationName": "deletedBrokerIds", "documentation": "\n

Kafka Broker IDs of brokers being deleted.

\n " } }, @@ -2128,10 +2198,10 @@ "locationName": "kafkaBrokerNodeId", "documentation": "\n

The ID of the broker to update.

\n " }, - "ProvisionedThroughput" : { - "shape" : "ProvisionedThroughput", - "locationName" : "provisionedThroughput", - "documentation" : "\n

EBS volume provisioned throughput information.

\n " + "ProvisionedThroughput": { + "shape": "ProvisionedThroughput", + "locationName": "provisionedThroughput", + "documentation": "\n

EBS volume provisioned throughput information.

\n " }, "VolumeSizeGB": { "shape": "__integer", @@ -2189,10 +2259,10 @@ "locationName": "storageInfo", "documentation": "\n

Contains information about storage volumes attached to MSK broker nodes.

\n " }, - "ConnectivityInfo" : { - "shape" : "ConnectivityInfo", - "locationName" : "connectivityInfo", - "documentation" : "\n

Information about the broker access configuration.

\n " + "ConnectivityInfo": { + "shape": "ConnectivityInfo", + "locationName": "connectivityInfo", + "documentation": "\n

Information about the broker access configuration.

\n " }, "ZoneIds": { "shape": "__listOf__string", @@ -2263,34 +2333,34 @@ }, "documentation": "\n

Information about the current software installed on the cluster.

\n " }, - "ClientAuthentication" : { - "type" : "structure", - "members" : { - "Sasl" : { - "shape" : "Sasl", - "locationName" : "sasl", - "documentation" : "\n

Details for ClientAuthentication using SASL.

\n " + "ClientAuthentication": { + "type": "structure", + "members": { + "Sasl": { + "shape": "Sasl", + "locationName": "sasl", + "documentation": "\n

Details for ClientAuthentication using SASL.

\n " }, "Tls": { "shape": "Tls", "locationName": "tls", "documentation": "\n

Details for ClientAuthentication using TLS.

\n " }, - "Unauthenticated" : { - "shape" : "Unauthenticated", - "locationName" : "unauthenticated", + "Unauthenticated": { + "shape": "Unauthenticated", + "locationName": "unauthenticated", "documentation": "\n

Contains information about unauthenticated traffic to the cluster.

\n " } }, - "documentation" : "\n

Includes all client authentication information.

\n " + "documentation": "\n

Includes all client authentication information.

\n " }, - "VpcConnectivityClientAuthentication" : { - "type" : "structure", - "members" : { - "Sasl" : { - "shape" : "VpcConnectivitySasl", - "locationName" : "sasl", - "documentation" : "\n

SASL authentication type details for VPC connectivity.

\n " + "VpcConnectivityClientAuthentication": { + "type": "structure", + "members": { + "Sasl": { + "shape": "VpcConnectivitySasl", + "locationName": "sasl", + "documentation": "\n

SASL authentication type details for VPC connectivity.

\n " }, "Tls": { "shape": "VpcConnectivityTls", @@ -2298,18 +2368,18 @@ "documentation": "\n

TLS authentication type details for VPC connectivity.

\n " } }, - "documentation" : "\n

Includes all client authentication information for VPC connectivity.

\n " + "documentation": "\n

Includes all client authentication information for VPC connectivity.

\n " }, - "ServerlessClientAuthentication" : { - "type" : "structure", - "members" : { - "Sasl" : { - "shape" : "ServerlessSasl", - "locationName" : "sasl", - "documentation" : "\n

Details for ClientAuthentication using SASL.

\n " + "ServerlessClientAuthentication": { + "type": "structure", + "members": { + "Sasl": { + "shape": "ServerlessSasl", + "locationName": "sasl", + "documentation": "\n

Details for ClientAuthentication using SASL.

\n " } }, - "documentation" : "\n

Includes all client authentication information.

\n " + "documentation": "\n

Includes all client authentication information.

\n " }, "ClientBroker": { "type": "string", @@ -2320,19 +2390,21 @@ "PLAINTEXT" ] }, - "CloudWatchLogs" : { - "type" : "structure", - "members" : { - "Enabled" : { - "shape" : "__boolean", - "locationName" : "enabled" + "CloudWatchLogs": { + "type": "structure", + "members": { + "Enabled": { + "shape": "__boolean", + "locationName": "enabled" }, - "LogGroup" : { - "shape" : "__string", - "locationName" : "logGroup" + "LogGroup": { + "shape": "__string", + "locationName": "logGroup" } }, - "required" : [ "Enabled" ] + "required": [ + "Enabled" + ] }, "ClusterInfo": { "type": "structure", @@ -2387,10 +2459,10 @@ "locationName": "enhancedMonitoring", "documentation": "\n

Specifies which metrics are gathered for the MSK cluster. This property has the following possible values: DEFAULT, PER_BROKER, PER_TOPIC_PER_BROKER, and PER_TOPIC_PER_PARTITION. For a list of the metrics associated with each of these levels of monitoring, see Monitoring.

\n " }, - "OpenMonitoring" : { - "shape" : "OpenMonitoring", - "locationName" : "openMonitoring", - "documentation" : "\n

Settings for open monitoring using Prometheus.

\n " + "OpenMonitoring": { + "shape": "OpenMonitoring", + "locationName": "openMonitoring", + "documentation": "\n

Settings for open monitoring using Prometheus.

\n " }, "LoggingInfo": { "shape": "LoggingInfo", @@ -2406,9 +2478,9 @@ "locationName": "state", "documentation": "\n

The state of the cluster. The possible states are ACTIVE, CREATING, DELETING, FAILED, HEALING, MAINTENANCE, REBOOTING_BROKER, and UPDATING.

\n " }, - "StateInfo" : { - "shape" : "StateInfo", - "locationName" : "stateInfo" + "StateInfo": { + "shape": "StateInfo", + "locationName": "stateInfo" }, "Tags": { "shape": "__mapOf__string", @@ -2420,15 +2492,15 @@ "locationName": "zookeeperConnectString", "documentation": "\n

The connection string to use to connect to the Apache ZooKeeper cluster.

\n " }, - "ZookeeperConnectStringTls" : { - "shape" : "__string", - "locationName" : "zookeeperConnectStringTls", - "documentation" : "\n

The connection string to use to connect to zookeeper cluster on Tls port.

\n " + "ZookeeperConnectStringTls": { + "shape": "__string", + "locationName": "zookeeperConnectStringTls", + "documentation": "\n

The connection string to use to connect to zookeeper cluster on Tls port.

\n " }, - "StorageMode" : { - "shape" : "StorageMode", - "locationName" : "storageMode", - "documentation" : "\n

This controls storage mode for supported storage tiers.

\n " + "StorageMode": { + "shape": "StorageMode", + "locationName": "storageMode", + "documentation": "\n

This controls storage mode for supported storage tiers.

\n " }, "CustomerActionStatus": { "shape": "CustomerActionStatus", @@ -2476,9 +2548,9 @@ "locationName": "state", "documentation": "\n

The state of the cluster. The possible states are ACTIVE, CREATING, DELETING, FAILED, HEALING, MAINTENANCE, REBOOTING_BROKER, and UPDATING.

\n " }, - "StateInfo" : { - "shape" : "StateInfo", - "locationName" : "stateInfo", + "StateInfo": { + "shape": "StateInfo", + "locationName": "stateInfo", "documentation": "\n

State Info for the Amazon MSK cluster.

\n " }, "Tags": { @@ -2537,10 +2609,10 @@ "locationName": "operationState", "documentation": "\n

State of the cluster operation.

\n " }, - "OperationSteps" : { - "shape" : "__listOfClusterOperationStep", - "locationName" : "operationSteps", - "documentation" : "\n

Steps completed during the operation.

\n " + "OperationSteps": { + "shape": "__listOfClusterOperationStep", + "locationName": "operationSteps", + "documentation": "\n

Steps completed during the operation.

\n " }, "OperationType": { "shape": "__string", @@ -2565,32 +2637,32 @@ }, "documentation": "\n

Returns information about a cluster operation.

\n " }, - "ClusterOperationStep" : { - "type" : "structure", - "members" : { - "StepInfo" : { - "shape" : "ClusterOperationStepInfo", - "locationName" : "stepInfo", - "documentation" : "\n

Information about the step and its status.

\n " + "ClusterOperationStep": { + "type": "structure", + "members": { + "StepInfo": { + "shape": "ClusterOperationStepInfo", + "locationName": "stepInfo", + "documentation": "\n

Information about the step and its status.

\n " }, - "StepName" : { - "shape" : "__string", - "locationName" : "stepName", - "documentation" : "\n

The name of the step.

\n " + "StepName": { + "shape": "__string", + "locationName": "stepName", + "documentation": "\n

The name of the step.

\n " } }, - "documentation" : "\n

Step taken during a cluster operation.

\n " + "documentation": "\n

Step taken during a cluster operation.

\n " }, - "ClusterOperationStepInfo" : { - "type" : "structure", - "members" : { - "StepStatus" : { - "shape" : "__string", - "locationName" : "stepStatus", - "documentation" : "\n

The steps current status.

\n " + "ClusterOperationStepInfo": { + "type": "structure", + "members": { + "StepStatus": { + "shape": "__string", + "locationName": "stepStatus", + "documentation": "\n

The steps current status.

\n " } }, - "documentation" : "\n

State information about the operation step.

\n " + "documentation": "\n

State information about the operation step.

\n " }, "ClusterState": { "type": "string", @@ -2615,9 +2687,9 @@ ] }, "ProvisionedRequest": { - "type" : "structure", + "type": "structure", "documentation": "\n

Provisioned cluster request.

\n ", - "members" : { + "members": { "BrokerNodeGroupInfo": { "shape": "BrokerNodeGroupInfo", "locationName": "brokerNodeGroupInfo", @@ -2643,10 +2715,10 @@ "locationName": "enhancedMonitoring", "documentation": "\n

Specifies the level of monitoring for the MSK cluster. The possible values are DEFAULT, PER_BROKER, PER_TOPIC_PER_BROKER, and PER_TOPIC_PER_PARTITION.

\n " }, - "OpenMonitoring" : { - "shape" : "OpenMonitoringInfo", - "locationName" : "openMonitoring", - "documentation" : "\n

The settings for open monitoring.

\n " + "OpenMonitoring": { + "shape": "OpenMonitoringInfo", + "locationName": "openMonitoring", + "documentation": "\n

The settings for open monitoring.

\n " }, "KafkaVersion": { "shape": "__stringMin1Max128", @@ -2663,10 +2735,10 @@ "locationName": "numberOfBrokerNodes", "documentation": "\n

The number of broker nodes in the cluster.

\n " }, - "StorageMode" : { - "shape" : "StorageMode", - "locationName" : "storageMode", - "documentation" : "\n

This controls storage mode for supported storage tiers.

\n " + "StorageMode": { + "shape": "StorageMode", + "locationName": "storageMode", + "documentation": "\n

This controls storage mode for supported storage tiers.

\n " } }, "required": [ @@ -2676,9 +2748,9 @@ ] }, "Provisioned": { - "type" : "structure", + "type": "structure", "documentation": "\n

Provisioned cluster.

\n ", - "members" : { + "members": { "BrokerNodeGroupInfo": { "shape": "BrokerNodeGroupInfo", "locationName": "brokerNodeGroupInfo", @@ -2704,10 +2776,10 @@ "locationName": "enhancedMonitoring", "documentation": "\n

Specifies the level of monitoring for the MSK cluster. The possible values are DEFAULT, PER_BROKER, PER_TOPIC_PER_BROKER, and PER_TOPIC_PER_PARTITION.

\n " }, - "OpenMonitoring" : { - "shape" : "OpenMonitoringInfo", - "locationName" : "openMonitoring", - "documentation" : "\n

The settings for open monitoring.

\n " + "OpenMonitoring": { + "shape": "OpenMonitoringInfo", + "locationName": "openMonitoring", + "documentation": "\n

The settings for open monitoring.

\n " }, "LoggingInfo": { "shape": "LoggingInfo", @@ -2724,15 +2796,15 @@ "locationName": "zookeeperConnectString", "documentation": "\n

The connection string to use to connect to the Apache ZooKeeper cluster.

\n " }, - "ZookeeperConnectStringTls" : { - "shape" : "__string", - "locationName" : "zookeeperConnectStringTls", - "documentation" : "\n

The connection string to use to connect to the Apache ZooKeeper cluster on a TLS port.

\n " + "ZookeeperConnectStringTls": { + "shape": "__string", + "locationName": "zookeeperConnectStringTls", + "documentation": "\n

The connection string to use to connect to the Apache ZooKeeper cluster on a TLS port.

\n " }, - "StorageMode" : { - "shape" : "StorageMode", - "locationName" : "storageMode", - "documentation" : "\n

This controls storage mode for supported storage tiers.

\n " + "StorageMode": { + "shape": "StorageMode", + "locationName": "storageMode", + "documentation": "\n

This controls storage mode for supported storage tiers.

\n " }, "CustomerActionStatus": { "shape": "CustomerActionStatus", @@ -2746,18 +2818,18 @@ ] }, "VpcConfig": { - "type" : "structure", + "type": "structure", "documentation": "\n

The configuration of the Amazon VPCs for the cluster.

\n ", "members": { "SubnetIds": { "shape": "__listOf__string", "locationName": "subnetIds", - "documentation" : "\n

The IDs of the subnets associated with the cluster.

\n " + "documentation": "\n

The IDs of the subnets associated with the cluster.

\n " }, "SecurityGroupIds": { "shape": "__listOf__string", "locationName": "securityGroupIds", - "documentation" : "\n

The IDs of the security groups associated with the cluster.

\n " + "documentation": "\n

The IDs of the security groups associated with the cluster.

\n " } }, "required": [ @@ -2765,9 +2837,9 @@ ] }, "ServerlessRequest": { - "type" : "structure", + "type": "structure", "documentation": "\n

Serverless cluster request.

\n ", - "members" : { + "members": { "VpcConfigs": { "shape": "__listOfVpcConfig", "locationName": "vpcConfigs", @@ -2784,9 +2856,9 @@ ] }, "Serverless": { - "type" : "structure", + "type": "structure", "documentation": "\n

Serverless cluster.

\n ", - "members" : { + "members": { "VpcConfigs": { "shape": "__listOfVpcConfig", "locationName": "vpcConfigs", @@ -2810,7 +2882,6 @@ "shape": "__string", "locationName": "authentication", "documentation": "\n

Information about the auth scheme of Vpc Connection.

\n " - }, "CreationTime": { "shape": "__timestampIso8601", @@ -2831,7 +2902,6 @@ "shape": "__string", "locationName": "owner", "documentation": "\n

The Owner of the Vpc Connection.

\n " - } }, "required": [ @@ -2878,17 +2948,17 @@ "TargetClusterArn" ] }, - "CompatibleKafkaVersion" : { - "type" : "structure", - "members" : { - "SourceVersion" : { - "shape" : "__string", - "locationName" : "sourceVersion", + "CompatibleKafkaVersion": { + "type": "structure", + "members": { + "SourceVersion": { + "shape": "__string", + "locationName": "sourceVersion", "documentation": "\n

An Apache Kafka version.

\n " }, - "TargetVersions" : { - "shape" : "__listOf__string", - "locationName" : "targetVersions", + "TargetVersions": { + "shape": "__listOf__string", + "locationName": "targetVersions", "documentation": "\n

A list of Apache Kafka versions.

\n " } }, @@ -3018,7 +3088,7 @@ "httpStatusCode": 409 } }, - "ConnectivityInfo" : { + "ConnectivityInfo": { "type": "structure", "members": { "PublicAccess": { @@ -3048,18 +3118,20 @@ "documentation": "

List of regular expression patterns indicating the consumer groups to copy.

" }, "DetectAndCopyNewConsumerGroups": { - "shape": "__boolean", - "locationName": "detectAndCopyNewConsumerGroups", - "documentation": "

Enables synchronization of consumer groups to target cluster.

" + "shape": "__boolean", + "locationName": "detectAndCopyNewConsumerGroups", + "documentation": "

Enables synchronization of consumer groups to target cluster.

" }, "SynchroniseConsumerGroupOffsets": { "shape": "__boolean", "locationName": "synchroniseConsumerGroupOffsets", "documentation": "

Enables synchronization of consumer group offsets to target cluster. The translated offsets will be written to topic __consumer_offsets.

" - } - }, - "documentation": "

Details about consumer group replication.

", - "required": ["ConsumerGroupsToReplicate"] + } + }, + "documentation": "

Details about consumer group replication.

", + "required": [ + "ConsumerGroupsToReplicate" + ] }, "ConsumerGroupReplicationUpdate": { "type": "structure", @@ -3086,7 +3158,12 @@ } }, "documentation": "

Details about consumer group replication.

", - "required": ["ConsumerGroupsToReplicate", "ConsumerGroupsToExclude", "SynchroniseConsumerGroupOffsets", "DetectAndCopyNewConsumerGroups"] + "required": [ + "ConsumerGroupsToReplicate", + "ConsumerGroupsToExclude", + "SynchroniseConsumerGroupOffsets", + "DetectAndCopyNewConsumerGroups" + ] }, "CreateClusterV2Request": { "type": "structure", @@ -3149,10 +3226,10 @@ "locationName": "enhancedMonitoring", "documentation": "\n

Specifies the level of monitoring for the MSK cluster. The possible values are DEFAULT, PER_BROKER, PER_TOPIC_PER_BROKER, and PER_TOPIC_PER_PARTITION.

\n " }, - "OpenMonitoring" : { - "shape" : "OpenMonitoringInfo", - "locationName" : "openMonitoring", - "documentation" : "\n

The settings for open monitoring.

\n " + "OpenMonitoring": { + "shape": "OpenMonitoringInfo", + "locationName": "openMonitoring", + "documentation": "\n

The settings for open monitoring.

\n " }, "KafkaVersion": { "shape": "__stringMin1Max128", @@ -3173,10 +3250,10 @@ "locationName": "tags", "documentation": "\n

Create tags when creating the cluster.

\n " }, - "StorageMode" : { - "shape" : "StorageMode", - "locationName" : "storageMode", - "documentation" : "\n

This controls storage mode for supported storage tiers.

\n " + "StorageMode": { + "shape": "StorageMode", + "locationName": "storageMode", + "documentation": "\n

This controls storage mode for supported storage tiers.

\n " } }, "required": [ @@ -3325,7 +3402,12 @@ } }, "documentation": "

Creates a replicator using the specified configuration.

", - "required": ["ServiceExecutionRoleArn", "ReplicatorName", "ReplicationInfoList", "KafkaClusters"] + "required": [ + "ServiceExecutionRoleArn", + "ReplicatorName", + "ReplicationInfoList", + "KafkaClusters" + ] }, "CreateReplicatorResponse": { "type": "structure", @@ -3401,7 +3483,6 @@ "shape": "VpcConnectionState", "locationName": "state", "documentation": "\n

The State of Vpc Connection.

\n " - }, "Authentication": { "shape": "__string", @@ -3435,139 +3516,139 @@ } } }, - "ClusterOperationV2" : { - "type" : "structure", - "members" : { - "ClusterArn" : { - "shape" : "__string", - "locationName" : "clusterArn", - "documentation" : "\n

ARN of the cluster.

" - }, - "ClusterType" : { - "shape" : "ClusterType", - "locationName" : "clusterType", - "documentation" : "\n

Type of the backend cluster.

" - }, - "StartTime" : { - "shape" : "__timestampIso8601", - "locationName" : "startTime", - "documentation" : "\n

The time at which operation was started.

" - }, - "EndTime" : { - "shape" : "__timestampIso8601", - "locationName" : "endTime", - "documentation" : "\n

The time at which the operation finished.

" - }, - "ErrorInfo" : { - "shape" : "ErrorInfo", - "locationName" : "errorInfo", - "documentation" : "\n

If cluster operation failed from an error, it describes the error.

" - }, - "OperationArn" : { - "shape" : "__string", - "locationName" : "operationArn", - "documentation" : "\n

ARN of the cluster operation.

" - }, - "OperationState" : { - "shape" : "__string", - "locationName" : "operationState", - "documentation" : "\n

State of the cluster operation.

" - }, - "OperationType" : { - "shape" : "__string", - "locationName" : "operationType", - "documentation" : "\n

Type of the cluster operation.

" - }, - "Provisioned" : { - "shape" : "ClusterOperationV2Provisioned", - "locationName" : "provisioned", - "documentation" : "\n

Properties of a provisioned cluster.

" - }, - "Serverless" : { - "shape" : "ClusterOperationV2Serverless", - "locationName" : "serverless", - "documentation" : "\n

Properties of a serverless cluster.

" - } - }, - "documentation" : "\n

Returns information about a cluster operation.

" - }, - "ClusterOperationV2Provisioned" : { - "type" : "structure", - "members" : { - "OperationSteps" : { - "shape" : "__listOfClusterOperationStep", - "locationName" : "operationSteps", - "documentation" : "\n

Steps completed during the operation.

" - }, - "SourceClusterInfo" : { - "shape" : "MutableClusterInfo", - "locationName" : "sourceClusterInfo", - "documentation" : "\n

Information about cluster attributes before a cluster is updated.

" - }, - "TargetClusterInfo" : { - "shape" : "MutableClusterInfo", - "locationName" : "targetClusterInfo", - "documentation" : "\n

Information about cluster attributes after a cluster is updated.

" - }, - "VpcConnectionInfo" : { - "shape" : "VpcConnectionInfo", - "locationName" : "vpcConnectionInfo", - "documentation" : "\n

Description of the VPC connection for CreateVpcConnection and DeleteVpcConnection operations.

" - } - }, - "documentation" : "\n

Returns information about a provisioned cluster operation.

" - }, - "ClusterOperationV2Serverless" : { - "type" : "structure", - "members" : { - "VpcConnectionInfo" : { - "shape" : "VpcConnectionInfoServerless", - "locationName" : "vpcConnectionInfo", - "documentation" : "\n

Description of the VPC connection for CreateVpcConnection and DeleteVpcConnection operations.

" - } - }, - "documentation" : "\n

Returns information about a serverless cluster operation.

" - }, - "ClusterOperationV2Summary" : { - "type" : "structure", - "members" : { - "ClusterArn" : { - "shape" : "__string", - "locationName" : "clusterArn", - "documentation" : "\n

ARN of the cluster.

" - }, - "ClusterType" : { - "shape" : "ClusterType", - "locationName" : "clusterType", - "documentation" : "\n

Type of the backend cluster.

" - }, - "StartTime" : { - "shape" : "__timestampIso8601", - "locationName" : "startTime", - "documentation" : "\n

The time at which operation was started.

" - }, - "EndTime" : { - "shape" : "__timestampIso8601", - "locationName" : "endTime", - "documentation" : "\n

The time at which the operation finished.

" - }, - "OperationArn" : { - "shape" : "__string", - "locationName" : "operationArn", - "documentation" : "\n

ARN of the cluster operation.

" - }, - "OperationState" : { - "shape" : "__string", - "locationName" : "operationState", - "documentation" : "\n

State of the cluster operation.

" - }, - "OperationType" : { - "shape" : "__string", - "locationName" : "operationType", - "documentation" : "\n

Type of the cluster operation.

" - } + "ClusterOperationV2": { + "type": "structure", + "members": { + "ClusterArn": { + "shape": "__string", + "locationName": "clusterArn", + "documentation": "\n

ARN of the cluster.

" + }, + "ClusterType": { + "shape": "ClusterType", + "locationName": "clusterType", + "documentation": "\n

Type of the backend cluster.

" + }, + "StartTime": { + "shape": "__timestampIso8601", + "locationName": "startTime", + "documentation": "\n

The time at which operation was started.

" + }, + "EndTime": { + "shape": "__timestampIso8601", + "locationName": "endTime", + "documentation": "\n

The time at which the operation finished.

" + }, + "ErrorInfo": { + "shape": "ErrorInfo", + "locationName": "errorInfo", + "documentation": "\n

If cluster operation failed from an error, it describes the error.

" + }, + "OperationArn": { + "shape": "__string", + "locationName": "operationArn", + "documentation": "\n

ARN of the cluster operation.

" + }, + "OperationState": { + "shape": "__string", + "locationName": "operationState", + "documentation": "\n

State of the cluster operation.

" + }, + "OperationType": { + "shape": "__string", + "locationName": "operationType", + "documentation": "\n

Type of the cluster operation.

" + }, + "Provisioned": { + "shape": "ClusterOperationV2Provisioned", + "locationName": "provisioned", + "documentation": "\n

Properties of a provisioned cluster.

" + }, + "Serverless": { + "shape": "ClusterOperationV2Serverless", + "locationName": "serverless", + "documentation": "\n

Properties of a serverless cluster.

" + } + }, + "documentation": "\n

Returns information about a cluster operation.

" + }, + "ClusterOperationV2Provisioned": { + "type": "structure", + "members": { + "OperationSteps": { + "shape": "__listOfClusterOperationStep", + "locationName": "operationSteps", + "documentation": "\n

Steps completed during the operation.

" + }, + "SourceClusterInfo": { + "shape": "MutableClusterInfo", + "locationName": "sourceClusterInfo", + "documentation": "\n

Information about cluster attributes before a cluster is updated.

" + }, + "TargetClusterInfo": { + "shape": "MutableClusterInfo", + "locationName": "targetClusterInfo", + "documentation": "\n

Information about cluster attributes after a cluster is updated.

" + }, + "VpcConnectionInfo": { + "shape": "VpcConnectionInfo", + "locationName": "vpcConnectionInfo", + "documentation": "\n

Description of the VPC connection for CreateVpcConnection and DeleteVpcConnection operations.

" + } + }, + "documentation": "\n

Returns information about a provisioned cluster operation.

" + }, + "ClusterOperationV2Serverless": { + "type": "structure", + "members": { + "VpcConnectionInfo": { + "shape": "VpcConnectionInfoServerless", + "locationName": "vpcConnectionInfo", + "documentation": "\n

Description of the VPC connection for CreateVpcConnection and DeleteVpcConnection operations.

" + } + }, + "documentation": "\n

Returns information about a serverless cluster operation.

" + }, + "ClusterOperationV2Summary": { + "type": "structure", + "members": { + "ClusterArn": { + "shape": "__string", + "locationName": "clusterArn", + "documentation": "\n

ARN of the cluster.

" + }, + "ClusterType": { + "shape": "ClusterType", + "locationName": "clusterType", + "documentation": "\n

Type of the backend cluster.

" + }, + "StartTime": { + "shape": "__timestampIso8601", + "locationName": "startTime", + "documentation": "\n

The time at which operation was started.

" + }, + "EndTime": { + "shape": "__timestampIso8601", + "locationName": "endTime", + "documentation": "\n

The time at which the operation finished.

" + }, + "OperationArn": { + "shape": "__string", + "locationName": "operationArn", + "documentation": "\n

ARN of the cluster operation.

" + }, + "OperationState": { + "shape": "__string", + "locationName": "operationState", + "documentation": "\n

State of the cluster operation.

" + }, + "OperationType": { + "shape": "__string", + "locationName": "operationType", + "documentation": "\n

Type of the cluster operation.

" + } }, - "documentation" : "\n

Returns information about a cluster operation.

" + "documentation": "\n

Returns information about a cluster operation.

" }, "ControllerNodeInfo": { "type": "structure", @@ -3583,7 +3664,11 @@ "CustomerActionStatus": { "type": "string", "documentation": "\n

A type of an action required from the customer.

", - "enum": [ "CRITICAL_ACTION_REQUIRED", "ACTION_RECOMMENDED", "NONE" ] + "enum": [ + "CRITICAL_ACTION_REQUIRED", + "ACTION_RECOMMENDED", + "NONE" + ] }, "DeleteClusterRequest": { "type": "structure", @@ -3684,7 +3769,9 @@ "documentation": "

The Amazon Resource Name (ARN) of the replicator to be deleted.

" } }, - "required": ["ReplicatorArn"] + "required": [ + "ReplicatorArn" + ] }, "DeleteReplicatorResponse": { "type": "structure", @@ -3744,17 +3831,19 @@ "ClusterOperationArn" ] }, - "DescribeClusterOperationV2Request" : { - "type" : "structure", - "members" : { - "ClusterOperationArn" : { - "shape" : "__string", - "location" : "uri", - "locationName" : "clusterOperationArn", - "documentation" : "ARN of the cluster operation to describe." + "DescribeClusterOperationV2Request": { + "type": "structure", + "members": { + "ClusterOperationArn": { + "shape": "__string", + "location": "uri", + "locationName": "clusterOperationArn", + "documentation": "ARN of the cluster operation to describe." } }, - "required" : [ "ClusterOperationArn" ] + "required": [ + "ClusterOperationArn" + ] }, "DescribeClusterOperationResponse": { "type": "structure", @@ -3766,13 +3855,13 @@ } } }, - "DescribeClusterOperationV2Response" : { - "type" : "structure", - "members" : { - "ClusterOperationInfo" : { - "shape" : "ClusterOperationV2", - "locationName" : "clusterOperationInfo", - "documentation" : "\n

Cluster operation information

" + "DescribeClusterOperationV2Response": { + "type": "structure", + "members": { + "ClusterOperationInfo": { + "shape": "ClusterOperationV2", + "locationName": "clusterOperationInfo", + "documentation": "\n

Cluster operation information

" } } }, @@ -3953,7 +4042,9 @@ "documentation": "

The Amazon Resource Name (ARN) of the replicator to be described.

" } }, - "required": ["ReplicatorArn"] + "required": [ + "ReplicatorArn" + ] }, "DescribeReplicatorResponse": { "type": "structure", @@ -4057,19 +4148,16 @@ "shape": "__listOf__string", "locationName": "subnets", "documentation": "\n

The list of subnets for the VPC connection.

\n " - }, "SecurityGroups": { "shape": "__listOf__string", "locationName": "securityGroups", "documentation": "\n

The list of security groups for the VPC connection.

\n " - }, "CreationTime": { "shape": "__timestampIso8601", "locationName": "creationTime", "documentation": "\n

The creation time of the VPC connection.

\n " - }, "Tags": { "shape": "__mapOf__string", @@ -4078,46 +4166,49 @@ } } }, - "BatchDisassociateScramSecretRequest" : { - "type" : "structure", - "members" : { - "ClusterArn" : { - "shape" : "__string", - "location" : "uri", - "locationName" : "clusterArn", - "documentation" : "\n

The Amazon Resource Name (ARN) of the cluster to be updated.

\n " - }, - "SecretArnList" : { - "shape" : "__listOf__string", - "locationName" : "secretArnList", - "documentation" : "\n

List of AWS Secrets Manager secret ARNs.

\n " - } - }, - "documentation" : "\n

Disassociates sasl scram secrets to cluster.

\n ", - "required" : [ "ClusterArn", "SecretArnList" ] - }, - "BatchDisassociateScramSecretResponse" : { - "type" : "structure", - "members" : { - "ClusterArn" : { - "shape" : "__string", - "locationName" : "clusterArn", - "documentation" : "\n

The Amazon Resource Name (ARN) of the cluster.

\n " - }, - "UnprocessedScramSecrets" : { - "shape" : "__listOfUnprocessedScramSecret", - "locationName" : "unprocessedScramSecrets", - "documentation" : "\n

List of errors when disassociating secrets to cluster.

\n " + "BatchDisassociateScramSecretRequest": { + "type": "structure", + "members": { + "ClusterArn": { + "shape": "__string", + "location": "uri", + "locationName": "clusterArn", + "documentation": "\n

The Amazon Resource Name (ARN) of the cluster to be updated.

\n " + }, + "SecretArnList": { + "shape": "__listOf__string", + "locationName": "secretArnList", + "documentation": "\n

List of AWS Secrets Manager secret ARNs.

\n " + } + }, + "documentation": "\n

Disassociates sasl scram secrets to cluster.

\n ", + "required": [ + "ClusterArn", + "SecretArnList" + ] + }, + "BatchDisassociateScramSecretResponse": { + "type": "structure", + "members": { + "ClusterArn": { + "shape": "__string", + "locationName": "clusterArn", + "documentation": "\n

The Amazon Resource Name (ARN) of the cluster.

\n " + }, + "UnprocessedScramSecrets": { + "shape": "__listOfUnprocessedScramSecret", + "locationName": "unprocessedScramSecrets", + "documentation": "\n

List of errors when disassociating secrets to cluster.

\n " } } }, "EBSStorageInfo": { "type": "structure", "members": { - "ProvisionedThroughput" : { - "shape" : "ProvisionedThroughput", - "locationName" : "provisionedThroughput", - "documentation" : "\n

EBS volume provisioned throughput information.

\n " + "ProvisionedThroughput": { + "shape": "ProvisionedThroughput", + "locationName": "provisionedThroughput", + "documentation": "\n

EBS volume provisioned throughput information.

\n " }, "VolumeSize": { "shape": "__integerMin1Max16384", @@ -4215,19 +4306,21 @@ }, "documentation": "\n

Returns information about an error state of the cluster.

\n " }, - "Firehose" : { - "type" : "structure", - "members" : { - "DeliveryStream" : { - "shape" : "__string", - "locationName" : "deliveryStream" + "Firehose": { + "type": "structure", + "members": { + "DeliveryStream": { + "shape": "__string", + "locationName": "deliveryStream" }, - "Enabled" : { - "shape" : "__boolean", - "locationName" : "enabled" + "Enabled": { + "shape": "__boolean", + "locationName": "enabled" } }, - "required" : [ "Enabled" ] + "required": [ + "Enabled" + ] }, "ForbiddenException": { "type": "structure", @@ -4318,23 +4411,23 @@ } } }, - "GetCompatibleKafkaVersionsRequest" : { - "type" : "structure", - "members" : { - "ClusterArn" : { - "shape" : "__string", - "location" : "querystring", - "locationName" : "clusterArn", + "GetCompatibleKafkaVersionsRequest": { + "type": "structure", + "members": { + "ClusterArn": { + "shape": "__string", + "location": "querystring", + "locationName": "clusterArn", "documentation": "\n

The Amazon Resource Name (ARN) of the cluster check.

\n " } } }, - "GetCompatibleKafkaVersionsResponse" : { - "type" : "structure", - "members" : { - "CompatibleKafkaVersions" : { - "shape" : "__listOfCompatibleKafkaVersion", - "locationName" : "compatibleKafkaVersions", + "GetCompatibleKafkaVersionsResponse": { + "type": "structure", + "members": { + "CompatibleKafkaVersions": { + "shape": "__listOfCompatibleKafkaVersion", + "locationName": "compatibleKafkaVersions", "documentation": "\n

A list of CompatibleKafkaVersion objects.

\n " } } @@ -4365,7 +4458,6 @@ "shape": "__string", "locationName": "policy", "documentation": "\n

The cluster policy.

\n " - } } }, @@ -4404,24 +4496,29 @@ } }, "documentation": "

Information about Kafka Cluster to be used as source / target for replication.

", - "required": ["VpcConfig", "AmazonMskCluster"] + "required": [ + "VpcConfig", + "AmazonMskCluster" + ] }, - "KafkaClusterClientVpcConfig" : { - "type" : "structure", - "members" : { - "SecurityGroupIds" : { - "shape" : "__listOf__string", - "locationName" : "securityGroupIds", - "documentation" : "

The security groups to attach to the ENIs for the broker nodes.

" + "KafkaClusterClientVpcConfig": { + "type": "structure", + "members": { + "SecurityGroupIds": { + "shape": "__listOf__string", + "locationName": "securityGroupIds", + "documentation": "

The security groups to attach to the ENIs for the broker nodes.

" }, - "SubnetIds" : { - "shape" : "__listOf__string", - "locationName" : "subnetIds", - "documentation" : "

The list of subnets in the client VPC to connect to.

" + "SubnetIds": { + "shape": "__listOf__string", + "locationName": "subnetIds", + "documentation": "

The list of subnets in the client VPC to connect to.

" } }, - "documentation" : "

Details of an Amazon VPC which has network connectivity to the Apache Kafka cluster.

", - "required" : [ "SubnetIds" ] + "documentation": "

Details of an Amazon VPC which has network connectivity to the Apache Kafka cluster.

", + "required": [ + "SubnetIds" + ] }, "KafkaClusterDescription": { "type": "structure", @@ -4506,29 +4603,31 @@ "ClusterArn" ] }, - "ListClusterOperationsV2Request" : { - "type" : "structure", - "members" : { - "ClusterArn" : { - "shape" : "__string", - "location" : "uri", - "locationName" : "clusterArn", - "documentation" : "The arn of the cluster whose operations are being requested." + "ListClusterOperationsV2Request": { + "type": "structure", + "members": { + "ClusterArn": { + "shape": "__string", + "location": "uri", + "locationName": "clusterArn", + "documentation": "The arn of the cluster whose operations are being requested." }, - "MaxResults" : { - "shape" : "MaxResults", - "location" : "querystring", - "locationName" : "maxResults", - "documentation" : "The maxResults of the query." + "MaxResults": { + "shape": "MaxResults", + "location": "querystring", + "locationName": "maxResults", + "documentation": "The maxResults of the query." }, - "NextToken" : { - "shape" : "__string", - "location" : "querystring", - "locationName" : "nextToken", - "documentation" : "The nextToken of the query." + "NextToken": { + "shape": "__string", + "location": "querystring", + "locationName": "nextToken", + "documentation": "The nextToken of the query." } }, - "required" : [ "ClusterArn" ] + "required": [ + "ClusterArn" + ] }, "ListClusterOperationsResponse": { "type": "structure", @@ -4545,18 +4644,18 @@ } } }, - "ListClusterOperationsV2Response" : { - "type" : "structure", - "members" : { - "ClusterOperationInfoList" : { - "shape" : "__listOfClusterOperationV2Summary", - "locationName" : "clusterOperationInfoList", - "documentation" : "\n

An array of cluster operation information objects.

" + "ListClusterOperationsV2Response": { + "type": "structure", + "members": { + "ClusterOperationInfoList": { + "shape": "__listOfClusterOperationV2Summary", + "locationName": "clusterOperationInfoList", + "documentation": "\n

An array of cluster operation information objects.

" }, - "NextToken" : { - "shape" : "__string", - "locationName" : "nextToken", - "documentation" : "\n

If the response of ListClusterOperationsV2 is truncated, it returns a NextToken in the response. This NextToken should be sent in the subsequent request to ListClusterOperationsV2.

" + "NextToken": { + "shape": "__string", + "locationName": "nextToken", + "documentation": "\n

If the response of ListClusterOperationsV2 is truncated, it returns a NextToken in the response. This NextToken should be sent in the subsequent request to ListClusterOperationsV2.

" } } }, @@ -4824,42 +4923,44 @@ } } }, - "ListScramSecretsRequest" : { - "type" : "structure", - "members" : { - "ClusterArn" : { - "shape" : "__string", - "location" : "uri", - "locationName" : "clusterArn", - "documentation" : "\n

The arn of the cluster.

\n " - }, - "MaxResults" : { - "shape" : "MaxResults", - "location" : "querystring", - "locationName" : "maxResults", - "documentation" : "\n

The maxResults of the query.

\n " - }, - "NextToken" : { - "shape" : "__string", - "location" : "querystring", - "locationName" : "nextToken", - "documentation" : "\n

The nextToken of the query.

\n " - } - }, - "required" : [ "ClusterArn" ] - }, - "ListScramSecretsResponse" : { - "type" : "structure", - "members" : { - "NextToken" : { - "shape" : "__string", - "locationName" : "nextToken", - "documentation" : "\n

Paginated results marker.

\n " - }, - "SecretArnList" : { - "shape" : "__listOf__string", - "locationName" : "secretArnList", - "documentation" : "\n

The list of scram secrets associated with the cluster.

\n " + "ListScramSecretsRequest": { + "type": "structure", + "members": { + "ClusterArn": { + "shape": "__string", + "location": "uri", + "locationName": "clusterArn", + "documentation": "\n

The arn of the cluster.

\n " + }, + "MaxResults": { + "shape": "MaxResults", + "location": "querystring", + "locationName": "maxResults", + "documentation": "\n

The maxResults of the query.

\n " + }, + "NextToken": { + "shape": "__string", + "location": "querystring", + "locationName": "nextToken", + "documentation": "\n

The nextToken of the query.

\n " + } + }, + "required": [ + "ClusterArn" + ] + }, + "ListScramSecretsResponse": { + "type": "structure", + "members": { + "NextToken": { + "shape": "__string", + "locationName": "nextToken", + "documentation": "\n

Paginated results marker.

\n " + }, + "SecretArnList": { + "shape": "__listOf__string", + "locationName": "secretArnList", + "documentation": "\n

The list of scram secrets associated with the cluster.

\n " } } }, @@ -4890,11 +4991,11 @@ "ListClientVpcConnectionsRequest": { "type": "structure", "members": { - "ClusterArn" : { - "shape" : "__string", - "location" : "uri", - "locationName" : "clusterArn", - "documentation" : "\n

The Amazon Resource Name (ARN) of the cluster.

\n " + "ClusterArn": { + "shape": "__string", + "location": "uri", + "locationName": "clusterArn", + "documentation": "\n

The Amazon Resource Name (ARN) of the cluster.

\n " }, "MaxResults": { "shape": "MaxResults", @@ -4909,14 +5010,16 @@ "documentation": "\n

The paginated results marker. When the result of the operation is truncated, the call returns NextToken in the response. \n To get the next batch, provide this token in your next request.

\n " } }, - "required": [ "ClusterArn" ] + "required": [ + "ClusterArn" + ] }, "ListClientVpcConnectionsResponse": { "type": "structure", "members": { - "ClientVpcConnections" : { - "shape" : "__listOfClientVpcConnection", - "locationName" : "clientVpcConnections", + "ClientVpcConnections": { + "shape": "__listOfClientVpcConnection", + "locationName": "clientVpcConnections", "documentation": "\n

List of client VPC connections.

\n " }, "NextToken": { @@ -4946,9 +5049,9 @@ "ListVpcConnectionsResponse": { "type": "structure", "members": { - "VpcConnections" : { - "shape" : "__listOfVpcConnection", - "locationName" : "vpcConnections", + "VpcConnections": { + "shape": "__listOfVpcConnection", + "locationName": "vpcConnections", "documentation": "\n

List of VPC connections.

\n " }, "NextToken": { @@ -4958,14 +5061,14 @@ } } }, - "RejectClientVpcConnectionRequest" : { - "type" : "structure", - "members" : { + "RejectClientVpcConnectionRequest": { + "type": "structure", + "members": { "ClusterArn": { "shape": "__string", "location": "uri", "locationName": "clusterArn", - "documentation" : "\n

The Amazon Resource Name (ARN) of the cluster.

\n " + "documentation": "\n

The Amazon Resource Name (ARN) of the cluster.

\n " }, "VpcConnectionArn": { "shape": "__string", @@ -4973,9 +5076,12 @@ "documentation": "\n

The VPC connection ARN.

\n " } }, - "required" : [ "VpcConnectionArn", "ClusterArn" ] + "required": [ + "VpcConnectionArn", + "ClusterArn" + ] }, - "RejectClientVpcConnectionResponse" : { + "RejectClientVpcConnectionResponse": { "type": "structure", "members": { } @@ -4993,7 +5099,9 @@ "locationName": "brokerLogs" } }, - "required": [ "BrokerLogs" ] + "required": [ + "BrokerLogs" + ] }, "MutableClusterInfo": { "type": "structure", @@ -5013,189 +5121,201 @@ "locationName": "numberOfBrokerNodes", "documentation": "\n

The number of broker nodes in the cluster.

\n " }, - "EnhancedMonitoring" : { - "shape" : "EnhancedMonitoring", - "locationName" : "enhancedMonitoring", - "documentation" : "\n

Specifies which Apache Kafka metrics Amazon MSK gathers and sends to Amazon CloudWatch for this cluster.

\n " + "EnhancedMonitoring": { + "shape": "EnhancedMonitoring", + "locationName": "enhancedMonitoring", + "documentation": "\n

Specifies which Apache Kafka metrics Amazon MSK gathers and sends to Amazon CloudWatch for this cluster.

\n " }, - "OpenMonitoring" : { - "shape" : "OpenMonitoring", - "locationName" : "openMonitoring", - "documentation" : "\n

The settings for open monitoring.

\n " + "OpenMonitoring": { + "shape": "OpenMonitoring", + "locationName": "openMonitoring", + "documentation": "\n

The settings for open monitoring.

\n " }, - "KafkaVersion" : { - "shape" : "__string", - "locationName" : "kafkaVersion", - "documentation" : "\n

The Apache Kafka version.

\n " + "KafkaVersion": { + "shape": "__string", + "locationName": "kafkaVersion", + "documentation": "\n

The Apache Kafka version.

\n " }, "LoggingInfo": { "shape": "LoggingInfo", "locationName": "loggingInfo", - "documentation" : "\n

You can configure your MSK cluster to send broker logs to different destination types. This is a container for the configuration details related to broker logs.

\n " + "documentation": "\n

You can configure your MSK cluster to send broker logs to different destination types. This is a container for the configuration details related to broker logs.

\n " }, "InstanceType": { - "shape" : "__stringMin5Max32", - "locationName" : "instanceType", - "documentation" : "\n

Information about the Amazon MSK broker type.

\n " + "shape": "__stringMin5Max32", + "locationName": "instanceType", + "documentation": "\n

Information about the Amazon MSK broker type.

\n " }, - "ClientAuthentication" : { - "shape" : "ClientAuthentication", - "locationName" : "clientAuthentication", + "ClientAuthentication": { + "shape": "ClientAuthentication", + "locationName": "clientAuthentication", "documentation": "\n

Includes all client authentication information.

\n " }, - "EncryptionInfo" : { - "shape" : "EncryptionInfo", - "locationName" : "encryptionInfo", + "EncryptionInfo": { + "shape": "EncryptionInfo", + "locationName": "encryptionInfo", "documentation": "\n

Includes all encryption-related information.

\n " }, - "ConnectivityInfo" : { - "shape" : "ConnectivityInfo", - "locationName" : "connectivityInfo", - "documentation" : "\n

Information about the broker access configuration.

\n " + "ConnectivityInfo": { + "shape": "ConnectivityInfo", + "locationName": "connectivityInfo", + "documentation": "\n

Information about the broker access configuration.

\n " }, - "StorageMode" : { - "shape" : "StorageMode", - "locationName" : "storageMode", - "documentation" : "\n

This controls storage mode for supported storage tiers.

\n " + "StorageMode": { + "shape": "StorageMode", + "locationName": "storageMode", + "documentation": "\n

This controls storage mode for supported storage tiers.

\n " }, - "BrokerCountUpdateInfo" : { + "BrokerCountUpdateInfo": { "shape": "BrokerCountUpdateInfo", - "locationName" : "brokerCountUpdateInfo", - "documentation" : "\n

Describes brokers being changed during a broker count update.

\n " + "locationName": "brokerCountUpdateInfo", + "documentation": "\n

Describes brokers being changed during a broker count update.

\n " } }, "documentation": "\n

Information about cluster attributes that can be updated via update APIs.

\n " }, - "NodeExporter" : { - "type" : "structure", - "members" : { - "EnabledInBroker" : { - "shape" : "__boolean", - "locationName" : "enabledInBroker", - "documentation" : "\n

Indicates whether you want to turn on or turn off the Node Exporter.

\n " + "NodeExporter": { + "type": "structure", + "members": { + "EnabledInBroker": { + "shape": "__boolean", + "locationName": "enabledInBroker", + "documentation": "\n

Indicates whether you want to turn on or turn off the Node Exporter.

\n " } }, - "documentation" : "\n

Indicates whether you want to turn on or turn off the Node Exporter.

\n ", - "required" : [ "EnabledInBroker" ] + "documentation": "\n

Indicates whether you want to turn on or turn off the Node Exporter.

\n ", + "required": [ + "EnabledInBroker" + ] }, - "NodeExporterInfo" : { - "type" : "structure", - "members" : { - "EnabledInBroker" : { - "shape" : "__boolean", - "locationName" : "enabledInBroker", - "documentation" : "\n

Indicates whether you want to turn on or turn off the Node Exporter.

\n " + "NodeExporterInfo": { + "type": "structure", + "members": { + "EnabledInBroker": { + "shape": "__boolean", + "locationName": "enabledInBroker", + "documentation": "\n

Indicates whether you want to turn on or turn off the Node Exporter.

\n " } }, - "documentation" : "\n

Indicates whether you want to turn on or turn off the Node Exporter.

\n ", - "required" : [ "EnabledInBroker" ] + "documentation": "\n

Indicates whether you want to turn on or turn off the Node Exporter.

\n ", + "required": [ + "EnabledInBroker" + ] }, - "JmxExporter" : { - "type" : "structure", - "members" : { - "EnabledInBroker" : { - "shape" : "__boolean", - "locationName" : "enabledInBroker", - "documentation" : "\n

Indicates whether you want to turn on or turn off the JMX Exporter.

\n " + "JmxExporter": { + "type": "structure", + "members": { + "EnabledInBroker": { + "shape": "__boolean", + "locationName": "enabledInBroker", + "documentation": "\n

Indicates whether you want to turn on or turn off the JMX Exporter.

\n " } }, - "documentation" : "\n

Indicates whether you want to turn on or turn off the JMX Exporter.

\n ", - "required" : [ "EnabledInBroker" ] + "documentation": "\n

Indicates whether you want to turn on or turn off the JMX Exporter.

\n ", + "required": [ + "EnabledInBroker" + ] }, - "JmxExporterInfo" : { - "type" : "structure", - "members" : { - "EnabledInBroker" : { - "shape" : "__boolean", - "locationName" : "enabledInBroker", - "documentation" : "\n

Indicates whether you want to turn on or turn off the JMX Exporter.

\n " + "JmxExporterInfo": { + "type": "structure", + "members": { + "EnabledInBroker": { + "shape": "__boolean", + "locationName": "enabledInBroker", + "documentation": "\n

Indicates whether you want to turn on or turn off the JMX Exporter.

\n " } }, - "documentation" : "\n

Indicates whether you want to turn on or turn off the JMX Exporter.

\n ", - "required" : [ "EnabledInBroker" ] + "documentation": "\n

Indicates whether you want to turn on or turn off the JMX Exporter.

\n ", + "required": [ + "EnabledInBroker" + ] }, - "OpenMonitoring" : { - "type" : "structure", - "members" : { - "Prometheus" : { - "shape" : "Prometheus", - "locationName" : "prometheus", - "documentation" : "\n

Prometheus settings.

\n " + "OpenMonitoring": { + "type": "structure", + "members": { + "Prometheus": { + "shape": "Prometheus", + "locationName": "prometheus", + "documentation": "\n

Prometheus settings.

\n " } }, - "documentation" : "\n

JMX and Node monitoring for the MSK cluster.

\n ", - "required" : [ "Prometheus" ] + "documentation": "\n

JMX and Node monitoring for the MSK cluster.

\n ", + "required": [ + "Prometheus" + ] }, - "OpenMonitoringInfo" : { - "type" : "structure", - "members" : { - "Prometheus" : { - "shape" : "PrometheusInfo", - "locationName" : "prometheus", - "documentation" : "\n

Prometheus settings.

\n " + "OpenMonitoringInfo": { + "type": "structure", + "members": { + "Prometheus": { + "shape": "PrometheusInfo", + "locationName": "prometheus", + "documentation": "\n

Prometheus settings.

\n " } }, - "documentation" : "\n

JMX and Node monitoring for the MSK cluster.

\n ", - "required" : [ "Prometheus" ] + "documentation": "\n

JMX and Node monitoring for the MSK cluster.

\n ", + "required": [ + "Prometheus" + ] }, - "Prometheus" : { - "type" : "structure", - "members" : { - "JmxExporter" : { - "shape" : "JmxExporter", - "locationName" : "jmxExporter", - "documentation" : "\n

Indicates whether you want to turn on or turn off the JMX Exporter.

\n " + "Prometheus": { + "type": "structure", + "members": { + "JmxExporter": { + "shape": "JmxExporter", + "locationName": "jmxExporter", + "documentation": "\n

Indicates whether you want to turn on or turn off the JMX Exporter.

\n " }, - "NodeExporter" : { - "shape" : "NodeExporter", - "locationName" : "nodeExporter", - "documentation" : "\n

Indicates whether you want to turn on or turn off the Node Exporter.

\n " + "NodeExporter": { + "shape": "NodeExporter", + "locationName": "nodeExporter", + "documentation": "\n

Indicates whether you want to turn on or turn off the Node Exporter.

\n " } }, - "documentation" : "\n

Prometheus settings.

\n " + "documentation": "\n

Prometheus settings.

\n " }, - "PrometheusInfo" : { - "type" : "structure", - "members" : { - "JmxExporter" : { - "shape" : "JmxExporterInfo", - "locationName" : "jmxExporter", - "documentation" : "\n

Indicates whether you want to turn on or turn off the JMX Exporter.

\n " + "PrometheusInfo": { + "type": "structure", + "members": { + "JmxExporter": { + "shape": "JmxExporterInfo", + "locationName": "jmxExporter", + "documentation": "\n

Indicates whether you want to turn on or turn off the JMX Exporter.

\n " }, - "NodeExporter" : { - "shape" : "NodeExporterInfo", - "locationName" : "nodeExporter", - "documentation" : "\n

Indicates whether you want to turn on or turn off the Node Exporter.

\n " + "NodeExporter": { + "shape": "NodeExporterInfo", + "locationName": "nodeExporter", + "documentation": "\n

Indicates whether you want to turn on or turn off the Node Exporter.

\n " } }, - "documentation" : "\n

Prometheus settings.

\n " + "documentation": "\n

Prometheus settings.

\n " }, - "ProvisionedThroughput" : { - "type" : "structure", - "members" : { - "Enabled" : { - "shape" : "__boolean", - "locationName" : "enabled", - "documentation" : "\n

Provisioned throughput is enabled or not.

\n " + "ProvisionedThroughput": { + "type": "structure", + "members": { + "Enabled": { + "shape": "__boolean", + "locationName": "enabled", + "documentation": "\n

Provisioned throughput is enabled or not.

\n " }, - "VolumeThroughput" : { - "shape" : "__integer", - "locationName" : "volumeThroughput", - "documentation" : "\n

Throughput value of the EBS volumes for the data drive on each kafka broker node in MiB per second.

\n " + "VolumeThroughput": { + "shape": "__integer", + "locationName": "volumeThroughput", + "documentation": "\n

Throughput value of the EBS volumes for the data drive on each kafka broker node in MiB per second.

\n " } }, - "documentation" : "\n

Contains information about provisioned throughput for EBS storage volumes attached to kafka broker nodes.

\n " + "documentation": "\n

Contains information about provisioned throughput for EBS storage volumes attached to kafka broker nodes.

\n " }, - "PublicAccess" : { - "type" : "structure", - "members" : { - "Type" : { - "shape" : "__string", - "locationName" : "type", - "documentation" : "\n

The value DISABLED indicates that public access is turned off. SERVICE_PROVIDED_EIPS indicates that public access is turned on.

\n " + "PublicAccess": { + "type": "structure", + "members": { + "Type": { + "shape": "__string", + "locationName": "type", + "documentation": "\n

The value DISABLED indicates that public access is turned off. SERVICE_PROVIDED_EIPS indicates that public access is turned on.

\n " } }, - "documentation" : "Public access control for brokers." + "documentation": "Public access control for brokers." }, "PutClusterPolicyRequest": { "type": "structure", @@ -5204,18 +5324,17 @@ "shape": "__string", "location": "uri", "locationName": "clusterArn", - "documentation" : "\n

The Amazon Resource Name (ARN) of the cluster.

\n " + "documentation": "\n

The Amazon Resource Name (ARN) of the cluster.

\n " }, "CurrentVersion": { "shape": "__string", "locationName": "currentVersion", - "documentation" : "\n

The policy version.

\n " + "documentation": "\n

The policy version.

\n " }, "Policy": { "shape": "__string", "locationName": "policy", - "documentation" : "\n

The policy.

\n " - + "documentation": "\n

The policy.

\n " } }, "required": [ @@ -5229,147 +5348,152 @@ "CurrentVersion": { "shape": "__string", "locationName": "currentVersion", - "documentation" : "\n

The policy version.

\n " + "documentation": "\n

The policy version.

\n " } } }, - "RebootBrokerRequest" : { - "type" : "structure", - "members" : { - "BrokerIds" : { - "shape" : "__listOf__string", - "locationName" : "brokerIds", - "documentation" : "\n

The list of broker IDs to be rebooted. The reboot-broker operation supports rebooting one broker at a time.

\n " - }, - "ClusterArn" : { - "shape" : "__string", - "location" : "uri", - "locationName" : "clusterArn", - "documentation" : "\n

The Amazon Resource Name (ARN) of the cluster to be updated.

\n " - } - }, - "documentation" : "Reboots a node.", - "required" : [ "ClusterArn", "BrokerIds" ] - }, - "RebootBrokerResponse" : { - "type" : "structure", - "members" : { - "ClusterArn" : { - "shape" : "__string", - "locationName" : "clusterArn", - "documentation" : "\n

The Amazon Resource Name (ARN) of the cluster.

\n " - }, - "ClusterOperationArn" : { - "shape" : "__string", - "locationName" : "clusterOperationArn", - "documentation" : "\n

The Amazon Resource Name (ARN) of the cluster operation.

\n " + "RebootBrokerRequest": { + "type": "structure", + "members": { + "BrokerIds": { + "shape": "__listOf__string", + "locationName": "brokerIds", + "documentation": "\n

The list of broker IDs to be rebooted. The reboot-broker operation supports rebooting one broker at a time.

\n " + }, + "ClusterArn": { + "shape": "__string", + "location": "uri", + "locationName": "clusterArn", + "documentation": "\n

The Amazon Resource Name (ARN) of the cluster to be updated.

\n " + } + }, + "documentation": "Reboots a node.", + "required": [ + "ClusterArn", + "BrokerIds" + ] + }, + "RebootBrokerResponse": { + "type": "structure", + "members": { + "ClusterArn": { + "shape": "__string", + "locationName": "clusterArn", + "documentation": "\n

The Amazon Resource Name (ARN) of the cluster.

\n " + }, + "ClusterOperationArn": { + "shape": "__string", + "locationName": "clusterOperationArn", + "documentation": "\n

The Amazon Resource Name (ARN) of the cluster operation.

\n " } } }, - "S3" : { - "type" : "structure", - "members" : { - "Bucket" : { - "shape" : "__string", - "locationName" : "bucket" + "S3": { + "type": "structure", + "members": { + "Bucket": { + "shape": "__string", + "locationName": "bucket" }, - "Enabled" : { - "shape" : "__boolean", - "locationName" : "enabled" + "Enabled": { + "shape": "__boolean", + "locationName": "enabled" }, - "Prefix" : { - "shape" : "__string", - "locationName" : "prefix" + "Prefix": { + "shape": "__string", + "locationName": "prefix" } }, - "required" : [ "Enabled" ] + "required": [ + "Enabled" + ] }, - "ServerlessSasl" : { - "type" : "structure", - "members" : { - "Iam" : { - "shape" : "Iam", - "locationName" : "iam", - "documentation" : "\n

Indicates whether IAM access control is enabled.

\n " + "ServerlessSasl": { + "type": "structure", + "members": { + "Iam": { + "shape": "Iam", + "locationName": "iam", + "documentation": "\n

Indicates whether IAM access control is enabled.

\n " } }, - "documentation" : "\n

Details for client authentication using SASL.

\n " + "documentation": "\n

Details for client authentication using SASL.

\n " }, - "Sasl" : { - "type" : "structure", - "members" : { - "Scram" : { - "shape" : "Scram", - "locationName" : "scram", - "documentation" : "\n

Details for SASL/SCRAM client authentication.

\n " + "Sasl": { + "type": "structure", + "members": { + "Scram": { + "shape": "Scram", + "locationName": "scram", + "documentation": "\n

Details for SASL/SCRAM client authentication.

\n " }, - "Iam" : { - "shape" : "Iam", - "locationName" : "iam", - "documentation" : "\n

Indicates whether IAM access control is enabled.

\n " + "Iam": { + "shape": "Iam", + "locationName": "iam", + "documentation": "\n

Indicates whether IAM access control is enabled.

\n " } }, - "documentation" : "\n

Details for client authentication using SASL.

\n " + "documentation": "\n

Details for client authentication using SASL.

\n " }, - "VpcConnectivitySasl" : { - "type" : "structure", - "members" : { - "Scram" : { - "shape" : "VpcConnectivityScram", - "locationName" : "scram", - "documentation" : "\n

Details for SASL/SCRAM client authentication for VPC connectivity.

\n " + "VpcConnectivitySasl": { + "type": "structure", + "members": { + "Scram": { + "shape": "VpcConnectivityScram", + "locationName": "scram", + "documentation": "\n

Details for SASL/SCRAM client authentication for VPC connectivity.

\n " }, - "Iam" : { - "shape" : "VpcConnectivityIam", - "locationName" : "iam", - "documentation" : "\n

Details for SASL/IAM client authentication for VPC connectivity.

\n " + "Iam": { + "shape": "VpcConnectivityIam", + "locationName": "iam", + "documentation": "\n

Details for SASL/IAM client authentication for VPC connectivity.

\n " } }, - "documentation" : "\n

Details for SASL client authentication for VPC connectivity.

\n " + "documentation": "\n

Details for SASL client authentication for VPC connectivity.

\n " }, - "Scram" : { - "type" : "structure", - "members" : { - "Enabled" : { - "shape" : "__boolean", - "locationName" : "enabled", - "documentation" : "\n

SASL/SCRAM authentication is enabled or not.

\n " + "Scram": { + "type": "structure", + "members": { + "Enabled": { + "shape": "__boolean", + "locationName": "enabled", + "documentation": "\n

SASL/SCRAM authentication is enabled or not.

\n " } }, - "documentation" : "\n

Details for SASL/SCRAM client authentication.

\n " + "documentation": "\n

Details for SASL/SCRAM client authentication.

\n " }, - "VpcConnectivityScram" : { - "type" : "structure", - "members" : { - "Enabled" : { - "shape" : "__boolean", - "locationName" : "enabled", - "documentation" : "\n

SASL/SCRAM authentication is on or off for VPC connectivity.

\n " + "VpcConnectivityScram": { + "type": "structure", + "members": { + "Enabled": { + "shape": "__boolean", + "locationName": "enabled", + "documentation": "\n

SASL/SCRAM authentication is on or off for VPC connectivity.

\n " } }, - "documentation" : "\n

Details for SASL/SCRAM client authentication for VPC connectivity.

\n " + "documentation": "\n

Details for SASL/SCRAM client authentication for VPC connectivity.

\n " }, - "Iam" : { - "type" : "structure", - "members" : { - "Enabled" : { - "shape" : "__boolean", - "locationName" : "enabled", - "documentation" : "\n

Indicates whether IAM access control is enabled.

\n " + "Iam": { + "type": "structure", + "members": { + "Enabled": { + "shape": "__boolean", + "locationName": "enabled", + "documentation": "\n

Indicates whether IAM access control is enabled.

\n " } }, - "documentation" : "\n

Details for IAM access control.

\n " + "documentation": "\n

Details for IAM access control.

\n " }, - "VpcConnectivityIam" : { - "type" : "structure", - "members" : { - "Enabled" : { - "shape" : "__boolean", - "locationName" : "enabled", - "documentation" : "\n

SASL/IAM authentication is on or off for VPC connectivity.

\n " + "VpcConnectivityIam": { + "type": "structure", + "members": { + "Enabled": { + "shape": "__boolean", + "locationName": "enabled", + "documentation": "\n

SASL/IAM authentication is on or off for VPC connectivity.

\n " } }, - "documentation" : "\n

Details for IAM access control for VPC connectivity.

\n " + "documentation": "\n

Details for IAM access control for VPC connectivity.

\n " }, "NodeInfo": { "type": "structure", @@ -5469,7 +5593,13 @@ } }, "documentation": "

Specifies configuration for replication between a source and target Kafka cluster.

", - "required": ["TargetCompressionType", "TopicReplication", "ConsumerGroupReplication", "SourceKafkaClusterArn", "TargetKafkaClusterArn"] + "required": [ + "TargetCompressionType", + "TopicReplication", + "ConsumerGroupReplication", + "SourceKafkaClusterArn", + "TargetKafkaClusterArn" + ] }, "ReplicationInfoDescription": { "type": "structure", @@ -5518,42 +5648,70 @@ }, "documentation": "

Summarized information of replication between clusters.

" }, - "ReplicationStartingPosition" : { - "type" : "structure", - "members" : { - "Type" : { - "shape" : "ReplicationStartingPositionType", - "locationName" : "type", + "ReplicationStartingPosition": { + "type": "structure", + "members": { + "Type": { + "shape": "ReplicationStartingPositionType", + "locationName": "type", "documentation": "

The type of replication starting position.

" } }, "documentation": "

Configuration for specifying the position in the topics to start replicating from.

" }, - "ReplicationStartingPositionType" : { - "type" : "string", - "enum" : [ "LATEST", "EARLIEST" ], + "ReplicationStartingPositionType": { + "type": "string", + "enum": [ + "LATEST", + "EARLIEST" + ], "documentation": "

The type of replication starting position.

" }, - "ReplicationStateInfo" : { - "type" : "structure", - "members" : { - "Code" : { - "shape" : "__string", - "locationName" : "code", - "documentation" : "Code that describes the current state of the replicator." + "ReplicationTopicNameConfiguration": { + "type": "structure", + "members": { + "Type": { + "shape": "ReplicationTopicNameConfigurationType", + "locationName": "type", + "documentation": "

The type of replicated topic name.

" + } + }, + "documentation": "

Configuration for specifying replicated topic names should be the same as their corresponding upstream topics or prefixed with source cluster alias.

" + }, + "ReplicationTopicNameConfigurationType": { + "type": "string", + "enum": [ + "PREFIXED_WITH_SOURCE_CLUSTER_ALIAS", + "IDENTICAL" + ], + "documentation": "

The type of replicated topic name.

" + }, + "ReplicationStateInfo": { + "type": "structure", + "members": { + "Code": { + "shape": "__string", + "locationName": "code", + "documentation": "Code that describes the current state of the replicator." }, - "Message" : { - "shape" : "__string", - "locationName" : "message", - "documentation" : "Message that describes the state of the replicator." + "Message": { + "shape": "__string", + "locationName": "message", + "documentation": "Message that describes the state of the replicator." } }, - "documentation" : "Details about the state of a replicator" + "documentation": "Details about the state of a replicator" }, "ReplicatorState": { "type": "string", "documentation": "

The state of a replicator.

", - "enum": ["RUNNING", "CREATING", "UPDATING", "DELETING", "FAILED"] + "enum": [ + "RUNNING", + "CREATING", + "UPDATING", + "DELETING", + "FAILED" + ] }, "ReplicatorSummary": { "type": "structure", @@ -5626,16 +5784,16 @@ "httpStatusCode": 503 } }, - "StateInfo" : { - "type" : "structure", - "members" : { - "Code" : { - "shape" : "__string", - "locationName" : "code" + "StateInfo": { + "type": "structure", + "members": { + "Code": { + "shape": "__string", + "locationName": "code" }, - "Message" : { - "shape" : "__string", - "locationName" : "message" + "Message": { + "shape": "__string", + "locationName": "message" } } }, @@ -5650,10 +5808,13 @@ }, "documentation": "\n

Contains information about storage volumes attached to MSK broker nodes.

\n " }, - "StorageMode" : { - "type" : "string", - "documentation" : "Controls storage mode for various supported storage tiers.", - "enum" : [ "LOCAL", "TIERED" ] + "StorageMode": { + "type": "string", + "documentation": "Controls storage mode for various supported storage tiers.", + "enum": [ + "LOCAL", + "TIERED" + ] }, "TagResourceRequest": { "type": "structure", @@ -5678,7 +5839,13 @@ "TargetCompressionType": { "type": "string", "documentation": "

The type of compression to use producing records to the target cluster.

", - "enum": ["NONE", "GZIP", "SNAPPY", "LZ4", "ZSTD"] + "enum": [ + "NONE", + "GZIP", + "SNAPPY", + "LZ4", + "ZSTD" + ] }, "Tls": { "type": "structure", @@ -5688,10 +5855,10 @@ "locationName": "certificateAuthorityArnList", "documentation": "\n

List of ACM Certificate Authority ARNs.

\n " }, - "Enabled" : { - "shape" : "__boolean", - "locationName" : "enabled", - "documentation" : "\n

Specifies whether you want to turn on or turn off TLS authentication.

\n " + "Enabled": { + "shape": "__boolean", + "locationName": "enabled", + "documentation": "\n

Specifies whether you want to turn on or turn off TLS authentication.

\n " } }, "documentation": "\n

Details for client authentication using TLS.

\n " @@ -5699,10 +5866,10 @@ "VpcConnectivityTls": { "type": "structure", "members": { - "Enabled" : { - "shape" : "__boolean", - "locationName" : "enabled", - "documentation" : "\n

TLS authentication is on or off for VPC connectivity.

\n " + "Enabled": { + "shape": "__boolean", + "locationName": "enabled", + "documentation": "\n

TLS authentication is on or off for VPC connectivity.

\n " } }, "documentation": "\n

Details for TLS client authentication for VPC connectivity.

\n " @@ -5745,11 +5912,16 @@ "locationName": "detectAndCopyNewTopics", "documentation": "

Whether to periodically check for new topics and partitions.

" }, - "StartingPosition" : { - "shape" : "ReplicationStartingPosition", - "locationName" : "startingPosition", + "StartingPosition": { + "shape": "ReplicationStartingPosition", + "locationName": "startingPosition", "documentation": "

Configuration for specifying the position in the topics to start replicating from.

" }, + "TopicNameConfiguration": { + "shape": "ReplicationTopicNameConfiguration", + "locationName": "topicNameConfiguration", + "documentation": "

Configuration for specifying replicated topic names should be the same as their corresponding upstream topics or prefixed with source cluster alias.

" + }, "TopicsToExclude": { "shape": "__listOf__stringMax249", "locationName": "topicsToExclude", @@ -5762,7 +5934,9 @@ } }, "documentation": "

Details about topic replication.

", - "required": ["TopicsToReplicate"] + "required": [ + "TopicsToReplicate" + ] }, "TopicReplicationUpdate": { "type": "structure", @@ -5794,15 +5968,21 @@ } }, "documentation": "

Details for updating the topic replication of a replicator.

", - "required": ["TopicsToReplicate", "TopicsToExclude", "CopyTopicConfigurations", "DetectAndCopyNewTopics", "CopyAccessControlListsForTopics"] + "required": [ + "TopicsToReplicate", + "TopicsToExclude", + "CopyTopicConfigurations", + "DetectAndCopyNewTopics", + "CopyAccessControlListsForTopics" + ] }, - "Unauthenticated" : { - "type" : "structure", - "members" : { - "Enabled" : { - "shape" : "__boolean", - "locationName" : "enabled", - "documentation" : "\n

Specifies whether you want to turn on or turn off unauthenticated traffic to your cluster.

\n " + "Unauthenticated": { + "type": "structure", + "members": { + "Enabled": { + "shape": "__boolean", + "locationName": "enabled", + "documentation": "\n

Specifies whether you want to turn on or turn off unauthenticated traffic to your cluster.

\n " } } }, @@ -5826,26 +6006,26 @@ "httpStatusCode": 401 } }, - "UnprocessedScramSecret" : { - "type" : "structure", - "members" : { - "ErrorCode" : { - "shape" : "__string", - "locationName" : "errorCode", - "documentation" : "\n

Error code for associate/disassociate failure.

\n " + "UnprocessedScramSecret": { + "type": "structure", + "members": { + "ErrorCode": { + "shape": "__string", + "locationName": "errorCode", + "documentation": "\n

Error code for associate/disassociate failure.

\n " }, - "ErrorMessage" : { - "shape" : "__string", - "locationName" : "errorMessage", - "documentation" : "\n

Error message for associate/disassociate failure.

\n " + "ErrorMessage": { + "shape": "__string", + "locationName": "errorMessage", + "documentation": "\n

Error message for associate/disassociate failure.

\n " }, - "SecretArn" : { - "shape" : "__string", - "locationName" : "secretArn", - "documentation" : "\n

AWS Secrets Manager secret ARN.

\n " + "SecretArn": { + "shape": "__string", + "locationName": "secretArn", + "documentation": "\n

AWS Secrets Manager secret ARN.

\n " } }, - "documentation" : "\n

Error info for scram secret associate/disassociate failure.

\n " + "documentation": "\n

Error info for scram secret associate/disassociate failure.

\n " }, "UntagResourceRequest": { "type": "structure", @@ -6032,92 +6212,99 @@ } } }, - "UpdateClusterKafkaVersionRequest" : { - "type" : "structure", - "members" : { - "ClusterArn" : { - "shape" : "__string", - "location" : "uri", - "locationName" : "clusterArn", - "documentation" : "\n

The Amazon Resource Name (ARN) of the cluster to be updated.

\n " - }, - "ConfigurationInfo" : { - "shape" : "ConfigurationInfo", - "locationName" : "configurationInfo", + "UpdateClusterKafkaVersionRequest": { + "type": "structure", + "members": { + "ClusterArn": { + "shape": "__string", + "location": "uri", + "locationName": "clusterArn", + "documentation": "\n

The Amazon Resource Name (ARN) of the cluster to be updated.

\n " + }, + "ConfigurationInfo": { + "shape": "ConfigurationInfo", + "locationName": "configurationInfo", "documentation": "\n

The custom configuration that should be applied on the new version of cluster.

\n " }, - "CurrentVersion" : { - "shape" : "__string", - "locationName" : "currentVersion", + "CurrentVersion": { + "shape": "__string", + "locationName": "currentVersion", "documentation": "\n

Current cluster version.

\n " }, - "TargetKafkaVersion" : { - "shape" : "__string", - "locationName" : "targetKafkaVersion" - ,"documentation": "\n

Target Kafka version.

\n " + "TargetKafkaVersion": { + "shape": "__string", + "locationName": "targetKafkaVersion", + "documentation": "\n

Target Kafka version.

\n " } }, - "required" : [ "ClusterArn", "TargetKafkaVersion", "CurrentVersion" ] + "required": [ + "ClusterArn", + "TargetKafkaVersion", + "CurrentVersion" + ] }, - "UpdateClusterKafkaVersionResponse" : { - "type" : "structure", - "members" : { - "ClusterArn" : { - "shape" : "__string", - "locationName" : "clusterArn", + "UpdateClusterKafkaVersionResponse": { + "type": "structure", + "members": { + "ClusterArn": { + "shape": "__string", + "locationName": "clusterArn", "documentation": "\n

The Amazon Resource Name (ARN) of the cluster.

\n " }, - "ClusterOperationArn" : { - "shape" : "__string", - "locationName" : "clusterOperationArn", + "ClusterOperationArn": { + "shape": "__string", + "locationName": "clusterOperationArn", "documentation": "\n

The Amazon Resource Name (ARN) of the cluster operation.

\n " } } }, - "UpdateMonitoringRequest" : { - "type" : "structure", - "members" : { - "ClusterArn" : { - "shape" : "__string", - "location" : "uri", - "locationName" : "clusterArn", - "documentation" : "\n

The Amazon Resource Name (ARN) that uniquely identifies the cluster.

\n " - }, - "CurrentVersion" : { - "shape" : "__string", - "locationName" : "currentVersion", - "documentation" : "\n

The version of the MSK cluster to update. Cluster versions aren't simple numbers. You can describe an MSK cluster to find its version. When this update operation is successful, it generates a new cluster version.

\n " - }, - "EnhancedMonitoring" : { - "shape" : "EnhancedMonitoring", - "locationName" : "enhancedMonitoring", - "documentation" : "\n

Specifies which Apache Kafka metrics Amazon MSK gathers and sends to Amazon CloudWatch for this cluster.

\n " - }, - "OpenMonitoring" : { - "shape" : "OpenMonitoringInfo", - "locationName" : "openMonitoring", - "documentation" : "\n

The settings for open monitoring.

\n " + "UpdateMonitoringRequest": { + "type": "structure", + "members": { + "ClusterArn": { + "shape": "__string", + "location": "uri", + "locationName": "clusterArn", + "documentation": "\n

The Amazon Resource Name (ARN) that uniquely identifies the cluster.

\n " + }, + "CurrentVersion": { + "shape": "__string", + "locationName": "currentVersion", + "documentation": "\n

The version of the MSK cluster to update. Cluster versions aren't simple numbers. You can describe an MSK cluster to find its version. When this update operation is successful, it generates a new cluster version.

\n " + }, + "EnhancedMonitoring": { + "shape": "EnhancedMonitoring", + "locationName": "enhancedMonitoring", + "documentation": "\n

Specifies which Apache Kafka metrics Amazon MSK gathers and sends to Amazon CloudWatch for this cluster.

\n " + }, + "OpenMonitoring": { + "shape": "OpenMonitoringInfo", + "locationName": "openMonitoring", + "documentation": "\n

The settings for open monitoring.

\n " }, "LoggingInfo": { "shape": "LoggingInfo", "locationName": "loggingInfo" } }, - "documentation" : "Request body for UpdateMonitoring.", - "required" : [ "ClusterArn", "CurrentVersion" ] + "documentation": "Request body for UpdateMonitoring.", + "required": [ + "ClusterArn", + "CurrentVersion" + ] }, - "UpdateMonitoringResponse" : { - "type" : "structure", - "members" : { - "ClusterArn" : { - "shape" : "__string", - "locationName" : "clusterArn", - "documentation" : "\n

The Amazon Resource Name (ARN) of the cluster.

\n " + "UpdateMonitoringResponse": { + "type": "structure", + "members": { + "ClusterArn": { + "shape": "__string", + "locationName": "clusterArn", + "documentation": "\n

The Amazon Resource Name (ARN) of the cluster.

\n " }, - "ClusterOperationArn" : { - "shape" : "__string", - "locationName" : "clusterOperationArn", - "documentation" : "\n

The Amazon Resource Name (ARN) of the cluster operation.

\n " + "ClusterOperationArn": { + "shape": "__string", + "locationName": "clusterOperationArn", + "documentation": "\n

The Amazon Resource Name (ARN) of the cluster operation.

\n " } } }, @@ -6157,7 +6344,12 @@ } }, "documentation": "

Update information relating to replication between a given source and target Kafka cluster.

", - "required": ["ReplicatorArn", "SourceKafkaClusterArn", "CurrentVersion", "TargetKafkaClusterArn"] + "required": [ + "ReplicatorArn", + "SourceKafkaClusterArn", + "CurrentVersion", + "TargetKafkaClusterArn" + ] }, "UpdateReplicationInfoResponse": { "type": "structure", @@ -6174,93 +6366,99 @@ } } }, - "UpdateSecurityRequest" : { - "type" : "structure", - "members" : { - "ClientAuthentication" : { - "shape" : "ClientAuthentication", - "locationName" : "clientAuthentication", - "documentation" : "\n

Includes all client authentication related information.

\n " - }, - "ClusterArn" : { - "shape" : "__string", - "location" : "uri", - "locationName" : "clusterArn", - "documentation" : "\n

The Amazon Resource Name (ARN) that uniquely identifies the cluster.

\n " - }, - "CurrentVersion" : { - "shape" : "__string", - "locationName" : "currentVersion", - "documentation" : "\n

The version of the MSK cluster to update. Cluster versions aren't simple numbers. You can describe an MSK cluster to find its version. When this update operation is successful, it generates a new cluster version.

\n " - }, - "EncryptionInfo" : { - "shape" : "EncryptionInfo", - "locationName" : "encryptionInfo", - "documentation" : "\n

Includes all encryption-related information.

\n " - } - }, - "required" : [ "ClusterArn", "CurrentVersion" ] - }, - "UpdateSecurityResponse" : { - "type" : "structure", - "members" : { - "ClusterArn" : { - "shape" : "__string", - "locationName" : "clusterArn", - "documentation" : "\n

The Amazon Resource Name (ARN) of the cluster.

\n " - }, - "ClusterOperationArn" : { - "shape" : "__string", - "locationName" : "clusterOperationArn", - "documentation" : "\n

The Amazon Resource Name (ARN) of the cluster operation.

\n " + "UpdateSecurityRequest": { + "type": "structure", + "members": { + "ClientAuthentication": { + "shape": "ClientAuthentication", + "locationName": "clientAuthentication", + "documentation": "\n

Includes all client authentication related information.

\n " + }, + "ClusterArn": { + "shape": "__string", + "location": "uri", + "locationName": "clusterArn", + "documentation": "\n

The Amazon Resource Name (ARN) that uniquely identifies the cluster.

\n " + }, + "CurrentVersion": { + "shape": "__string", + "locationName": "currentVersion", + "documentation": "\n

The version of the MSK cluster to update. Cluster versions aren't simple numbers. You can describe an MSK cluster to find its version. When this update operation is successful, it generates a new cluster version.

\n " + }, + "EncryptionInfo": { + "shape": "EncryptionInfo", + "locationName": "encryptionInfo", + "documentation": "\n

Includes all encryption-related information.

\n " + } + }, + "required": [ + "ClusterArn", + "CurrentVersion" + ] + }, + "UpdateSecurityResponse": { + "type": "structure", + "members": { + "ClusterArn": { + "shape": "__string", + "locationName": "clusterArn", + "documentation": "\n

The Amazon Resource Name (ARN) of the cluster.

\n " + }, + "ClusterOperationArn": { + "shape": "__string", + "locationName": "clusterOperationArn", + "documentation": "\n

The Amazon Resource Name (ARN) of the cluster operation.

\n " } } }, - "UpdateStorageRequest" : { - "type" : "structure", - "members" : { - "ClusterArn" : { - "shape" : "__string", - "location" : "uri", - "locationName" : "clusterArn", - "documentation" : "\n

The Amazon Resource Name (ARN) of the cluster to be updated.

\n " - }, - "CurrentVersion" : { - "shape" : "__string", - "locationName" : "currentVersion", - "documentation" : "\n

The version of cluster to update from. A successful operation will then generate a new version.

\n " - }, - "ProvisionedThroughput" : { - "shape" : "ProvisionedThroughput", - "locationName" : "provisionedThroughput", - "documentation" : "\n

EBS volume provisioned throughput information.

\n " - }, - "StorageMode" : { - "shape" : "StorageMode", - "locationName" : "storageMode", - "documentation" : "\n

Controls storage mode for supported storage tiers.

\n " - }, - "VolumeSizeGB" : { - "shape" : "__integer", - "locationName" : "volumeSizeGB", - "documentation" : "\n

size of the EBS volume to update.

\n " - } - }, - "documentation" : "\n

Request object for UpdateStorage api. Its used to update the storage attributes for the cluster.

\n ", - "required" : [ "ClusterArn", "CurrentVersion" ] - }, - "UpdateStorageResponse" : { - "type" : "structure", - "members" : { - "ClusterArn" : { - "shape" : "__string", - "locationName" : "clusterArn", - "documentation" : "\n

The Amazon Resource Name (ARN) of the cluster.

\n " - }, - "ClusterOperationArn" : { - "shape" : "__string", - "locationName" : "clusterOperationArn", - "documentation" : "\n

The Amazon Resource Name (ARN) of the cluster operation.

\n " + "UpdateStorageRequest": { + "type": "structure", + "members": { + "ClusterArn": { + "shape": "__string", + "location": "uri", + "locationName": "clusterArn", + "documentation": "\n

The Amazon Resource Name (ARN) of the cluster to be updated.

\n " + }, + "CurrentVersion": { + "shape": "__string", + "locationName": "currentVersion", + "documentation": "\n

The version of cluster to update from. A successful operation will then generate a new version.

\n " + }, + "ProvisionedThroughput": { + "shape": "ProvisionedThroughput", + "locationName": "provisionedThroughput", + "documentation": "\n

EBS volume provisioned throughput information.

\n " + }, + "StorageMode": { + "shape": "StorageMode", + "locationName": "storageMode", + "documentation": "\n

Controls storage mode for supported storage tiers.

\n " + }, + "VolumeSizeGB": { + "shape": "__integer", + "locationName": "volumeSizeGB", + "documentation": "\n

size of the EBS volume to update.

\n " + } + }, + "documentation": "\n

Request object for UpdateStorage api. Its used to update the storage attributes for the cluster.

\n ", + "required": [ + "ClusterArn", + "CurrentVersion" + ] + }, + "UpdateStorageResponse": { + "type": "structure", + "members": { + "ClusterArn": { + "shape": "__string", + "locationName": "clusterArn", + "documentation": "\n

The Amazon Resource Name (ARN) of the cluster.

\n " + }, + "ClusterOperationArn": { + "shape": "__string", + "locationName": "clusterOperationArn", + "documentation": "\n

The Amazon Resource Name (ARN) of the cluster operation.

\n " } } }, @@ -6269,7 +6467,7 @@ "members": { "Arn": { "shape": "__string", - "location" : "uri", + "location": "uri", "locationName": "arn", "documentation": "\n

The Amazon Resource Name (ARN) of the configuration.

\n " }, @@ -6304,41 +6502,45 @@ } } }, - "UpdateConnectivityRequest" : { - "type" : "structure", - "members" : { - "ClusterArn" : { - "shape" : "__string", - "location" : "uri", - "locationName" : "clusterArn", + "UpdateConnectivityRequest": { + "type": "structure", + "members": { + "ClusterArn": { + "shape": "__string", + "location": "uri", + "locationName": "clusterArn", "documentation": "\n

The Amazon Resource Name (ARN) of the configuration.

\n " }, - "ConnectivityInfo" : { - "shape" : "ConnectivityInfo", - "locationName" : "connectivityInfo", - "documentation" : "\n

Information about the broker access configuration.

\n " + "ConnectivityInfo": { + "shape": "ConnectivityInfo", + "locationName": "connectivityInfo", + "documentation": "\n

Information about the broker access configuration.

\n " }, - "CurrentVersion" : { - "shape" : "__string", - "locationName" : "currentVersion", - "documentation" : "\n

The version of the MSK cluster to update. Cluster versions aren't simple numbers. You can describe an MSK cluster to find its version. When this update operation is successful, it generates a new cluster version.

\n " + "CurrentVersion": { + "shape": "__string", + "locationName": "currentVersion", + "documentation": "\n

The version of the MSK cluster to update. Cluster versions aren't simple numbers. You can describe an MSK cluster to find its version. When this update operation is successful, it generates a new cluster version.

\n " } }, - "documentation" : "Request body for UpdateConnectivity.", - "required" : [ "ClusterArn", "ConnectivityInfo", "CurrentVersion" ] + "documentation": "Request body for UpdateConnectivity.", + "required": [ + "ClusterArn", + "ConnectivityInfo", + "CurrentVersion" + ] }, - "UpdateConnectivityResponse" : { - "type" : "structure", - "members" : { - "ClusterArn" : { - "shape" : "__string", - "locationName" : "clusterArn", - "documentation" : "\n

The Amazon Resource Name (ARN) of the cluster.

\n " + "UpdateConnectivityResponse": { + "type": "structure", + "members": { + "ClusterArn": { + "shape": "__string", + "locationName": "clusterArn", + "documentation": "\n

The Amazon Resource Name (ARN) of the cluster.

\n " }, - "ClusterOperationArn" : { - "shape" : "__string", - "locationName" : "clusterOperationArn", - "documentation" : "\n

The Amazon Resource Name (ARN) of the cluster operation.

\n " + "ClusterOperationArn": { + "shape": "__string", + "locationName": "clusterOperationArn", + "documentation": "\n

The Amazon Resource Name (ARN) of the cluster operation.

\n " } } }, @@ -6348,15 +6550,15 @@ "Type": { "shape": "UserIdentityType", "locationName": "type", - "documentation" : "\n

The identity type of the requester that calls the API operation.

\n " + "documentation": "\n

The identity type of the requester that calls the API operation.

\n " }, "PrincipalId": { "shape": "__string", "locationName": "principalId", - "documentation" : "\n

A unique identifier for the requester that calls the API operation.

\n " + "documentation": "\n

A unique identifier for the requester that calls the API operation.

\n " } }, - "documentation" : "\n

Description of the requester that calls the API operation.

\n " + "documentation": "\n

Description of the requester that calls the API operation.

\n " }, "UserIdentityType": { "type": "string", @@ -6372,51 +6574,51 @@ "VpcConnectionArn": { "shape": "__string", "locationName": "vpcConnectionArn", - "documentation" : "\n

The Amazon Resource Name (ARN) of the VPC connection.

\n " + "documentation": "\n

The Amazon Resource Name (ARN) of the VPC connection.

\n " }, "Owner": { "shape": "__string", "locationName": "owner", - "documentation" : "\n

The owner of the VPC Connection.

\n " + "documentation": "\n

The owner of the VPC Connection.

\n " }, "UserIdentity": { "shape": "UserIdentity", "locationName": "userIdentity", - "documentation" : "\n

Description of the requester that calls the API operation.

\n " + "documentation": "\n

Description of the requester that calls the API operation.

\n " }, "CreationTime": { "shape": "__timestampIso8601", "locationName": "creationTime", - "documentation" : "\n

The time when Amazon MSK creates the VPC Connnection.

\n " + "documentation": "\n

The time when Amazon MSK creates the VPC Connnection.

\n " } }, "documentation": "\n

Description of the VPC connection.

\n " }, - "VpcConnectionInfoServerless" : { - "type" : "structure", - "members" : { - "CreationTime" : { - "shape" : "__timestampIso8601", - "locationName" : "creationTime", - "documentation" : "\n

The time when Amazon MSK creates the VPC Connnection.

" + "VpcConnectionInfoServerless": { + "type": "structure", + "members": { + "CreationTime": { + "shape": "__timestampIso8601", + "locationName": "creationTime", + "documentation": "\n

The time when Amazon MSK creates the VPC Connnection.

" }, - "Owner" : { - "shape" : "__string", - "locationName" : "owner", - "documentation" : "\n

The owner of the VPC Connection.

" + "Owner": { + "shape": "__string", + "locationName": "owner", + "documentation": "\n

The owner of the VPC Connection.

" }, - "UserIdentity" : { - "shape" : "UserIdentity", - "locationName" : "userIdentity", - "documentation" : "\n

Description of the requester that calls the API operation.

" + "UserIdentity": { + "shape": "UserIdentity", + "locationName": "userIdentity", + "documentation": "\n

Description of the requester that calls the API operation.

" }, - "VpcConnectionArn" : { - "shape" : "__string", - "locationName" : "vpcConnectionArn", - "documentation" : "\n

The Amazon Resource Name (ARN) of the VPC connection.

" + "VpcConnectionArn": { + "shape": "__string", + "locationName": "vpcConnectionArn", + "documentation": "\n

The Amazon Resource Name (ARN) of the VPC connection.

" } }, - "documentation" : "Description of the VPC connection." + "documentation": "Description of the VPC connection." }, "VpcConnectionState": { "type": "string", @@ -6432,16 +6634,16 @@ "REJECTING" ] }, - "VpcConnectivity" : { - "type" : "structure", - "members" : { + "VpcConnectivity": { + "type": "structure", + "members": { "ClientAuthentication": { "shape": "VpcConnectivityClientAuthentication", "locationName": "clientAuthentication", "documentation": "\n

Includes all client authentication information for VPC connectivity.

\n " } }, - "documentation" : "VPC connectivity access control for brokers." + "documentation": "VPC connectivity access control for brokers." }, "ZookeeperNodeInfo": { "type": "structure", @@ -6520,28 +6722,28 @@ "shape": "ClusterOperationInfo" } }, - "__listOfClusterOperationV2Summary" : { - "type" : "list", - "member" : { - "shape" : "ClusterOperationV2Summary" + "__listOfClusterOperationV2Summary": { + "type": "list", + "member": { + "shape": "ClusterOperationV2Summary" } }, - "__listOfClusterOperationStep" : { - "type" : "list", - "member" : { - "shape" : "ClusterOperationStep" + "__listOfClusterOperationStep": { + "type": "list", + "member": { + "shape": "ClusterOperationStep" } }, - "__listOfCompatibleKafkaVersion" : { - "type" : "list", - "member" : { - "shape" : "CompatibleKafkaVersion" + "__listOfCompatibleKafkaVersion": { + "type": "list", + "member": { + "shape": "CompatibleKafkaVersion" } }, - "__listOfVpcConfig" : { - "type" : "list", - "member" : { - "shape" : "VpcConfig" + "__listOfVpcConfig": { + "type": "list", + "member": { + "shape": "VpcConfig" } }, "__listOfConfiguration": { @@ -6622,16 +6824,16 @@ "shape": "VpcConnection" } }, - "__listOfUnprocessedScramSecret" : { - "type" : "list", - "member" : { - "shape" : "UnprocessedScramSecret" + "__listOfUnprocessedScramSecret": { + "type": "list", + "member": { + "shape": "UnprocessedScramSecret" } }, - "__listOf__double" : { - "type" : "list", - "member" : { - "shape" : "__double" + "__listOf__double": { + "type": "list", + "member": { + "shape": "__double" } }, "__listOf__string": { @@ -6710,4 +6912,4 @@ } }, "documentation": "\n

The operations for managing an Amazon MSK cluster.

\n " -} +} \ No newline at end of file From 9354a44838b0f569e32412b116fd2b95d14071c7 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Mon, 9 Sep 2024 18:11:07 +0000 Subject: [PATCH 039/108] Elastic Load Balancing Update: Add paginators for the ELBv2 DescribeListenerCertificates and DescribeRules APIs. Fix broken waiter for the ELBv2 DescribeLoadBalancers API. --- .../feature-ElasticLoadBalancing-2a097e6.json | 6 ++++++ .../main/resources/codegen-resources/paginators-1.json | 10 ++++++++++ .../main/resources/codegen-resources/waiters-2.json | 6 +++--- 3 files changed, 19 insertions(+), 3 deletions(-) create mode 100644 .changes/next-release/feature-ElasticLoadBalancing-2a097e6.json diff --git a/.changes/next-release/feature-ElasticLoadBalancing-2a097e6.json b/.changes/next-release/feature-ElasticLoadBalancing-2a097e6.json new file mode 100644 index 000000000000..197b45b1e5b1 --- /dev/null +++ b/.changes/next-release/feature-ElasticLoadBalancing-2a097e6.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Elastic Load Balancing", + "contributor": "", + "description": "Add paginators for the ELBv2 DescribeListenerCertificates and DescribeRules APIs. Fix broken waiter for the ELBv2 DescribeLoadBalancers API." +} diff --git a/services/elasticloadbalancingv2/src/main/resources/codegen-resources/paginators-1.json b/services/elasticloadbalancingv2/src/main/resources/codegen-resources/paginators-1.json index ec7152a2d29f..e6876acb2060 100644 --- a/services/elasticloadbalancingv2/src/main/resources/codegen-resources/paginators-1.json +++ b/services/elasticloadbalancingv2/src/main/resources/codegen-resources/paginators-1.json @@ -1,5 +1,10 @@ { "pagination": { + "DescribeListenerCertificates": { + "input_token": "Marker", + "output_token": "NextMarker", + "result_key": "Certificates" + }, "DescribeListeners": { "input_token": "Marker", "output_token": "NextMarker", @@ -10,6 +15,11 @@ "output_token": "NextMarker", "result_key": "LoadBalancers" }, + "DescribeRules": { + "input_token": "Marker", + "output_token": "NextMarker", + "result_key": "Rules" + }, "DescribeTargetGroups": { "input_token": "Marker", "output_token": "NextMarker", diff --git a/services/elasticloadbalancingv2/src/main/resources/codegen-resources/waiters-2.json b/services/elasticloadbalancingv2/src/main/resources/codegen-resources/waiters-2.json index 9f3d77d828fa..0a7e8afdd5ad 100644 --- a/services/elasticloadbalancingv2/src/main/resources/codegen-resources/waiters-2.json +++ b/services/elasticloadbalancingv2/src/main/resources/codegen-resources/waiters-2.json @@ -13,7 +13,7 @@ }, { "matcher": "error", - "expected": "LoadBalancerNotFound", + "expected": "LoadBalancerNotFoundException", "state": "retry" } ] @@ -38,7 +38,7 @@ { "state": "retry", "matcher": "error", - "expected": "LoadBalancerNotFound" + "expected": "LoadBalancerNotFoundException" } ] }, @@ -55,7 +55,7 @@ }, { "matcher": "error", - "expected": "LoadBalancerNotFound", + "expected": "LoadBalancerNotFoundException", "state": "success" } ] From df221782f67475fa648f2d5983838baffe279b4b Mon Sep 17 00:00:00 2001 From: AWS <> Date: Mon, 9 Sep 2024 18:11:08 +0000 Subject: [PATCH 040/108] Amazon SageMaker Runtime Update: AWS SageMaker Runtime feature: Add sticky routing to support stateful inference models. --- ...eature-AmazonSageMakerRuntime-f9351de.json | 6 +++ .../codegen-resources/service-2.json | 43 ++++++++++++++++++- 2 files changed, 48 insertions(+), 1 deletion(-) create mode 100644 .changes/next-release/feature-AmazonSageMakerRuntime-f9351de.json diff --git a/.changes/next-release/feature-AmazonSageMakerRuntime-f9351de.json b/.changes/next-release/feature-AmazonSageMakerRuntime-f9351de.json new file mode 100644 index 000000000000..df753505e9ba --- /dev/null +++ b/.changes/next-release/feature-AmazonSageMakerRuntime-f9351de.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Amazon SageMaker Runtime", + "contributor": "", + "description": "AWS SageMaker Runtime feature: Add sticky routing to support stateful inference models." +} diff --git a/services/sagemakerruntime/src/main/resources/codegen-resources/service-2.json b/services/sagemakerruntime/src/main/resources/codegen-resources/service-2.json index 55bdb9d6f106..dcb227bae296 100644 --- a/services/sagemakerruntime/src/main/resources/codegen-resources/service-2.json +++ b/services/sagemakerruntime/src/main/resources/codegen-resources/service-2.json @@ -5,11 +5,13 @@ "endpointPrefix":"runtime.sagemaker", "jsonVersion":"1.1", "protocol":"rest-json", + "protocols":["rest-json"], "serviceFullName":"Amazon SageMaker Runtime", "serviceId":"SageMaker Runtime", "signatureVersion":"v4", "signingName":"sagemaker", - "uid":"runtime.sagemaker-2017-05-13" + "uid":"runtime.sagemaker-2017-05-13", + "auth":["aws.auth#sigv4"] }, "operations":{ "InvokeEndpoint":{ @@ -296,6 +298,12 @@ "documentation":"

If the endpoint hosts one or more inference components, this parameter specifies the name of inference component to invoke.

", "location":"header", "locationName":"X-Amzn-SageMaker-Inference-Component" + }, + "SessionId":{ + "shape":"SessionIdOrNewSessionConstantHeader", + "documentation":"

Creates a stateful session or identifies an existing one. You can do one of the following:

  • Create a stateful session by specifying the value NEW_SESSION.

  • Send your request to an existing stateful session by specifying the ID of that session.

With a stateful session, you can send multiple requests to a stateful model. When you create a session with a stateful model, the model must create the session ID and set the expiration time. The model must also provide that information in the response to your request. You can get the ID and timestamp from the NewSessionId response parameter. For any subsequent request where you specify that session ID, SageMaker routes the request to the same instance that supports the session.

", + "location":"header", + "locationName":"X-Amzn-SageMaker-Session-Id" } }, "payload":"Body" @@ -325,6 +333,18 @@ "documentation":"

Provides additional information in the response about the inference returned by a model hosted at an Amazon SageMaker endpoint. The information is an opaque value that is forwarded verbatim. You could use this value, for example, to return an ID received in the CustomAttributes header of a request or other metadata that a service endpoint was programmed to produce. The value must consist of no more than 1024 visible US-ASCII characters as specified in Section 3.3.6. Field Value Components of the Hypertext Transfer Protocol (HTTP/1.1). If the customer wants the custom attribute returned, the model must set the custom attribute to be included on the way back.

The code in your model is responsible for setting or updating any custom attributes in the response. If your code does not set this value in the response, an empty value is returned. For example, if a custom attribute represents the trace ID, your model can prepend the custom attribute with Trace ID: in your post-processing function.

This feature is currently supported in the Amazon Web Services SDKs but not in the Amazon SageMaker Python SDK.

", "location":"header", "locationName":"X-Amzn-SageMaker-Custom-Attributes" + }, + "NewSessionId":{ + "shape":"NewSessionResponseHeader", + "documentation":"

If you created a stateful session with your request, the ID and expiration time that the model assigns to that session.

", + "location":"header", + "locationName":"X-Amzn-SageMaker-New-Session-Id" + }, + "ClosedSessionId":{ + "shape":"SessionIdHeader", + "documentation":"

If you closed a stateful session with your request, the ID of that session.

", + "location":"header", + "locationName":"X-Amzn-SageMaker-Closed-Session-Id" } }, "payload":"Body" @@ -387,6 +407,12 @@ "documentation":"

If the endpoint hosts one or more inference components, this parameter specifies the name of inference component to invoke for a streaming response.

", "location":"header", "locationName":"X-Amzn-SageMaker-Inference-Component" + }, + "SessionId":{ + "shape":"SessionIdHeader", + "documentation":"

The ID of a stateful session to handle your request.

You can't create a stateful session by using the InvokeEndpointWithResponseStream action. Instead, you can create one by using the InvokeEndpoint action. In your request, you specify NEW_SESSION for the SessionId request parameter. The response to that request provides the session ID for the NewSessionId response parameter.

", + "location":"header", + "locationName":"X-Amzn-SageMaker-Session-Id" } }, "payload":"Body" @@ -466,6 +492,11 @@ "exception":true, "synthetic":true }, + "NewSessionResponseHeader":{ + "type":"string", + "max":256, + "pattern":"^[a-zA-Z0-9](-*[a-zA-Z0-9])*;\\sExpires=[0-9]{4}-[0-9]{2}-[0-9]{2}T[0-9]{2}:[0-9]{2}:[0-9]{2}Z$" + }, "PartBlob":{ "type":"blob", "sensitive":true @@ -517,6 +548,16 @@ "fault":true, "synthetic":true }, + "SessionIdHeader":{ + "type":"string", + "max":256, + "pattern":"^[a-zA-Z0-9](-*[a-zA-Z0-9])*$" + }, + "SessionIdOrNewSessionConstantHeader":{ + "type":"string", + "max":256, + "pattern":"^(NEW_SESSION)$|^[a-zA-Z0-9](-*[a-zA-Z0-9])*$" + }, "StatusCode":{"type":"integer"}, "TargetContainerHostnameHeader":{ "type":"string", From 96d5aad49cce81adc38e3d79da654487d7575911 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Mon, 9 Sep 2024 18:13:14 +0000 Subject: [PATCH 041/108] Updated endpoints.json and partitions.json. --- .../feature-AWSSDKforJavav2-0443982.json | 6 ++++++ .../awssdk/regions/internal/region/endpoints.json | 12 ++++++++++++ 2 files changed, 18 insertions(+) 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 f3745188fe58..b4355eba40cf 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 @@ -1757,6 +1757,12 @@ "tags" : [ "dualstack" ] } ] }, + "eu-central-2" : { + "variants" : [ { + "hostname" : "appmesh.eu-central-2.api.aws", + "tags" : [ "dualstack" ] + } ] + }, "eu-north-1" : { "variants" : [ { "hostname" : "appmesh.eu-north-1.api.aws", @@ -1769,6 +1775,12 @@ "tags" : [ "dualstack" ] } ] }, + "eu-south-2" : { + "variants" : [ { + "hostname" : "appmesh.eu-south-2.api.aws", + "tags" : [ "dualstack" ] + } ] + }, "eu-west-1" : { "variants" : [ { "hostname" : "appmesh.eu-west-1.api.aws", From bb9320d4a06401f0761347230951140d10a7c1e9 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Mon, 9 Sep 2024 18:14:36 +0000 Subject: [PATCH 042/108] Release 2.27.22. Updated CHANGELOG.md, README.md and all pom.xml. --- .changes/2.27.22.json | 54 +++++++++++++++++++ .../bugfix-AWSSDKforJavav2-43b4d17.json | 6 --- .../feature-AWSSDKforJavav2-0443982.json | 6 --- .../feature-AmazonDynamoDB-2f7ef3b.json | 6 --- ...teractiveVideoServiceRealTime-a252f47.json | 6 --- ...eature-AmazonSageMakerRuntime-f9351de.json | 6 --- ...eature-AmazonSageMakerService-63abffa.json | 6 --- .../feature-ElasticLoadBalancing-2a097e6.json | 6 --- ...ture-ManagedStreamingforKafka-e15fac9.json | 6 --- CHANGELOG.md | 34 +++++++++++- 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/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/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/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/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/worklink/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 +- 480 files changed, 560 insertions(+), 522 deletions(-) create mode 100644 .changes/2.27.22.json delete mode 100644 .changes/next-release/bugfix-AWSSDKforJavav2-43b4d17.json delete mode 100644 .changes/next-release/feature-AWSSDKforJavav2-0443982.json delete mode 100644 .changes/next-release/feature-AmazonDynamoDB-2f7ef3b.json delete mode 100644 .changes/next-release/feature-AmazonInteractiveVideoServiceRealTime-a252f47.json delete mode 100644 .changes/next-release/feature-AmazonSageMakerRuntime-f9351de.json delete mode 100644 .changes/next-release/feature-AmazonSageMakerService-63abffa.json delete mode 100644 .changes/next-release/feature-ElasticLoadBalancing-2a097e6.json delete mode 100644 .changes/next-release/feature-ManagedStreamingforKafka-e15fac9.json diff --git a/.changes/2.27.22.json b/.changes/2.27.22.json new file mode 100644 index 000000000000..11e3b31e14af --- /dev/null +++ b/.changes/2.27.22.json @@ -0,0 +1,54 @@ +{ + "version": "2.27.22", + "date": "2024-09-09", + "entries": [ + { + "type": "bugfix", + "category": "AWS SDK for Java v2", + "contributor": "", + "description": "Removed reflect-config.json from sdk-core, as it referenced a deleted interceptor. See [#5552](https://github.com/aws/aws-sdk-java-v2/issues/5552)." + }, + { + "type": "feature", + "category": "Amazon DynamoDB", + "contributor": "", + "description": "Doc-only update for DynamoDB. Added information about async behavior for TagResource and UntagResource APIs and updated the description of ResourceInUseException." + }, + { + "type": "feature", + "category": "Amazon Interactive Video Service RealTime", + "contributor": "", + "description": "IVS Real-Time now offers customers the ability to broadcast to Stages using RTMP(S)." + }, + { + "type": "feature", + "category": "Amazon SageMaker Runtime", + "contributor": "", + "description": "AWS SageMaker Runtime feature: Add sticky routing to support stateful inference models." + }, + { + "type": "feature", + "category": "Amazon SageMaker Service", + "contributor": "", + "description": "Amazon Sagemaker supports orchestrating SageMaker HyperPod clusters with Amazon EKS" + }, + { + "type": "feature", + "category": "Elastic Load Balancing", + "contributor": "", + "description": "Add paginators for the ELBv2 DescribeListenerCertificates and DescribeRules APIs. Fix broken waiter for the ELBv2 DescribeLoadBalancers API." + }, + { + "type": "feature", + "category": "Managed Streaming for Kafka", + "contributor": "", + "description": "Amazon MSK Replicator can now replicate data to identically named topics between MSK clusters within the same AWS Region or across different AWS Regions." + }, + { + "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/bugfix-AWSSDKforJavav2-43b4d17.json b/.changes/next-release/bugfix-AWSSDKforJavav2-43b4d17.json deleted file mode 100644 index 01cbe7d2b82d..000000000000 --- a/.changes/next-release/bugfix-AWSSDKforJavav2-43b4d17.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "bugfix", - "category": "AWS SDK for Java v2", - "contributor": "", - "description": "Removed reflect-config.json from sdk-core, as it referenced a deleted interceptor. See [#5552](https://github.com/aws/aws-sdk-java-v2/issues/5552)." -} 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-AmazonDynamoDB-2f7ef3b.json b/.changes/next-release/feature-AmazonDynamoDB-2f7ef3b.json deleted file mode 100644 index 3aaa73d781d1..000000000000 --- a/.changes/next-release/feature-AmazonDynamoDB-2f7ef3b.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "Amazon DynamoDB", - "contributor": "", - "description": "Doc-only update for DynamoDB. Added information about async behavior for TagResource and UntagResource APIs and updated the description of ResourceInUseException." -} diff --git a/.changes/next-release/feature-AmazonInteractiveVideoServiceRealTime-a252f47.json b/.changes/next-release/feature-AmazonInteractiveVideoServiceRealTime-a252f47.json deleted file mode 100644 index ce92800e2f78..000000000000 --- a/.changes/next-release/feature-AmazonInteractiveVideoServiceRealTime-a252f47.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "Amazon Interactive Video Service RealTime", - "contributor": "", - "description": "IVS Real-Time now offers customers the ability to broadcast to Stages using RTMP(S)." -} diff --git a/.changes/next-release/feature-AmazonSageMakerRuntime-f9351de.json b/.changes/next-release/feature-AmazonSageMakerRuntime-f9351de.json deleted file mode 100644 index df753505e9ba..000000000000 --- a/.changes/next-release/feature-AmazonSageMakerRuntime-f9351de.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "Amazon SageMaker Runtime", - "contributor": "", - "description": "AWS SageMaker Runtime feature: Add sticky routing to support stateful inference models." -} diff --git a/.changes/next-release/feature-AmazonSageMakerService-63abffa.json b/.changes/next-release/feature-AmazonSageMakerService-63abffa.json deleted file mode 100644 index 015db71caaf2..000000000000 --- a/.changes/next-release/feature-AmazonSageMakerService-63abffa.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "Amazon SageMaker Service", - "contributor": "", - "description": "Amazon Sagemaker supports orchestrating SageMaker HyperPod clusters with Amazon EKS" -} diff --git a/.changes/next-release/feature-ElasticLoadBalancing-2a097e6.json b/.changes/next-release/feature-ElasticLoadBalancing-2a097e6.json deleted file mode 100644 index 197b45b1e5b1..000000000000 --- a/.changes/next-release/feature-ElasticLoadBalancing-2a097e6.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "Elastic Load Balancing", - "contributor": "", - "description": "Add paginators for the ELBv2 DescribeListenerCertificates and DescribeRules APIs. Fix broken waiter for the ELBv2 DescribeLoadBalancers API." -} diff --git a/.changes/next-release/feature-ManagedStreamingforKafka-e15fac9.json b/.changes/next-release/feature-ManagedStreamingforKafka-e15fac9.json deleted file mode 100644 index d668195be050..000000000000 --- a/.changes/next-release/feature-ManagedStreamingforKafka-e15fac9.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "Managed Streaming for Kafka", - "contributor": "", - "description": "Amazon MSK Replicator can now replicate data to identically named topics between MSK clusters within the same AWS Region or across different AWS Regions." -} diff --git a/CHANGELOG.md b/CHANGELOG.md index d7a948ee9e4c..e4a6e56dd4af 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,36 @@ #### 👋 _Looking for changelogs for older versions? You can find them in the [changelogs](./changelogs) directory._ +# __2.27.22__ __2024-09-09__ +## __AWS SDK for Java v2__ + - ### Features + - Updated endpoint and partition metadata. + + - ### Bugfixes + - Removed reflect-config.json from sdk-core, as it referenced a deleted interceptor. See [#5552](https://github.com/aws/aws-sdk-java-v2/issues/5552). + +## __Amazon DynamoDB__ + - ### Features + - Doc-only update for DynamoDB. Added information about async behavior for TagResource and UntagResource APIs and updated the description of ResourceInUseException. + +## __Amazon Interactive Video Service RealTime__ + - ### Features + - IVS Real-Time now offers customers the ability to broadcast to Stages using RTMP(S). + +## __Amazon SageMaker Runtime__ + - ### Features + - AWS SageMaker Runtime feature: Add sticky routing to support stateful inference models. + +## __Amazon SageMaker Service__ + - ### Features + - Amazon Sagemaker supports orchestrating SageMaker HyperPod clusters with Amazon EKS + +## __Elastic Load Balancing__ + - ### Features + - Add paginators for the ELBv2 DescribeListenerCertificates and DescribeRules APIs. Fix broken waiter for the ELBv2 DescribeLoadBalancers API. + +## __Managed Streaming for Kafka__ + - ### Features + - Amazon MSK Replicator can now replicate data to identically named topics between MSK clusters within the same AWS Region or across different AWS Regions. + # __2.27.21__ __2024-09-06__ ## __AWS SDK for Java v2__ - ### Features @@ -74,7 +106,7 @@ ## __Contributors__ Special thanks to the following contributors to this release: -[@anirudh9391](https://github.com/anirudh9391), [@shetsa-amzn](https://github.com/shetsa-amzn) +[@shetsa-amzn](https://github.com/shetsa-amzn), [@anirudh9391](https://github.com/anirudh9391) # __2.27.18__ __2024-09-03__ ## __AWS Elemental MediaLive__ - ### Features diff --git a/README.md b/README.md index a682dc93482c..6efb93339065 100644 --- a/README.md +++ b/README.md @@ -52,7 +52,7 @@ To automatically manage module versions (currently all modules have the same ver software.amazon.awssdk bom - 2.27.21 + 2.27.22 pom import @@ -86,12 +86,12 @@ Alternatively you can add dependencies for the specific services you use only: software.amazon.awssdk ec2 - 2.27.21 + 2.27.22 software.amazon.awssdk s3 - 2.27.21 + 2.27.22 ``` @@ -103,7 +103,7 @@ You can import the whole SDK into your project (includes *ALL* services). Please software.amazon.awssdk aws-sdk-java - 2.27.21 + 2.27.22 ``` diff --git a/archetypes/archetype-app-quickstart/pom.xml b/archetypes/archetype-app-quickstart/pom.xml index 5ec11fa3137a..890628879ddf 100644 --- a/archetypes/archetype-app-quickstart/pom.xml +++ b/archetypes/archetype-app-quickstart/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.22-SNAPSHOT + 2.27.22 4.0.0 diff --git a/archetypes/archetype-lambda/pom.xml b/archetypes/archetype-lambda/pom.xml index 2365e377020c..4cf747be73a8 100644 --- a/archetypes/archetype-lambda/pom.xml +++ b/archetypes/archetype-lambda/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.22-SNAPSHOT + 2.27.22 4.0.0 archetype-lambda diff --git a/archetypes/archetype-tools/pom.xml b/archetypes/archetype-tools/pom.xml index ff894f8cbca7..10f9294a8b95 100644 --- a/archetypes/archetype-tools/pom.xml +++ b/archetypes/archetype-tools/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.22-SNAPSHOT + 2.27.22 4.0.0 diff --git a/archetypes/pom.xml b/archetypes/pom.xml index 2e298927f188..c36bd9170720 100644 --- a/archetypes/pom.xml +++ b/archetypes/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.22-SNAPSHOT + 2.27.22 4.0.0 archetypes diff --git a/aws-sdk-java/pom.xml b/aws-sdk-java/pom.xml index f5afcedb51eb..3b116c25fda8 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.27.22-SNAPSHOT + 2.27.22 ../pom.xml aws-sdk-java diff --git a/bom-internal/pom.xml b/bom-internal/pom.xml index 277fadf3ea35..ac796343a164 100644 --- a/bom-internal/pom.xml +++ b/bom-internal/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.22-SNAPSHOT + 2.27.22 4.0.0 diff --git a/bom/pom.xml b/bom/pom.xml index 2df1d469f35d..c323a5a9c004 100644 --- a/bom/pom.xml +++ b/bom/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.22-SNAPSHOT + 2.27.22 ../pom.xml bom diff --git a/bundle-logging-bridge/pom.xml b/bundle-logging-bridge/pom.xml index 65c8da11cc36..2a69958aaa0b 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.27.22-SNAPSHOT + 2.27.22 bundle-logging-bridge jar diff --git a/bundle-sdk/pom.xml b/bundle-sdk/pom.xml index 808a3337dae0..32486f7520ce 100644 --- a/bundle-sdk/pom.xml +++ b/bundle-sdk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.22-SNAPSHOT + 2.27.22 bundle-sdk jar diff --git a/bundle/pom.xml b/bundle/pom.xml index 479b64424d72..09b52c697c09 100644 --- a/bundle/pom.xml +++ b/bundle/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.22-SNAPSHOT + 2.27.22 bundle jar diff --git a/codegen-lite-maven-plugin/pom.xml b/codegen-lite-maven-plugin/pom.xml index 0986f452e7f7..fe98c5eea62e 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.27.22-SNAPSHOT + 2.27.22 ../pom.xml codegen-lite-maven-plugin diff --git a/codegen-lite/pom.xml b/codegen-lite/pom.xml index 620cf2b41755..ffff2a81e312 100644 --- a/codegen-lite/pom.xml +++ b/codegen-lite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.22-SNAPSHOT + 2.27.22 codegen-lite AWS Java SDK :: Code Generator Lite diff --git a/codegen-maven-plugin/pom.xml b/codegen-maven-plugin/pom.xml index 8350d2e4a9a4..ec930b389b71 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.27.22-SNAPSHOT + 2.27.22 ../pom.xml codegen-maven-plugin diff --git a/codegen/pom.xml b/codegen/pom.xml index 8fc090e6bcd9..1f75b372391e 100644 --- a/codegen/pom.xml +++ b/codegen/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.22-SNAPSHOT + 2.27.22 codegen AWS Java SDK :: Code Generator diff --git a/core/annotations/pom.xml b/core/annotations/pom.xml index 1a4fd8c69eed..8cffd62a8664 100644 --- a/core/annotations/pom.xml +++ b/core/annotations/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.22-SNAPSHOT + 2.27.22 4.0.0 diff --git a/core/arns/pom.xml b/core/arns/pom.xml index eee9f706115f..4972cd12266a 100644 --- a/core/arns/pom.xml +++ b/core/arns/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.22-SNAPSHOT + 2.27.22 4.0.0 diff --git a/core/auth-crt/pom.xml b/core/auth-crt/pom.xml index 9b9483c1c600..8225e2ceeb11 100644 --- a/core/auth-crt/pom.xml +++ b/core/auth-crt/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.22-SNAPSHOT + 2.27.22 auth-crt diff --git a/core/auth/pom.xml b/core/auth/pom.xml index f112c99a32f6..458822da03bd 100644 --- a/core/auth/pom.xml +++ b/core/auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.22-SNAPSHOT + 2.27.22 auth diff --git a/core/aws-core/pom.xml b/core/aws-core/pom.xml index 403f020074e8..3790fbaaf493 100644 --- a/core/aws-core/pom.xml +++ b/core/aws-core/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.22-SNAPSHOT + 2.27.22 aws-core diff --git a/core/checksums-spi/pom.xml b/core/checksums-spi/pom.xml index ad66a8679f51..97fc38fe5a9f 100644 --- a/core/checksums-spi/pom.xml +++ b/core/checksums-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.22-SNAPSHOT + 2.27.22 checksums-spi diff --git a/core/checksums/pom.xml b/core/checksums/pom.xml index 7d888e90c140..d11b864f2cde 100644 --- a/core/checksums/pom.xml +++ b/core/checksums/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.22-SNAPSHOT + 2.27.22 checksums diff --git a/core/crt-core/pom.xml b/core/crt-core/pom.xml index a85270cd23f7..977577bcdacd 100644 --- a/core/crt-core/pom.xml +++ b/core/crt-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.27.22-SNAPSHOT + 2.27.22 crt-core diff --git a/core/endpoints-spi/pom.xml b/core/endpoints-spi/pom.xml index e71f144e36b5..954a0c407cac 100644 --- a/core/endpoints-spi/pom.xml +++ b/core/endpoints-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.22-SNAPSHOT + 2.27.22 4.0.0 diff --git a/core/http-auth-aws-crt/pom.xml b/core/http-auth-aws-crt/pom.xml index c2873900c279..e8b029d21d6f 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.27.22-SNAPSHOT + 2.27.22 http-auth-aws-crt diff --git a/core/http-auth-aws-eventstream/pom.xml b/core/http-auth-aws-eventstream/pom.xml index e090328bc49c..6535943feada 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.27.22-SNAPSHOT + 2.27.22 http-auth-aws-eventstream diff --git a/core/http-auth-aws/pom.xml b/core/http-auth-aws/pom.xml index 2db5c25c72a9..14694f3a39ab 100644 --- a/core/http-auth-aws/pom.xml +++ b/core/http-auth-aws/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.22-SNAPSHOT + 2.27.22 http-auth-aws diff --git a/core/http-auth-spi/pom.xml b/core/http-auth-spi/pom.xml index 5bc3d55a23f6..9ffa61eef6d2 100644 --- a/core/http-auth-spi/pom.xml +++ b/core/http-auth-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.22-SNAPSHOT + 2.27.22 http-auth-spi diff --git a/core/http-auth/pom.xml b/core/http-auth/pom.xml index 711058728998..3f578e24a54e 100644 --- a/core/http-auth/pom.xml +++ b/core/http-auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.22-SNAPSHOT + 2.27.22 http-auth diff --git a/core/identity-spi/pom.xml b/core/identity-spi/pom.xml index 1c67409c765f..feef95f7f74e 100644 --- a/core/identity-spi/pom.xml +++ b/core/identity-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.22-SNAPSHOT + 2.27.22 identity-spi diff --git a/core/imds/pom.xml b/core/imds/pom.xml index af2aaba4bfd0..9cdeb74e294a 100644 --- a/core/imds/pom.xml +++ b/core/imds/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.22-SNAPSHOT + 2.27.22 4.0.0 imds diff --git a/core/json-utils/pom.xml b/core/json-utils/pom.xml index 621086428723..6e05a8f8ef89 100644 --- a/core/json-utils/pom.xml +++ b/core/json-utils/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.22-SNAPSHOT + 2.27.22 4.0.0 diff --git a/core/metrics-spi/pom.xml b/core/metrics-spi/pom.xml index 934e34453fe5..705a627ddc5d 100644 --- a/core/metrics-spi/pom.xml +++ b/core/metrics-spi/pom.xml @@ -5,7 +5,7 @@ core software.amazon.awssdk - 2.27.22-SNAPSHOT + 2.27.22 4.0.0 diff --git a/core/pom.xml b/core/pom.xml index 885c432e343d..7eed5b294d8e 100644 --- a/core/pom.xml +++ b/core/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.22-SNAPSHOT + 2.27.22 core diff --git a/core/profiles/pom.xml b/core/profiles/pom.xml index 5743d672a98c..f8f63242104a 100644 --- a/core/profiles/pom.xml +++ b/core/profiles/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.22-SNAPSHOT + 2.27.22 profiles diff --git a/core/protocols/aws-cbor-protocol/pom.xml b/core/protocols/aws-cbor-protocol/pom.xml index bde97c1515ef..4fab2c0581b3 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.27.22-SNAPSHOT + 2.27.22 4.0.0 diff --git a/core/protocols/aws-json-protocol/pom.xml b/core/protocols/aws-json-protocol/pom.xml index 3167699dec69..c4a1c6e528c0 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.27.22-SNAPSHOT + 2.27.22 4.0.0 diff --git a/core/protocols/aws-query-protocol/pom.xml b/core/protocols/aws-query-protocol/pom.xml index 4ca8459c51b0..61a764150ccc 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.27.22-SNAPSHOT + 2.27.22 4.0.0 diff --git a/core/protocols/aws-xml-protocol/pom.xml b/core/protocols/aws-xml-protocol/pom.xml index a54e92bacc44..65f645d77fcd 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.27.22-SNAPSHOT + 2.27.22 4.0.0 diff --git a/core/protocols/pom.xml b/core/protocols/pom.xml index 27a68f703fdc..b53336eaf4b0 100644 --- a/core/protocols/pom.xml +++ b/core/protocols/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.22-SNAPSHOT + 2.27.22 4.0.0 diff --git a/core/protocols/protocol-core/pom.xml b/core/protocols/protocol-core/pom.xml index 95190a2b38a1..5eb384c3c149 100644 --- a/core/protocols/protocol-core/pom.xml +++ b/core/protocols/protocol-core/pom.xml @@ -20,7 +20,7 @@ protocols software.amazon.awssdk - 2.27.22-SNAPSHOT + 2.27.22 4.0.0 diff --git a/core/regions/pom.xml b/core/regions/pom.xml index e407295063c0..1758504e9124 100644 --- a/core/regions/pom.xml +++ b/core/regions/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.22-SNAPSHOT + 2.27.22 regions diff --git a/core/retries-spi/pom.xml b/core/retries-spi/pom.xml index 47e572d8524d..c103873025fc 100644 --- a/core/retries-spi/pom.xml +++ b/core/retries-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.22-SNAPSHOT + 2.27.22 4.0.0 diff --git a/core/retries/pom.xml b/core/retries/pom.xml index dd2dae236cb2..6cc78941ccd1 100644 --- a/core/retries/pom.xml +++ b/core/retries/pom.xml @@ -21,7 +21,7 @@ core software.amazon.awssdk - 2.27.22-SNAPSHOT + 2.27.22 4.0.0 diff --git a/core/sdk-core/pom.xml b/core/sdk-core/pom.xml index f9e858dd8a26..82607d722b3b 100644 --- a/core/sdk-core/pom.xml +++ b/core/sdk-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.27.22-SNAPSHOT + 2.27.22 sdk-core AWS Java SDK :: SDK Core diff --git a/http-client-spi/pom.xml b/http-client-spi/pom.xml index 846bf8edf91f..22361599d601 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.27.22-SNAPSHOT + 2.27.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 d5e613f0a8fa..8a7c22f88ee1 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.27.22-SNAPSHOT + 2.27.22 apache-client diff --git a/http-clients/aws-crt-client/pom.xml b/http-clients/aws-crt-client/pom.xml index 0ebf67023330..b5a0170fe21b 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.27.22-SNAPSHOT + 2.27.22 4.0.0 diff --git a/http-clients/netty-nio-client/pom.xml b/http-clients/netty-nio-client/pom.xml index 2a78b51a8e62..79a5d076a114 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.27.22-SNAPSHOT + 2.27.22 4.0.0 diff --git a/http-clients/pom.xml b/http-clients/pom.xml index 074c96cc1e26..17befbb5d1ea 100644 --- a/http-clients/pom.xml +++ b/http-clients/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.22-SNAPSHOT + 2.27.22 4.0.0 diff --git a/http-clients/url-connection-client/pom.xml b/http-clients/url-connection-client/pom.xml index 13ea7a2906fc..c5864100cd6a 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.27.22-SNAPSHOT + 2.27.22 4.0.0 diff --git a/metric-publishers/cloudwatch-metric-publisher/pom.xml b/metric-publishers/cloudwatch-metric-publisher/pom.xml index da617c701dc9..f2913d0645d3 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.27.22-SNAPSHOT + 2.27.22 cloudwatch-metric-publisher diff --git a/metric-publishers/pom.xml b/metric-publishers/pom.xml index 260505ffd7a2..f4be36fdcfbe 100644 --- a/metric-publishers/pom.xml +++ b/metric-publishers/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.22-SNAPSHOT + 2.27.22 metric-publishers diff --git a/pom.xml b/pom.xml index fabd02cfe82d..0de4eacf0834 100644 --- a/pom.xml +++ b/pom.xml @@ -20,7 +20,7 @@ 4.0.0 software.amazon.awssdk aws-sdk-java-pom - 2.27.22-SNAPSHOT + 2.27.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 d7c4962d2c27..fcc1415f8b3c 100644 --- a/release-scripts/pom.xml +++ b/release-scripts/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.22-SNAPSHOT + 2.27.22 ../pom.xml release-scripts diff --git a/services-custom/dynamodb-enhanced/pom.xml b/services-custom/dynamodb-enhanced/pom.xml index b81f2bce8fc2..e6f90cb3a0b8 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.27.22-SNAPSHOT + 2.27.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 54639579ee92..58b66edba7fc 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.27.22-SNAPSHOT + 2.27.22 ../../pom.xml iam-policy-builder diff --git a/services-custom/pom.xml b/services-custom/pom.xml index 9be47e46c32c..ed678717b221 100644 --- a/services-custom/pom.xml +++ b/services-custom/pom.xml @@ -19,7 +19,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.22-SNAPSHOT + 2.27.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 92eaf3112b06..5ac11533ce54 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.27.22-SNAPSHOT + 2.27.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 e9d458cf8c4a..43114b55113a 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.27.22-SNAPSHOT + 2.27.22 ../../pom.xml s3-transfer-manager diff --git a/services/accessanalyzer/pom.xml b/services/accessanalyzer/pom.xml index ae6f0b7f0c21..82e28155326e 100644 --- a/services/accessanalyzer/pom.xml +++ b/services/accessanalyzer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 accessanalyzer AWS Java SDK :: Services :: AccessAnalyzer diff --git a/services/account/pom.xml b/services/account/pom.xml index e23f0e809702..6b54e4a9e37a 100644 --- a/services/account/pom.xml +++ b/services/account/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 account AWS Java SDK :: Services :: Account diff --git a/services/acm/pom.xml b/services/acm/pom.xml index abd4e50adb67..b2cb9fbce512 100644 --- a/services/acm/pom.xml +++ b/services/acm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 acm AWS Java SDK :: Services :: AWS Certificate Manager diff --git a/services/acmpca/pom.xml b/services/acmpca/pom.xml index 5fbb3536f428..bee979c91153 100644 --- a/services/acmpca/pom.xml +++ b/services/acmpca/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 acmpca AWS Java SDK :: Services :: ACM PCA diff --git a/services/amp/pom.xml b/services/amp/pom.xml index 100bfec2e6b2..e33fb231ac7e 100644 --- a/services/amp/pom.xml +++ b/services/amp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 amp AWS Java SDK :: Services :: Amp diff --git a/services/amplify/pom.xml b/services/amplify/pom.xml index d8f323b3564e..313053388edb 100644 --- a/services/amplify/pom.xml +++ b/services/amplify/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 amplify AWS Java SDK :: Services :: Amplify diff --git a/services/amplifybackend/pom.xml b/services/amplifybackend/pom.xml index 05c9052c4c73..1c97a939ddde 100644 --- a/services/amplifybackend/pom.xml +++ b/services/amplifybackend/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 amplifybackend AWS Java SDK :: Services :: Amplify Backend diff --git a/services/amplifyuibuilder/pom.xml b/services/amplifyuibuilder/pom.xml index ee9a1eaf65ae..77cc713a3fbf 100644 --- a/services/amplifyuibuilder/pom.xml +++ b/services/amplifyuibuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 amplifyuibuilder AWS Java SDK :: Services :: Amplify UI Builder diff --git a/services/apigateway/pom.xml b/services/apigateway/pom.xml index 35fef8475770..e0cf7b6f6538 100644 --- a/services/apigateway/pom.xml +++ b/services/apigateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 apigateway AWS Java SDK :: Services :: Amazon API Gateway diff --git a/services/apigatewaymanagementapi/pom.xml b/services/apigatewaymanagementapi/pom.xml index 5c494b15a69b..ef6b3b95f1f4 100644 --- a/services/apigatewaymanagementapi/pom.xml +++ b/services/apigatewaymanagementapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 apigatewaymanagementapi AWS Java SDK :: Services :: ApiGatewayManagementApi diff --git a/services/apigatewayv2/pom.xml b/services/apigatewayv2/pom.xml index 9bffca800554..ffd2e07b0a23 100644 --- a/services/apigatewayv2/pom.xml +++ b/services/apigatewayv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 apigatewayv2 AWS Java SDK :: Services :: ApiGatewayV2 diff --git a/services/appconfig/pom.xml b/services/appconfig/pom.xml index 836ef8498ae1..836261019f6c 100644 --- a/services/appconfig/pom.xml +++ b/services/appconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 appconfig AWS Java SDK :: Services :: AppConfig diff --git a/services/appconfigdata/pom.xml b/services/appconfigdata/pom.xml index fb083f914464..67318df54d30 100644 --- a/services/appconfigdata/pom.xml +++ b/services/appconfigdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 appconfigdata AWS Java SDK :: Services :: App Config Data diff --git a/services/appfabric/pom.xml b/services/appfabric/pom.xml index 9780dad5fd00..63cc4303fe89 100644 --- a/services/appfabric/pom.xml +++ b/services/appfabric/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 appfabric AWS Java SDK :: Services :: App Fabric diff --git a/services/appflow/pom.xml b/services/appflow/pom.xml index 85463983998c..72f638f46c9c 100644 --- a/services/appflow/pom.xml +++ b/services/appflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 appflow AWS Java SDK :: Services :: Appflow diff --git a/services/appintegrations/pom.xml b/services/appintegrations/pom.xml index 8317bfe649b5..993f974f4070 100644 --- a/services/appintegrations/pom.xml +++ b/services/appintegrations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 appintegrations AWS Java SDK :: Services :: App Integrations diff --git a/services/applicationautoscaling/pom.xml b/services/applicationautoscaling/pom.xml index a6e6c3223022..d8db768ee899 100644 --- a/services/applicationautoscaling/pom.xml +++ b/services/applicationautoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 applicationautoscaling AWS Java SDK :: Services :: AWS Application Auto Scaling diff --git a/services/applicationcostprofiler/pom.xml b/services/applicationcostprofiler/pom.xml index 2d21856d7fe5..2c2fc336a824 100644 --- a/services/applicationcostprofiler/pom.xml +++ b/services/applicationcostprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 applicationcostprofiler AWS Java SDK :: Services :: Application Cost Profiler diff --git a/services/applicationdiscovery/pom.xml b/services/applicationdiscovery/pom.xml index 7da1603b8801..d133a0276d5a 100644 --- a/services/applicationdiscovery/pom.xml +++ b/services/applicationdiscovery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 applicationdiscovery AWS Java SDK :: Services :: AWS Application Discovery Service diff --git a/services/applicationinsights/pom.xml b/services/applicationinsights/pom.xml index d50bff0c7e6b..bf68d76bff60 100644 --- a/services/applicationinsights/pom.xml +++ b/services/applicationinsights/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 applicationinsights AWS Java SDK :: Services :: Application Insights diff --git a/services/applicationsignals/pom.xml b/services/applicationsignals/pom.xml index 758fdef56db5..6ba9135ab611 100644 --- a/services/applicationsignals/pom.xml +++ b/services/applicationsignals/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 applicationsignals AWS Java SDK :: Services :: Application Signals diff --git a/services/appmesh/pom.xml b/services/appmesh/pom.xml index 62964b7f6879..fd71c53e427f 100644 --- a/services/appmesh/pom.xml +++ b/services/appmesh/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 appmesh AWS Java SDK :: Services :: App Mesh diff --git a/services/apprunner/pom.xml b/services/apprunner/pom.xml index a4264d6b7757..510c631520c2 100644 --- a/services/apprunner/pom.xml +++ b/services/apprunner/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 apprunner AWS Java SDK :: Services :: App Runner diff --git a/services/appstream/pom.xml b/services/appstream/pom.xml index b06e4f17f2bf..fa4a8234da5b 100644 --- a/services/appstream/pom.xml +++ b/services/appstream/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 appstream AWS Java SDK :: Services :: Amazon AppStream diff --git a/services/appsync/pom.xml b/services/appsync/pom.xml index ff7c4def3175..a673009e30e3 100644 --- a/services/appsync/pom.xml +++ b/services/appsync/pom.xml @@ -21,7 +21,7 @@ services software.amazon.awssdk - 2.27.22-SNAPSHOT + 2.27.22 appsync diff --git a/services/apptest/pom.xml b/services/apptest/pom.xml index 64e214eaa86b..d4be8fdbf3c5 100644 --- a/services/apptest/pom.xml +++ b/services/apptest/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 apptest AWS Java SDK :: Services :: App Test diff --git a/services/arczonalshift/pom.xml b/services/arczonalshift/pom.xml index f39297f6390b..c398e0d245b8 100644 --- a/services/arczonalshift/pom.xml +++ b/services/arczonalshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 arczonalshift AWS Java SDK :: Services :: ARC Zonal Shift diff --git a/services/artifact/pom.xml b/services/artifact/pom.xml index e1dcdbc27d9a..9a19a7eaee53 100644 --- a/services/artifact/pom.xml +++ b/services/artifact/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 artifact AWS Java SDK :: Services :: Artifact diff --git a/services/athena/pom.xml b/services/athena/pom.xml index ff390da92c8b..8a8a85fe666f 100644 --- a/services/athena/pom.xml +++ b/services/athena/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 athena AWS Java SDK :: Services :: Amazon Athena diff --git a/services/auditmanager/pom.xml b/services/auditmanager/pom.xml index 7ccd03195d28..75ef0639a109 100644 --- a/services/auditmanager/pom.xml +++ b/services/auditmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 auditmanager AWS Java SDK :: Services :: Audit Manager diff --git a/services/autoscaling/pom.xml b/services/autoscaling/pom.xml index 02c4fd7749d0..202feed91763 100644 --- a/services/autoscaling/pom.xml +++ b/services/autoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 autoscaling AWS Java SDK :: Services :: Auto Scaling diff --git a/services/autoscalingplans/pom.xml b/services/autoscalingplans/pom.xml index 79fa290315a0..7c168fd465ff 100644 --- a/services/autoscalingplans/pom.xml +++ b/services/autoscalingplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 autoscalingplans AWS Java SDK :: Services :: Auto Scaling Plans diff --git a/services/b2bi/pom.xml b/services/b2bi/pom.xml index 8f86b6202383..31b29fa13e77 100644 --- a/services/b2bi/pom.xml +++ b/services/b2bi/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 b2bi AWS Java SDK :: Services :: B2 Bi diff --git a/services/backup/pom.xml b/services/backup/pom.xml index aa3dcd73b6b5..46b7871ddf0f 100644 --- a/services/backup/pom.xml +++ b/services/backup/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 backup AWS Java SDK :: Services :: Backup diff --git a/services/backupgateway/pom.xml b/services/backupgateway/pom.xml index 459d10518b9f..081cb95a3265 100644 --- a/services/backupgateway/pom.xml +++ b/services/backupgateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 backupgateway AWS Java SDK :: Services :: Backup Gateway diff --git a/services/batch/pom.xml b/services/batch/pom.xml index 3a34bccdb16e..8cbd0d69bf88 100644 --- a/services/batch/pom.xml +++ b/services/batch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 batch AWS Java SDK :: Services :: AWS Batch diff --git a/services/bcmdataexports/pom.xml b/services/bcmdataexports/pom.xml index e8b37e64838d..c0933db34787 100644 --- a/services/bcmdataexports/pom.xml +++ b/services/bcmdataexports/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 bcmdataexports AWS Java SDK :: Services :: BCM Data Exports diff --git a/services/bedrock/pom.xml b/services/bedrock/pom.xml index f8e6df8f04e7..0cddd30692df 100644 --- a/services/bedrock/pom.xml +++ b/services/bedrock/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 bedrock AWS Java SDK :: Services :: Bedrock diff --git a/services/bedrockagent/pom.xml b/services/bedrockagent/pom.xml index 96753ae310e9..7e586c33b450 100644 --- a/services/bedrockagent/pom.xml +++ b/services/bedrockagent/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 bedrockagent AWS Java SDK :: Services :: Bedrock Agent diff --git a/services/bedrockagentruntime/pom.xml b/services/bedrockagentruntime/pom.xml index 7d5621a02540..9594adbc8902 100644 --- a/services/bedrockagentruntime/pom.xml +++ b/services/bedrockagentruntime/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 bedrockagentruntime AWS Java SDK :: Services :: Bedrock Agent Runtime diff --git a/services/bedrockruntime/pom.xml b/services/bedrockruntime/pom.xml index 7758a1efb9ca..c0076c163626 100644 --- a/services/bedrockruntime/pom.xml +++ b/services/bedrockruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 bedrockruntime AWS Java SDK :: Services :: Bedrock Runtime diff --git a/services/billingconductor/pom.xml b/services/billingconductor/pom.xml index f2d0dbf00988..bbac6089a72c 100644 --- a/services/billingconductor/pom.xml +++ b/services/billingconductor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 billingconductor AWS Java SDK :: Services :: Billingconductor diff --git a/services/braket/pom.xml b/services/braket/pom.xml index 8dabaea39625..30077e5dcfd1 100644 --- a/services/braket/pom.xml +++ b/services/braket/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 braket AWS Java SDK :: Services :: Braket diff --git a/services/budgets/pom.xml b/services/budgets/pom.xml index 99156deb2835..555f617410a0 100644 --- a/services/budgets/pom.xml +++ b/services/budgets/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 budgets AWS Java SDK :: Services :: AWS Budgets diff --git a/services/chatbot/pom.xml b/services/chatbot/pom.xml index 5bf5189b2ef0..d4db8dbc6415 100644 --- a/services/chatbot/pom.xml +++ b/services/chatbot/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 chatbot AWS Java SDK :: Services :: Chatbot diff --git a/services/chime/pom.xml b/services/chime/pom.xml index 24bdb8374d14..2c118fab3e53 100644 --- a/services/chime/pom.xml +++ b/services/chime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 chime AWS Java SDK :: Services :: Chime diff --git a/services/chimesdkidentity/pom.xml b/services/chimesdkidentity/pom.xml index f605412e27fb..9678286afb03 100644 --- a/services/chimesdkidentity/pom.xml +++ b/services/chimesdkidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 chimesdkidentity AWS Java SDK :: Services :: Chime SDK Identity diff --git a/services/chimesdkmediapipelines/pom.xml b/services/chimesdkmediapipelines/pom.xml index 450098a0c997..ec1b5f649e9a 100644 --- a/services/chimesdkmediapipelines/pom.xml +++ b/services/chimesdkmediapipelines/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 chimesdkmediapipelines AWS Java SDK :: Services :: Chime SDK Media Pipelines diff --git a/services/chimesdkmeetings/pom.xml b/services/chimesdkmeetings/pom.xml index 297c16fe7995..827bca7874f0 100644 --- a/services/chimesdkmeetings/pom.xml +++ b/services/chimesdkmeetings/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 chimesdkmeetings AWS Java SDK :: Services :: Chime SDK Meetings diff --git a/services/chimesdkmessaging/pom.xml b/services/chimesdkmessaging/pom.xml index f80d690305e1..d18d643246a8 100644 --- a/services/chimesdkmessaging/pom.xml +++ b/services/chimesdkmessaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 chimesdkmessaging AWS Java SDK :: Services :: Chime SDK Messaging diff --git a/services/chimesdkvoice/pom.xml b/services/chimesdkvoice/pom.xml index 9030e02f70d1..8c5e15ccc24c 100644 --- a/services/chimesdkvoice/pom.xml +++ b/services/chimesdkvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 chimesdkvoice AWS Java SDK :: Services :: Chime SDK Voice diff --git a/services/cleanrooms/pom.xml b/services/cleanrooms/pom.xml index ef74c43f8933..a0c3ab0ee04d 100644 --- a/services/cleanrooms/pom.xml +++ b/services/cleanrooms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 cleanrooms AWS Java SDK :: Services :: Clean Rooms diff --git a/services/cleanroomsml/pom.xml b/services/cleanroomsml/pom.xml index ffda3d09d090..264a29a33be4 100644 --- a/services/cleanroomsml/pom.xml +++ b/services/cleanroomsml/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 cleanroomsml AWS Java SDK :: Services :: Clean Rooms ML diff --git a/services/cloud9/pom.xml b/services/cloud9/pom.xml index a576feedc6e1..0d744e91fbd6 100644 --- a/services/cloud9/pom.xml +++ b/services/cloud9/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22-SNAPSHOT + 2.27.22 4.0.0 cloud9 diff --git a/services/cloudcontrol/pom.xml b/services/cloudcontrol/pom.xml index 8a9e5ce1c1c1..0b2ef9d0d670 100644 --- a/services/cloudcontrol/pom.xml +++ b/services/cloudcontrol/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 cloudcontrol AWS Java SDK :: Services :: Cloud Control diff --git a/services/clouddirectory/pom.xml b/services/clouddirectory/pom.xml index 9d7560c7821f..7b5f07fa1b51 100644 --- a/services/clouddirectory/pom.xml +++ b/services/clouddirectory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 clouddirectory AWS Java SDK :: Services :: Amazon CloudDirectory diff --git a/services/cloudformation/pom.xml b/services/cloudformation/pom.xml index ed9eb2a56adc..7dd6b2ee26bb 100644 --- a/services/cloudformation/pom.xml +++ b/services/cloudformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 cloudformation AWS Java SDK :: Services :: AWS CloudFormation diff --git a/services/cloudfront/pom.xml b/services/cloudfront/pom.xml index 63b3fd453e47..04d72c4859c8 100644 --- a/services/cloudfront/pom.xml +++ b/services/cloudfront/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 cloudfront AWS Java SDK :: Services :: Amazon CloudFront diff --git a/services/cloudfrontkeyvaluestore/pom.xml b/services/cloudfrontkeyvaluestore/pom.xml index b67df9e03e0b..cdf533de9d41 100644 --- a/services/cloudfrontkeyvaluestore/pom.xml +++ b/services/cloudfrontkeyvaluestore/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 cloudfrontkeyvaluestore AWS Java SDK :: Services :: Cloud Front Key Value Store diff --git a/services/cloudhsm/pom.xml b/services/cloudhsm/pom.xml index 2b7816c8df4f..4d08bec33a6d 100644 --- a/services/cloudhsm/pom.xml +++ b/services/cloudhsm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 cloudhsm AWS Java SDK :: Services :: AWS CloudHSM diff --git a/services/cloudhsmv2/pom.xml b/services/cloudhsmv2/pom.xml index a5fc3f426b9b..4528ebb1c01b 100644 --- a/services/cloudhsmv2/pom.xml +++ b/services/cloudhsmv2/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22-SNAPSHOT + 2.27.22 4.0.0 cloudhsmv2 diff --git a/services/cloudsearch/pom.xml b/services/cloudsearch/pom.xml index b55dec3a301b..49f9749514a0 100644 --- a/services/cloudsearch/pom.xml +++ b/services/cloudsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 cloudsearch AWS Java SDK :: Services :: Amazon CloudSearch diff --git a/services/cloudsearchdomain/pom.xml b/services/cloudsearchdomain/pom.xml index 75451b054139..24f799a1bf48 100644 --- a/services/cloudsearchdomain/pom.xml +++ b/services/cloudsearchdomain/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 cloudsearchdomain AWS Java SDK :: Services :: Amazon CloudSearch Domain diff --git a/services/cloudtrail/pom.xml b/services/cloudtrail/pom.xml index 807d8e330c56..b19b6f2f095d 100644 --- a/services/cloudtrail/pom.xml +++ b/services/cloudtrail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 cloudtrail AWS Java SDK :: Services :: AWS CloudTrail diff --git a/services/cloudtraildata/pom.xml b/services/cloudtraildata/pom.xml index 2898a55790cb..86f78c241729 100644 --- a/services/cloudtraildata/pom.xml +++ b/services/cloudtraildata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 cloudtraildata AWS Java SDK :: Services :: Cloud Trail Data diff --git a/services/cloudwatch/pom.xml b/services/cloudwatch/pom.xml index 59def5a9a7e3..367ca145625b 100644 --- a/services/cloudwatch/pom.xml +++ b/services/cloudwatch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 cloudwatch AWS Java SDK :: Services :: Amazon CloudWatch diff --git a/services/cloudwatchevents/pom.xml b/services/cloudwatchevents/pom.xml index f4209933a270..334f943aa00d 100644 --- a/services/cloudwatchevents/pom.xml +++ b/services/cloudwatchevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 cloudwatchevents AWS Java SDK :: Services :: Amazon CloudWatch Events diff --git a/services/cloudwatchlogs/pom.xml b/services/cloudwatchlogs/pom.xml index 2300c6ff8438..dd71f34b9410 100644 --- a/services/cloudwatchlogs/pom.xml +++ b/services/cloudwatchlogs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 cloudwatchlogs AWS Java SDK :: Services :: Amazon CloudWatch Logs diff --git a/services/codeartifact/pom.xml b/services/codeartifact/pom.xml index 0d6bf3ece99b..21199647e5d2 100644 --- a/services/codeartifact/pom.xml +++ b/services/codeartifact/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 codeartifact AWS Java SDK :: Services :: Codeartifact diff --git a/services/codebuild/pom.xml b/services/codebuild/pom.xml index f119af686448..50d94e262f28 100644 --- a/services/codebuild/pom.xml +++ b/services/codebuild/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 codebuild AWS Java SDK :: Services :: AWS Code Build diff --git a/services/codecatalyst/pom.xml b/services/codecatalyst/pom.xml index a70b1e75e560..c3c39288b045 100644 --- a/services/codecatalyst/pom.xml +++ b/services/codecatalyst/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 codecatalyst AWS Java SDK :: Services :: Code Catalyst diff --git a/services/codecommit/pom.xml b/services/codecommit/pom.xml index 774c46f08b32..d6e3b5026cd3 100644 --- a/services/codecommit/pom.xml +++ b/services/codecommit/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 codecommit AWS Java SDK :: Services :: AWS CodeCommit diff --git a/services/codeconnections/pom.xml b/services/codeconnections/pom.xml index bd1e189e4d9f..c0bad6ce6811 100644 --- a/services/codeconnections/pom.xml +++ b/services/codeconnections/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 codeconnections AWS Java SDK :: Services :: Code Connections diff --git a/services/codedeploy/pom.xml b/services/codedeploy/pom.xml index ef1f4f176574..f2662827bb97 100644 --- a/services/codedeploy/pom.xml +++ b/services/codedeploy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 codedeploy AWS Java SDK :: Services :: AWS CodeDeploy diff --git a/services/codeguruprofiler/pom.xml b/services/codeguruprofiler/pom.xml index a2c9862a47b8..3c399be6c378 100644 --- a/services/codeguruprofiler/pom.xml +++ b/services/codeguruprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 codeguruprofiler AWS Java SDK :: Services :: CodeGuruProfiler diff --git a/services/codegurureviewer/pom.xml b/services/codegurureviewer/pom.xml index 4a86db643e09..fc7127e3887a 100644 --- a/services/codegurureviewer/pom.xml +++ b/services/codegurureviewer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 codegurureviewer AWS Java SDK :: Services :: CodeGuru Reviewer diff --git a/services/codegurusecurity/pom.xml b/services/codegurusecurity/pom.xml index 5d5f263dd8bc..f91f88655a14 100644 --- a/services/codegurusecurity/pom.xml +++ b/services/codegurusecurity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 codegurusecurity AWS Java SDK :: Services :: Code Guru Security diff --git a/services/codepipeline/pom.xml b/services/codepipeline/pom.xml index 4a5644e8fb2e..9d41f43359af 100644 --- a/services/codepipeline/pom.xml +++ b/services/codepipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 codepipeline AWS Java SDK :: Services :: AWS CodePipeline diff --git a/services/codestarconnections/pom.xml b/services/codestarconnections/pom.xml index 88a9566a55a4..548026ffecf9 100644 --- a/services/codestarconnections/pom.xml +++ b/services/codestarconnections/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 codestarconnections AWS Java SDK :: Services :: CodeStar connections diff --git a/services/codestarnotifications/pom.xml b/services/codestarnotifications/pom.xml index 9867812880f5..04dd7e02bdf1 100644 --- a/services/codestarnotifications/pom.xml +++ b/services/codestarnotifications/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 codestarnotifications AWS Java SDK :: Services :: Codestar Notifications diff --git a/services/cognitoidentity/pom.xml b/services/cognitoidentity/pom.xml index 5e7526621f11..111309f06248 100644 --- a/services/cognitoidentity/pom.xml +++ b/services/cognitoidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 cognitoidentity AWS Java SDK :: Services :: Amazon Cognito Identity diff --git a/services/cognitoidentityprovider/pom.xml b/services/cognitoidentityprovider/pom.xml index 6b5b578e731a..b14207551898 100644 --- a/services/cognitoidentityprovider/pom.xml +++ b/services/cognitoidentityprovider/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 cognitoidentityprovider AWS Java SDK :: Services :: Amazon Cognito Identity Provider Service diff --git a/services/cognitosync/pom.xml b/services/cognitosync/pom.xml index b2dcfd3d0f45..e8489cbc5f3b 100644 --- a/services/cognitosync/pom.xml +++ b/services/cognitosync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 cognitosync AWS Java SDK :: Services :: Amazon Cognito Sync diff --git a/services/comprehend/pom.xml b/services/comprehend/pom.xml index 48042264bd40..cd168fe8f03c 100644 --- a/services/comprehend/pom.xml +++ b/services/comprehend/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22-SNAPSHOT + 2.27.22 4.0.0 comprehend diff --git a/services/comprehendmedical/pom.xml b/services/comprehendmedical/pom.xml index 6f7ca645f9e5..9f1a0ccb6148 100644 --- a/services/comprehendmedical/pom.xml +++ b/services/comprehendmedical/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 comprehendmedical AWS Java SDK :: Services :: ComprehendMedical diff --git a/services/computeoptimizer/pom.xml b/services/computeoptimizer/pom.xml index 3f4d39ac5308..a947901d81f2 100644 --- a/services/computeoptimizer/pom.xml +++ b/services/computeoptimizer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 computeoptimizer AWS Java SDK :: Services :: Compute Optimizer diff --git a/services/config/pom.xml b/services/config/pom.xml index d6779a349b7f..59c07d6af1d4 100644 --- a/services/config/pom.xml +++ b/services/config/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 config AWS Java SDK :: Services :: AWS Config diff --git a/services/connect/pom.xml b/services/connect/pom.xml index e1aa0b82f588..cb7a1ad06fc0 100644 --- a/services/connect/pom.xml +++ b/services/connect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 connect AWS Java SDK :: Services :: Connect diff --git a/services/connectcampaigns/pom.xml b/services/connectcampaigns/pom.xml index 03c1b0be3ad2..3c8e6e54936f 100644 --- a/services/connectcampaigns/pom.xml +++ b/services/connectcampaigns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 connectcampaigns AWS Java SDK :: Services :: Connect Campaigns diff --git a/services/connectcases/pom.xml b/services/connectcases/pom.xml index 8584a4d2f97f..4a49aa94a69a 100644 --- a/services/connectcases/pom.xml +++ b/services/connectcases/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 connectcases AWS Java SDK :: Services :: Connect Cases diff --git a/services/connectcontactlens/pom.xml b/services/connectcontactlens/pom.xml index 315e57de489f..f4ec3bce717b 100644 --- a/services/connectcontactlens/pom.xml +++ b/services/connectcontactlens/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 connectcontactlens AWS Java SDK :: Services :: Connect Contact Lens diff --git a/services/connectparticipant/pom.xml b/services/connectparticipant/pom.xml index 5e56f8f2fc59..c6b73b69f984 100644 --- a/services/connectparticipant/pom.xml +++ b/services/connectparticipant/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 connectparticipant AWS Java SDK :: Services :: ConnectParticipant diff --git a/services/controlcatalog/pom.xml b/services/controlcatalog/pom.xml index be89a4e125f7..ce64f8f474cf 100644 --- a/services/controlcatalog/pom.xml +++ b/services/controlcatalog/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 controlcatalog AWS Java SDK :: Services :: Control Catalog diff --git a/services/controltower/pom.xml b/services/controltower/pom.xml index 6a6c521516d9..7a0d21f33b4f 100644 --- a/services/controltower/pom.xml +++ b/services/controltower/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 controltower AWS Java SDK :: Services :: Control Tower diff --git a/services/costandusagereport/pom.xml b/services/costandusagereport/pom.xml index be3938f986a5..999de570b92a 100644 --- a/services/costandusagereport/pom.xml +++ b/services/costandusagereport/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 costandusagereport AWS Java SDK :: Services :: AWS Cost and Usage Report diff --git a/services/costexplorer/pom.xml b/services/costexplorer/pom.xml index 34066ba83ac7..6c7d8b8ce751 100644 --- a/services/costexplorer/pom.xml +++ b/services/costexplorer/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22-SNAPSHOT + 2.27.22 4.0.0 costexplorer diff --git a/services/costoptimizationhub/pom.xml b/services/costoptimizationhub/pom.xml index a36b4b3a7564..6506165cf8c2 100644 --- a/services/costoptimizationhub/pom.xml +++ b/services/costoptimizationhub/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 costoptimizationhub AWS Java SDK :: Services :: Cost Optimization Hub diff --git a/services/customerprofiles/pom.xml b/services/customerprofiles/pom.xml index fad861be102f..f6b5947a9c21 100644 --- a/services/customerprofiles/pom.xml +++ b/services/customerprofiles/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 customerprofiles AWS Java SDK :: Services :: Customer Profiles diff --git a/services/databasemigration/pom.xml b/services/databasemigration/pom.xml index 0f1ecb7cbe66..74bc1e2e6f17 100644 --- a/services/databasemigration/pom.xml +++ b/services/databasemigration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 databasemigration AWS Java SDK :: Services :: AWS Database Migration Service diff --git a/services/databrew/pom.xml b/services/databrew/pom.xml index da64edfc1eff..772693a28d67 100644 --- a/services/databrew/pom.xml +++ b/services/databrew/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 databrew AWS Java SDK :: Services :: Data Brew diff --git a/services/dataexchange/pom.xml b/services/dataexchange/pom.xml index 1f56af836b49..0dfe9dc6a73a 100644 --- a/services/dataexchange/pom.xml +++ b/services/dataexchange/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 dataexchange AWS Java SDK :: Services :: DataExchange diff --git a/services/datapipeline/pom.xml b/services/datapipeline/pom.xml index dbb59236ed38..69a2d34d3c05 100644 --- a/services/datapipeline/pom.xml +++ b/services/datapipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 datapipeline AWS Java SDK :: Services :: AWS Data Pipeline diff --git a/services/datasync/pom.xml b/services/datasync/pom.xml index 01418a249315..3b077bbf59ee 100644 --- a/services/datasync/pom.xml +++ b/services/datasync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 datasync AWS Java SDK :: Services :: DataSync diff --git a/services/datazone/pom.xml b/services/datazone/pom.xml index 2a7eb4056da4..705c3e3bf74f 100644 --- a/services/datazone/pom.xml +++ b/services/datazone/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 datazone AWS Java SDK :: Services :: Data Zone diff --git a/services/dax/pom.xml b/services/dax/pom.xml index 73ea25ed11cd..69454062e102 100644 --- a/services/dax/pom.xml +++ b/services/dax/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 dax AWS Java SDK :: Services :: Amazon DynamoDB Accelerator (DAX) diff --git a/services/deadline/pom.xml b/services/deadline/pom.xml index 4206553cc7e2..e9085c5c5d10 100644 --- a/services/deadline/pom.xml +++ b/services/deadline/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 deadline AWS Java SDK :: Services :: Deadline diff --git a/services/detective/pom.xml b/services/detective/pom.xml index 7f4543a9145f..eeadfad27f53 100644 --- a/services/detective/pom.xml +++ b/services/detective/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 detective AWS Java SDK :: Services :: Detective diff --git a/services/devicefarm/pom.xml b/services/devicefarm/pom.xml index 7d4114727dff..c4c5a0dee2a3 100644 --- a/services/devicefarm/pom.xml +++ b/services/devicefarm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 devicefarm AWS Java SDK :: Services :: AWS Device Farm diff --git a/services/devopsguru/pom.xml b/services/devopsguru/pom.xml index 29dc2ef9e2e1..f0813fd68b07 100644 --- a/services/devopsguru/pom.xml +++ b/services/devopsguru/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 devopsguru AWS Java SDK :: Services :: Dev Ops Guru diff --git a/services/directconnect/pom.xml b/services/directconnect/pom.xml index c090135e2639..b57cf223e555 100644 --- a/services/directconnect/pom.xml +++ b/services/directconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 directconnect AWS Java SDK :: Services :: AWS Direct Connect diff --git a/services/directory/pom.xml b/services/directory/pom.xml index 6d97068e9776..6c44902dd2a4 100644 --- a/services/directory/pom.xml +++ b/services/directory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 directory AWS Java SDK :: Services :: AWS Directory Service diff --git a/services/dlm/pom.xml b/services/dlm/pom.xml index c7407e34400d..34224f6497f4 100644 --- a/services/dlm/pom.xml +++ b/services/dlm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 dlm AWS Java SDK :: Services :: DLM diff --git a/services/docdb/pom.xml b/services/docdb/pom.xml index f194ca5eef0d..3e98537ca589 100644 --- a/services/docdb/pom.xml +++ b/services/docdb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 docdb AWS Java SDK :: Services :: DocDB diff --git a/services/docdbelastic/pom.xml b/services/docdbelastic/pom.xml index 87c0d1182fb3..6d5cff9a93e6 100644 --- a/services/docdbelastic/pom.xml +++ b/services/docdbelastic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 docdbelastic AWS Java SDK :: Services :: Doc DB Elastic diff --git a/services/drs/pom.xml b/services/drs/pom.xml index 654277df36aa..15292d9ae57b 100644 --- a/services/drs/pom.xml +++ b/services/drs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 drs AWS Java SDK :: Services :: Drs diff --git a/services/dynamodb/pom.xml b/services/dynamodb/pom.xml index f3f83e8c3a24..4ce47ea13fe4 100644 --- a/services/dynamodb/pom.xml +++ b/services/dynamodb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 dynamodb AWS Java SDK :: Services :: Amazon DynamoDB diff --git a/services/ebs/pom.xml b/services/ebs/pom.xml index 0aae552b8991..d2262d43ed34 100644 --- a/services/ebs/pom.xml +++ b/services/ebs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 ebs AWS Java SDK :: Services :: EBS diff --git a/services/ec2/pom.xml b/services/ec2/pom.xml index 252c103bb76d..11b7c09f84ec 100644 --- a/services/ec2/pom.xml +++ b/services/ec2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 ec2 AWS Java SDK :: Services :: Amazon EC2 diff --git a/services/ec2instanceconnect/pom.xml b/services/ec2instanceconnect/pom.xml index a10b601270bd..7fe49c82dff6 100644 --- a/services/ec2instanceconnect/pom.xml +++ b/services/ec2instanceconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 ec2instanceconnect AWS Java SDK :: Services :: EC2 Instance Connect diff --git a/services/ecr/pom.xml b/services/ecr/pom.xml index d2f01639e574..8e89e9772474 100644 --- a/services/ecr/pom.xml +++ b/services/ecr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 ecr AWS Java SDK :: Services :: Amazon EC2 Container Registry diff --git a/services/ecrpublic/pom.xml b/services/ecrpublic/pom.xml index 9cdb708b54e0..6ddba9d339c0 100644 --- a/services/ecrpublic/pom.xml +++ b/services/ecrpublic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 ecrpublic AWS Java SDK :: Services :: ECR PUBLIC diff --git a/services/ecs/pom.xml b/services/ecs/pom.xml index ef9aaf97aff1..2f07d760ea30 100644 --- a/services/ecs/pom.xml +++ b/services/ecs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 ecs AWS Java SDK :: Services :: Amazon EC2 Container Service diff --git a/services/efs/pom.xml b/services/efs/pom.xml index ff1c55bbfabc..d27ef6c7aff3 100644 --- a/services/efs/pom.xml +++ b/services/efs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 efs AWS Java SDK :: Services :: Amazon Elastic File System diff --git a/services/eks/pom.xml b/services/eks/pom.xml index 8dae436b5a91..5e24a5079f17 100644 --- a/services/eks/pom.xml +++ b/services/eks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 eks AWS Java SDK :: Services :: EKS diff --git a/services/eksauth/pom.xml b/services/eksauth/pom.xml index 567de87d7ae3..75933d718041 100644 --- a/services/eksauth/pom.xml +++ b/services/eksauth/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 eksauth AWS Java SDK :: Services :: EKS Auth diff --git a/services/elasticache/pom.xml b/services/elasticache/pom.xml index c324a56e35dc..e461f34335f0 100644 --- a/services/elasticache/pom.xml +++ b/services/elasticache/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 elasticache AWS Java SDK :: Services :: Amazon ElastiCache diff --git a/services/elasticbeanstalk/pom.xml b/services/elasticbeanstalk/pom.xml index f6d0cea70a5d..aea244d3023b 100644 --- a/services/elasticbeanstalk/pom.xml +++ b/services/elasticbeanstalk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 elasticbeanstalk AWS Java SDK :: Services :: AWS Elastic Beanstalk diff --git a/services/elasticinference/pom.xml b/services/elasticinference/pom.xml index 145d825c551f..6bd9c007462c 100644 --- a/services/elasticinference/pom.xml +++ b/services/elasticinference/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 elasticinference AWS Java SDK :: Services :: Elastic Inference diff --git a/services/elasticloadbalancing/pom.xml b/services/elasticloadbalancing/pom.xml index 7c310e105bd9..52963e3f875e 100644 --- a/services/elasticloadbalancing/pom.xml +++ b/services/elasticloadbalancing/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 elasticloadbalancing AWS Java SDK :: Services :: Elastic Load Balancing diff --git a/services/elasticloadbalancingv2/pom.xml b/services/elasticloadbalancingv2/pom.xml index 5b2e6740df68..90114338cf6a 100644 --- a/services/elasticloadbalancingv2/pom.xml +++ b/services/elasticloadbalancingv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 elasticloadbalancingv2 AWS Java SDK :: Services :: Elastic Load Balancing V2 diff --git a/services/elasticsearch/pom.xml b/services/elasticsearch/pom.xml index 4c524fcb5f83..ca44d4fa8490 100644 --- a/services/elasticsearch/pom.xml +++ b/services/elasticsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 elasticsearch AWS Java SDK :: Services :: Amazon Elasticsearch Service diff --git a/services/elastictranscoder/pom.xml b/services/elastictranscoder/pom.xml index a7a39f4008d1..fd41a207ee86 100644 --- a/services/elastictranscoder/pom.xml +++ b/services/elastictranscoder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 elastictranscoder AWS Java SDK :: Services :: Amazon Elastic Transcoder diff --git a/services/emr/pom.xml b/services/emr/pom.xml index c35db9760f17..6854eadf5807 100644 --- a/services/emr/pom.xml +++ b/services/emr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 emr AWS Java SDK :: Services :: Amazon EMR diff --git a/services/emrcontainers/pom.xml b/services/emrcontainers/pom.xml index 11b8aae2d3fb..f0ca5c9d62d2 100644 --- a/services/emrcontainers/pom.xml +++ b/services/emrcontainers/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 emrcontainers AWS Java SDK :: Services :: EMR Containers diff --git a/services/emrserverless/pom.xml b/services/emrserverless/pom.xml index e1218f0ee007..89ac76c65485 100644 --- a/services/emrserverless/pom.xml +++ b/services/emrserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 emrserverless AWS Java SDK :: Services :: EMR Serverless diff --git a/services/entityresolution/pom.xml b/services/entityresolution/pom.xml index 5d5cc0208244..2b2cb15c0f5a 100644 --- a/services/entityresolution/pom.xml +++ b/services/entityresolution/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 entityresolution AWS Java SDK :: Services :: Entity Resolution diff --git a/services/eventbridge/pom.xml b/services/eventbridge/pom.xml index 919802000d45..029135a21b73 100644 --- a/services/eventbridge/pom.xml +++ b/services/eventbridge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 eventbridge AWS Java SDK :: Services :: EventBridge diff --git a/services/evidently/pom.xml b/services/evidently/pom.xml index 85f8323ee107..d84f8ef42853 100644 --- a/services/evidently/pom.xml +++ b/services/evidently/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 evidently AWS Java SDK :: Services :: Evidently diff --git a/services/finspace/pom.xml b/services/finspace/pom.xml index 4cf424c309ef..34d147262414 100644 --- a/services/finspace/pom.xml +++ b/services/finspace/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 finspace AWS Java SDK :: Services :: Finspace diff --git a/services/finspacedata/pom.xml b/services/finspacedata/pom.xml index 0a7f057f67e0..44609917287f 100644 --- a/services/finspacedata/pom.xml +++ b/services/finspacedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 finspacedata AWS Java SDK :: Services :: Finspace Data diff --git a/services/firehose/pom.xml b/services/firehose/pom.xml index f3fc24aa32e5..fd58746448ae 100644 --- a/services/firehose/pom.xml +++ b/services/firehose/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 firehose AWS Java SDK :: Services :: Amazon Kinesis Firehose diff --git a/services/fis/pom.xml b/services/fis/pom.xml index bd50a49f6e38..a0c077efa1c1 100644 --- a/services/fis/pom.xml +++ b/services/fis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 fis AWS Java SDK :: Services :: Fis diff --git a/services/fms/pom.xml b/services/fms/pom.xml index ff0fd37a2be8..57439c6a8336 100644 --- a/services/fms/pom.xml +++ b/services/fms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 fms AWS Java SDK :: Services :: FMS diff --git a/services/forecast/pom.xml b/services/forecast/pom.xml index 4e4451d9fa28..7a33ad4c3cb4 100644 --- a/services/forecast/pom.xml +++ b/services/forecast/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 forecast AWS Java SDK :: Services :: Forecast diff --git a/services/forecastquery/pom.xml b/services/forecastquery/pom.xml index 64949793a87f..80ea703af2e5 100644 --- a/services/forecastquery/pom.xml +++ b/services/forecastquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 forecastquery AWS Java SDK :: Services :: Forecastquery diff --git a/services/frauddetector/pom.xml b/services/frauddetector/pom.xml index e414df353e13..d0b27e354189 100644 --- a/services/frauddetector/pom.xml +++ b/services/frauddetector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 frauddetector AWS Java SDK :: Services :: FraudDetector diff --git a/services/freetier/pom.xml b/services/freetier/pom.xml index 3895c1b840bc..f494df99ae0d 100644 --- a/services/freetier/pom.xml +++ b/services/freetier/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 freetier AWS Java SDK :: Services :: Free Tier diff --git a/services/fsx/pom.xml b/services/fsx/pom.xml index 5e46a77cea8f..6f70bf19ac40 100644 --- a/services/fsx/pom.xml +++ b/services/fsx/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 fsx AWS Java SDK :: Services :: FSx diff --git a/services/gamelift/pom.xml b/services/gamelift/pom.xml index 1fe5bcdddef6..9a0ac8d105bf 100644 --- a/services/gamelift/pom.xml +++ b/services/gamelift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 gamelift AWS Java SDK :: Services :: AWS GameLift diff --git a/services/glacier/pom.xml b/services/glacier/pom.xml index 046a61c01b39..5f5687c83d52 100644 --- a/services/glacier/pom.xml +++ b/services/glacier/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 glacier AWS Java SDK :: Services :: Amazon Glacier diff --git a/services/globalaccelerator/pom.xml b/services/globalaccelerator/pom.xml index 819e0ec708fb..71476e000a21 100644 --- a/services/globalaccelerator/pom.xml +++ b/services/globalaccelerator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 globalaccelerator AWS Java SDK :: Services :: Global Accelerator diff --git a/services/glue/pom.xml b/services/glue/pom.xml index abd21ea5db54..f7570fcb0f56 100644 --- a/services/glue/pom.xml +++ b/services/glue/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22-SNAPSHOT + 2.27.22 4.0.0 glue diff --git a/services/grafana/pom.xml b/services/grafana/pom.xml index 768a12a38bf3..84677f7ea4ea 100644 --- a/services/grafana/pom.xml +++ b/services/grafana/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 grafana AWS Java SDK :: Services :: Grafana diff --git a/services/greengrass/pom.xml b/services/greengrass/pom.xml index e9606281d45c..29c659895909 100644 --- a/services/greengrass/pom.xml +++ b/services/greengrass/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 greengrass AWS Java SDK :: Services :: AWS Greengrass diff --git a/services/greengrassv2/pom.xml b/services/greengrassv2/pom.xml index 23ed063d0b00..937c3a079724 100644 --- a/services/greengrassv2/pom.xml +++ b/services/greengrassv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 greengrassv2 AWS Java SDK :: Services :: Greengrass V2 diff --git a/services/groundstation/pom.xml b/services/groundstation/pom.xml index 39257aa900b7..33f8a368f196 100644 --- a/services/groundstation/pom.xml +++ b/services/groundstation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 groundstation AWS Java SDK :: Services :: GroundStation diff --git a/services/guardduty/pom.xml b/services/guardduty/pom.xml index 488411146376..3fdb6d72c2bb 100644 --- a/services/guardduty/pom.xml +++ b/services/guardduty/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22-SNAPSHOT + 2.27.22 4.0.0 guardduty diff --git a/services/health/pom.xml b/services/health/pom.xml index c47050dd5689..7e5ae3db736f 100644 --- a/services/health/pom.xml +++ b/services/health/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 health AWS Java SDK :: Services :: AWS Health APIs and Notifications diff --git a/services/healthlake/pom.xml b/services/healthlake/pom.xml index 0f7fe3e342ec..a1ba899c4cc0 100644 --- a/services/healthlake/pom.xml +++ b/services/healthlake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 healthlake AWS Java SDK :: Services :: Health Lake diff --git a/services/iam/pom.xml b/services/iam/pom.xml index 00d9df908cd2..999f753f6f76 100644 --- a/services/iam/pom.xml +++ b/services/iam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 iam AWS Java SDK :: Services :: AWS IAM diff --git a/services/identitystore/pom.xml b/services/identitystore/pom.xml index f9ad8bd22b36..fa59bd94fd7e 100644 --- a/services/identitystore/pom.xml +++ b/services/identitystore/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 identitystore AWS Java SDK :: Services :: Identitystore diff --git a/services/imagebuilder/pom.xml b/services/imagebuilder/pom.xml index 9b3c13726990..610540002a89 100644 --- a/services/imagebuilder/pom.xml +++ b/services/imagebuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 imagebuilder AWS Java SDK :: Services :: Imagebuilder diff --git a/services/inspector/pom.xml b/services/inspector/pom.xml index 0cb8be0830ec..f0d806bfb41e 100644 --- a/services/inspector/pom.xml +++ b/services/inspector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 inspector AWS Java SDK :: Services :: Amazon Inspector Service diff --git a/services/inspector2/pom.xml b/services/inspector2/pom.xml index e6e3734b3a92..0959e160bbb3 100644 --- a/services/inspector2/pom.xml +++ b/services/inspector2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 inspector2 AWS Java SDK :: Services :: Inspector2 diff --git a/services/inspectorscan/pom.xml b/services/inspectorscan/pom.xml index 89ebf2de7ca3..3640104920e4 100644 --- a/services/inspectorscan/pom.xml +++ b/services/inspectorscan/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 inspectorscan AWS Java SDK :: Services :: Inspector Scan diff --git a/services/internetmonitor/pom.xml b/services/internetmonitor/pom.xml index 522fd070aeb1..d7814537d806 100644 --- a/services/internetmonitor/pom.xml +++ b/services/internetmonitor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 internetmonitor AWS Java SDK :: Services :: Internet Monitor diff --git a/services/iot/pom.xml b/services/iot/pom.xml index 3146b8d2b3ab..a82cb6f054a9 100644 --- a/services/iot/pom.xml +++ b/services/iot/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 iot AWS Java SDK :: Services :: AWS IoT diff --git a/services/iot1clickdevices/pom.xml b/services/iot1clickdevices/pom.xml index f9c6be272080..42ca2242262d 100644 --- a/services/iot1clickdevices/pom.xml +++ b/services/iot1clickdevices/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 iot1clickdevices AWS Java SDK :: Services :: IoT 1Click Devices Service diff --git a/services/iot1clickprojects/pom.xml b/services/iot1clickprojects/pom.xml index 1f9cdebdc070..5fe52120bb54 100644 --- a/services/iot1clickprojects/pom.xml +++ b/services/iot1clickprojects/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 iot1clickprojects AWS Java SDK :: Services :: IoT 1Click Projects diff --git a/services/iotanalytics/pom.xml b/services/iotanalytics/pom.xml index 4437696175a4..924bf2aac005 100644 --- a/services/iotanalytics/pom.xml +++ b/services/iotanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 iotanalytics AWS Java SDK :: Services :: IoTAnalytics diff --git a/services/iotdataplane/pom.xml b/services/iotdataplane/pom.xml index 064f8e5a9301..16a7a27adcb5 100644 --- a/services/iotdataplane/pom.xml +++ b/services/iotdataplane/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 iotdataplane AWS Java SDK :: Services :: AWS IoT Data Plane diff --git a/services/iotdeviceadvisor/pom.xml b/services/iotdeviceadvisor/pom.xml index 513459a04c48..843e2ba2eab3 100644 --- a/services/iotdeviceadvisor/pom.xml +++ b/services/iotdeviceadvisor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 iotdeviceadvisor AWS Java SDK :: Services :: Iot Device Advisor diff --git a/services/iotevents/pom.xml b/services/iotevents/pom.xml index 474d1d6b3750..c35ebe5e9014 100644 --- a/services/iotevents/pom.xml +++ b/services/iotevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 iotevents AWS Java SDK :: Services :: IoT Events diff --git a/services/ioteventsdata/pom.xml b/services/ioteventsdata/pom.xml index 58e842a68996..2b06c9141572 100644 --- a/services/ioteventsdata/pom.xml +++ b/services/ioteventsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 ioteventsdata AWS Java SDK :: Services :: IoT Events Data diff --git a/services/iotfleethub/pom.xml b/services/iotfleethub/pom.xml index 7660503140e9..921a32274a04 100644 --- a/services/iotfleethub/pom.xml +++ b/services/iotfleethub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 iotfleethub AWS Java SDK :: Services :: Io T Fleet Hub diff --git a/services/iotfleetwise/pom.xml b/services/iotfleetwise/pom.xml index c1a2d04e0f97..f62ced7d5bde 100644 --- a/services/iotfleetwise/pom.xml +++ b/services/iotfleetwise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 iotfleetwise AWS Java SDK :: Services :: Io T Fleet Wise diff --git a/services/iotjobsdataplane/pom.xml b/services/iotjobsdataplane/pom.xml index e31b327fe731..6b23c5b798e1 100644 --- a/services/iotjobsdataplane/pom.xml +++ b/services/iotjobsdataplane/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 iotjobsdataplane AWS Java SDK :: Services :: IoT Jobs Data Plane diff --git a/services/iotsecuretunneling/pom.xml b/services/iotsecuretunneling/pom.xml index be14305ec7ca..8fd35b550d85 100644 --- a/services/iotsecuretunneling/pom.xml +++ b/services/iotsecuretunneling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 iotsecuretunneling AWS Java SDK :: Services :: IoTSecureTunneling diff --git a/services/iotsitewise/pom.xml b/services/iotsitewise/pom.xml index 8d6164410ac0..9694f14514c8 100644 --- a/services/iotsitewise/pom.xml +++ b/services/iotsitewise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 iotsitewise AWS Java SDK :: Services :: Io T Site Wise diff --git a/services/iotthingsgraph/pom.xml b/services/iotthingsgraph/pom.xml index b3f9ae1394c5..99290aec6250 100644 --- a/services/iotthingsgraph/pom.xml +++ b/services/iotthingsgraph/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 iotthingsgraph AWS Java SDK :: Services :: IoTThingsGraph diff --git a/services/iottwinmaker/pom.xml b/services/iottwinmaker/pom.xml index be354bceca9f..1458c91ad53d 100644 --- a/services/iottwinmaker/pom.xml +++ b/services/iottwinmaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 iottwinmaker AWS Java SDK :: Services :: Io T Twin Maker diff --git a/services/iotwireless/pom.xml b/services/iotwireless/pom.xml index 0bf69aa748ab..7552e84c552b 100644 --- a/services/iotwireless/pom.xml +++ b/services/iotwireless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 iotwireless AWS Java SDK :: Services :: IoT Wireless diff --git a/services/ivs/pom.xml b/services/ivs/pom.xml index 07043d212e24..68f003effc9f 100644 --- a/services/ivs/pom.xml +++ b/services/ivs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 ivs AWS Java SDK :: Services :: Ivs diff --git a/services/ivschat/pom.xml b/services/ivschat/pom.xml index ce79e6dc090e..1fbb57e3968a 100644 --- a/services/ivschat/pom.xml +++ b/services/ivschat/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 ivschat AWS Java SDK :: Services :: Ivschat diff --git a/services/ivsrealtime/pom.xml b/services/ivsrealtime/pom.xml index f529658003c0..1164843a0f93 100644 --- a/services/ivsrealtime/pom.xml +++ b/services/ivsrealtime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 ivsrealtime AWS Java SDK :: Services :: IVS Real Time diff --git a/services/kafka/pom.xml b/services/kafka/pom.xml index 3f6a4a5df17c..ade18de50ec8 100644 --- a/services/kafka/pom.xml +++ b/services/kafka/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 kafka AWS Java SDK :: Services :: Kafka diff --git a/services/kafkaconnect/pom.xml b/services/kafkaconnect/pom.xml index ce2c56cb7da7..6b8197cd3047 100644 --- a/services/kafkaconnect/pom.xml +++ b/services/kafkaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 kafkaconnect AWS Java SDK :: Services :: Kafka Connect diff --git a/services/kendra/pom.xml b/services/kendra/pom.xml index a863890f3fd4..394c7acb2b13 100644 --- a/services/kendra/pom.xml +++ b/services/kendra/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 kendra AWS Java SDK :: Services :: Kendra diff --git a/services/kendraranking/pom.xml b/services/kendraranking/pom.xml index 43e0f31108c6..b0bf0e6f9a93 100644 --- a/services/kendraranking/pom.xml +++ b/services/kendraranking/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 kendraranking AWS Java SDK :: Services :: Kendra Ranking diff --git a/services/keyspaces/pom.xml b/services/keyspaces/pom.xml index 8043e4136396..af3b88d756ef 100644 --- a/services/keyspaces/pom.xml +++ b/services/keyspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 keyspaces AWS Java SDK :: Services :: Keyspaces diff --git a/services/kinesis/pom.xml b/services/kinesis/pom.xml index 6a452eb5d243..a65efee038e4 100644 --- a/services/kinesis/pom.xml +++ b/services/kinesis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 kinesis AWS Java SDK :: Services :: Amazon Kinesis diff --git a/services/kinesisanalytics/pom.xml b/services/kinesisanalytics/pom.xml index f00db832f1f2..6d6f2495a32b 100644 --- a/services/kinesisanalytics/pom.xml +++ b/services/kinesisanalytics/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 kinesisanalytics AWS Java SDK :: Services :: Amazon Kinesis Analytics diff --git a/services/kinesisanalyticsv2/pom.xml b/services/kinesisanalyticsv2/pom.xml index cff06af5f873..ce5e98d4cefa 100644 --- a/services/kinesisanalyticsv2/pom.xml +++ b/services/kinesisanalyticsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 kinesisanalyticsv2 AWS Java SDK :: Services :: Kinesis Analytics V2 diff --git a/services/kinesisvideo/pom.xml b/services/kinesisvideo/pom.xml index d8d12c6ebffe..ad4ffddd8b3b 100644 --- a/services/kinesisvideo/pom.xml +++ b/services/kinesisvideo/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22-SNAPSHOT + 2.27.22 4.0.0 kinesisvideo diff --git a/services/kinesisvideoarchivedmedia/pom.xml b/services/kinesisvideoarchivedmedia/pom.xml index b360ce7c4799..b16a0dd86ff6 100644 --- a/services/kinesisvideoarchivedmedia/pom.xml +++ b/services/kinesisvideoarchivedmedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 kinesisvideoarchivedmedia AWS Java SDK :: Services :: Kinesis Video Archived Media diff --git a/services/kinesisvideomedia/pom.xml b/services/kinesisvideomedia/pom.xml index ebf05ed5df53..583f3fc31e92 100644 --- a/services/kinesisvideomedia/pom.xml +++ b/services/kinesisvideomedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 kinesisvideomedia AWS Java SDK :: Services :: Kinesis Video Media diff --git a/services/kinesisvideosignaling/pom.xml b/services/kinesisvideosignaling/pom.xml index f41d0d5088e7..244d48b0268f 100644 --- a/services/kinesisvideosignaling/pom.xml +++ b/services/kinesisvideosignaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 kinesisvideosignaling AWS Java SDK :: Services :: Kinesis Video Signaling diff --git a/services/kinesisvideowebrtcstorage/pom.xml b/services/kinesisvideowebrtcstorage/pom.xml index 9809c5e14037..d0ed8c967908 100644 --- a/services/kinesisvideowebrtcstorage/pom.xml +++ b/services/kinesisvideowebrtcstorage/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 kinesisvideowebrtcstorage AWS Java SDK :: Services :: Kinesis Video Web RTC Storage diff --git a/services/kms/pom.xml b/services/kms/pom.xml index f210b1941c80..76af0af9000c 100644 --- a/services/kms/pom.xml +++ b/services/kms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 kms AWS Java SDK :: Services :: AWS KMS diff --git a/services/lakeformation/pom.xml b/services/lakeformation/pom.xml index ad9b95be99d7..c44fa198433a 100644 --- a/services/lakeformation/pom.xml +++ b/services/lakeformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 lakeformation AWS Java SDK :: Services :: LakeFormation diff --git a/services/lambda/pom.xml b/services/lambda/pom.xml index 92d1f4a9a598..5d35c48caf49 100644 --- a/services/lambda/pom.xml +++ b/services/lambda/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 lambda AWS Java SDK :: Services :: AWS Lambda diff --git a/services/launchwizard/pom.xml b/services/launchwizard/pom.xml index ab16e3a7da12..af8305e795c4 100644 --- a/services/launchwizard/pom.xml +++ b/services/launchwizard/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 launchwizard AWS Java SDK :: Services :: Launch Wizard diff --git a/services/lexmodelbuilding/pom.xml b/services/lexmodelbuilding/pom.xml index 5330995eac98..e580b8f84b2c 100644 --- a/services/lexmodelbuilding/pom.xml +++ b/services/lexmodelbuilding/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 lexmodelbuilding AWS Java SDK :: Services :: Amazon Lex Model Building diff --git a/services/lexmodelsv2/pom.xml b/services/lexmodelsv2/pom.xml index c281a74913a8..f8faca6db297 100644 --- a/services/lexmodelsv2/pom.xml +++ b/services/lexmodelsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 lexmodelsv2 AWS Java SDK :: Services :: Lex Models V2 diff --git a/services/lexruntime/pom.xml b/services/lexruntime/pom.xml index e9eb3c944078..bf29f95385f6 100644 --- a/services/lexruntime/pom.xml +++ b/services/lexruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 lexruntime AWS Java SDK :: Services :: Amazon Lex Runtime diff --git a/services/lexruntimev2/pom.xml b/services/lexruntimev2/pom.xml index 6129dd9375e3..a4958686455e 100644 --- a/services/lexruntimev2/pom.xml +++ b/services/lexruntimev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 lexruntimev2 AWS Java SDK :: Services :: Lex Runtime V2 diff --git a/services/licensemanager/pom.xml b/services/licensemanager/pom.xml index 8b8d74d10851..9a73a4595660 100644 --- a/services/licensemanager/pom.xml +++ b/services/licensemanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 licensemanager AWS Java SDK :: Services :: License Manager diff --git a/services/licensemanagerlinuxsubscriptions/pom.xml b/services/licensemanagerlinuxsubscriptions/pom.xml index b9110c0688c1..e5102fd59f95 100644 --- a/services/licensemanagerlinuxsubscriptions/pom.xml +++ b/services/licensemanagerlinuxsubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 licensemanagerlinuxsubscriptions AWS Java SDK :: Services :: License Manager Linux Subscriptions diff --git a/services/licensemanagerusersubscriptions/pom.xml b/services/licensemanagerusersubscriptions/pom.xml index a8f1abe2ab00..14115d5efd2e 100644 --- a/services/licensemanagerusersubscriptions/pom.xml +++ b/services/licensemanagerusersubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 licensemanagerusersubscriptions AWS Java SDK :: Services :: License Manager User Subscriptions diff --git a/services/lightsail/pom.xml b/services/lightsail/pom.xml index d96dcbcdf95c..2c5a39d2b544 100644 --- a/services/lightsail/pom.xml +++ b/services/lightsail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 lightsail AWS Java SDK :: Services :: Amazon Lightsail diff --git a/services/location/pom.xml b/services/location/pom.xml index 769a5e13de51..9436cae466d5 100644 --- a/services/location/pom.xml +++ b/services/location/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 location AWS Java SDK :: Services :: Location diff --git a/services/lookoutequipment/pom.xml b/services/lookoutequipment/pom.xml index 743e29262f51..f42ae63dd100 100644 --- a/services/lookoutequipment/pom.xml +++ b/services/lookoutequipment/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 lookoutequipment AWS Java SDK :: Services :: Lookout Equipment diff --git a/services/lookoutmetrics/pom.xml b/services/lookoutmetrics/pom.xml index 60e38603efb6..fd44921c4e00 100644 --- a/services/lookoutmetrics/pom.xml +++ b/services/lookoutmetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 lookoutmetrics AWS Java SDK :: Services :: Lookout Metrics diff --git a/services/lookoutvision/pom.xml b/services/lookoutvision/pom.xml index 2190795920f1..5dbc724db535 100644 --- a/services/lookoutvision/pom.xml +++ b/services/lookoutvision/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 lookoutvision AWS Java SDK :: Services :: Lookout Vision diff --git a/services/m2/pom.xml b/services/m2/pom.xml index e1b8e5d205bc..a0b379694837 100644 --- a/services/m2/pom.xml +++ b/services/m2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 m2 AWS Java SDK :: Services :: M2 diff --git a/services/machinelearning/pom.xml b/services/machinelearning/pom.xml index 126769cde693..e8733090db44 100644 --- a/services/machinelearning/pom.xml +++ b/services/machinelearning/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 machinelearning AWS Java SDK :: Services :: Amazon Machine Learning diff --git a/services/macie2/pom.xml b/services/macie2/pom.xml index 89b28dc35363..0d3572a9fa75 100644 --- a/services/macie2/pom.xml +++ b/services/macie2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 macie2 AWS Java SDK :: Services :: Macie2 diff --git a/services/mailmanager/pom.xml b/services/mailmanager/pom.xml index 67d6ed6959ed..8c49b162c534 100644 --- a/services/mailmanager/pom.xml +++ b/services/mailmanager/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 mailmanager AWS Java SDK :: Services :: Mail Manager diff --git a/services/managedblockchain/pom.xml b/services/managedblockchain/pom.xml index 970765e55169..aaba5e523134 100644 --- a/services/managedblockchain/pom.xml +++ b/services/managedblockchain/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 managedblockchain AWS Java SDK :: Services :: ManagedBlockchain diff --git a/services/managedblockchainquery/pom.xml b/services/managedblockchainquery/pom.xml index d67f5cc09a72..94a459bb4414 100644 --- a/services/managedblockchainquery/pom.xml +++ b/services/managedblockchainquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 managedblockchainquery AWS Java SDK :: Services :: Managed Blockchain Query diff --git a/services/marketplaceagreement/pom.xml b/services/marketplaceagreement/pom.xml index f83e9cbb5651..a96d29772e9e 100644 --- a/services/marketplaceagreement/pom.xml +++ b/services/marketplaceagreement/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 marketplaceagreement AWS Java SDK :: Services :: Marketplace Agreement diff --git a/services/marketplacecatalog/pom.xml b/services/marketplacecatalog/pom.xml index 4349dbd34534..5ed46795f2ad 100644 --- a/services/marketplacecatalog/pom.xml +++ b/services/marketplacecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 marketplacecatalog AWS Java SDK :: Services :: Marketplace Catalog diff --git a/services/marketplacecommerceanalytics/pom.xml b/services/marketplacecommerceanalytics/pom.xml index 1b8cb4cffb3c..207abf713431 100644 --- a/services/marketplacecommerceanalytics/pom.xml +++ b/services/marketplacecommerceanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 marketplacecommerceanalytics AWS Java SDK :: Services :: AWS Marketplace Commerce Analytics diff --git a/services/marketplacedeployment/pom.xml b/services/marketplacedeployment/pom.xml index 9caf33818e59..279f06e5c885 100644 --- a/services/marketplacedeployment/pom.xml +++ b/services/marketplacedeployment/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 marketplacedeployment AWS Java SDK :: Services :: Marketplace Deployment diff --git a/services/marketplaceentitlement/pom.xml b/services/marketplaceentitlement/pom.xml index 1172dd7baf69..a2f9f22542a3 100644 --- a/services/marketplaceentitlement/pom.xml +++ b/services/marketplaceentitlement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 marketplaceentitlement AWS Java SDK :: Services :: AWS Marketplace Entitlement diff --git a/services/marketplacemetering/pom.xml b/services/marketplacemetering/pom.xml index 2d6ffac745b2..51cbc97f4cd8 100644 --- a/services/marketplacemetering/pom.xml +++ b/services/marketplacemetering/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 marketplacemetering AWS Java SDK :: Services :: AWS Marketplace Metering Service diff --git a/services/mediaconnect/pom.xml b/services/mediaconnect/pom.xml index 3d550737e113..63cf10a31c1b 100644 --- a/services/mediaconnect/pom.xml +++ b/services/mediaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 mediaconnect AWS Java SDK :: Services :: MediaConnect diff --git a/services/mediaconvert/pom.xml b/services/mediaconvert/pom.xml index eff7e15d25f5..be273c0781ab 100644 --- a/services/mediaconvert/pom.xml +++ b/services/mediaconvert/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22-SNAPSHOT + 2.27.22 4.0.0 mediaconvert diff --git a/services/medialive/pom.xml b/services/medialive/pom.xml index 29339fce8947..f2fdfcace7ba 100644 --- a/services/medialive/pom.xml +++ b/services/medialive/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22-SNAPSHOT + 2.27.22 4.0.0 medialive diff --git a/services/mediapackage/pom.xml b/services/mediapackage/pom.xml index 5d5ced3ce3c0..5e8f34f5e050 100644 --- a/services/mediapackage/pom.xml +++ b/services/mediapackage/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22-SNAPSHOT + 2.27.22 4.0.0 mediapackage diff --git a/services/mediapackagev2/pom.xml b/services/mediapackagev2/pom.xml index 993cceaa2ade..ea4382ca5a58 100644 --- a/services/mediapackagev2/pom.xml +++ b/services/mediapackagev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 mediapackagev2 AWS Java SDK :: Services :: Media Package V2 diff --git a/services/mediapackagevod/pom.xml b/services/mediapackagevod/pom.xml index 585737bef235..954482e2769b 100644 --- a/services/mediapackagevod/pom.xml +++ b/services/mediapackagevod/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 mediapackagevod AWS Java SDK :: Services :: MediaPackage Vod diff --git a/services/mediastore/pom.xml b/services/mediastore/pom.xml index f9ea67599671..24d971b24ec3 100644 --- a/services/mediastore/pom.xml +++ b/services/mediastore/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22-SNAPSHOT + 2.27.22 4.0.0 mediastore diff --git a/services/mediastoredata/pom.xml b/services/mediastoredata/pom.xml index 920ca7871a33..861d5ab58115 100644 --- a/services/mediastoredata/pom.xml +++ b/services/mediastoredata/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22-SNAPSHOT + 2.27.22 4.0.0 mediastoredata diff --git a/services/mediatailor/pom.xml b/services/mediatailor/pom.xml index 39b657486f92..2963fa821367 100644 --- a/services/mediatailor/pom.xml +++ b/services/mediatailor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 mediatailor AWS Java SDK :: Services :: MediaTailor diff --git a/services/medicalimaging/pom.xml b/services/medicalimaging/pom.xml index e6bf58020b7c..4fc399218ea5 100644 --- a/services/medicalimaging/pom.xml +++ b/services/medicalimaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 medicalimaging AWS Java SDK :: Services :: Medical Imaging diff --git a/services/memorydb/pom.xml b/services/memorydb/pom.xml index cecebd620c4d..d55dbc2dff6f 100644 --- a/services/memorydb/pom.xml +++ b/services/memorydb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 memorydb AWS Java SDK :: Services :: Memory DB diff --git a/services/mgn/pom.xml b/services/mgn/pom.xml index 9b0c10a36993..b5c7c8f4799c 100644 --- a/services/mgn/pom.xml +++ b/services/mgn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 mgn AWS Java SDK :: Services :: Mgn diff --git a/services/migrationhub/pom.xml b/services/migrationhub/pom.xml index 13444b95fd6b..4ce2266c091f 100644 --- a/services/migrationhub/pom.xml +++ b/services/migrationhub/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22-SNAPSHOT + 2.27.22 4.0.0 migrationhub diff --git a/services/migrationhubconfig/pom.xml b/services/migrationhubconfig/pom.xml index 130e6b65d737..a32961b4211c 100644 --- a/services/migrationhubconfig/pom.xml +++ b/services/migrationhubconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 migrationhubconfig AWS Java SDK :: Services :: MigrationHub Config diff --git a/services/migrationhuborchestrator/pom.xml b/services/migrationhuborchestrator/pom.xml index 08ad37f778ff..768134b5374f 100644 --- a/services/migrationhuborchestrator/pom.xml +++ b/services/migrationhuborchestrator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 migrationhuborchestrator AWS Java SDK :: Services :: Migration Hub Orchestrator diff --git a/services/migrationhubrefactorspaces/pom.xml b/services/migrationhubrefactorspaces/pom.xml index 352bb97464f7..ad85096ea356 100644 --- a/services/migrationhubrefactorspaces/pom.xml +++ b/services/migrationhubrefactorspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 migrationhubrefactorspaces AWS Java SDK :: Services :: Migration Hub Refactor Spaces diff --git a/services/migrationhubstrategy/pom.xml b/services/migrationhubstrategy/pom.xml index 2d3ff1729619..a0d5fd600579 100644 --- a/services/migrationhubstrategy/pom.xml +++ b/services/migrationhubstrategy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 migrationhubstrategy AWS Java SDK :: Services :: Migration Hub Strategy diff --git a/services/mq/pom.xml b/services/mq/pom.xml index ed126013bdb3..a75c6242d956 100644 --- a/services/mq/pom.xml +++ b/services/mq/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22-SNAPSHOT + 2.27.22 4.0.0 mq diff --git a/services/mturk/pom.xml b/services/mturk/pom.xml index 20a37ada7a86..44670d7dc5b2 100644 --- a/services/mturk/pom.xml +++ b/services/mturk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 mturk AWS Java SDK :: Services :: Amazon Mechanical Turk Requester diff --git a/services/mwaa/pom.xml b/services/mwaa/pom.xml index 93d151ac6c15..29d4c64ec1bf 100644 --- a/services/mwaa/pom.xml +++ b/services/mwaa/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 mwaa AWS Java SDK :: Services :: MWAA diff --git a/services/neptune/pom.xml b/services/neptune/pom.xml index 107e35a85c35..bf9117edfb51 100644 --- a/services/neptune/pom.xml +++ b/services/neptune/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 neptune AWS Java SDK :: Services :: Neptune diff --git a/services/neptunedata/pom.xml b/services/neptunedata/pom.xml index 802ae0b2a939..54fcf6b6ad98 100644 --- a/services/neptunedata/pom.xml +++ b/services/neptunedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 neptunedata AWS Java SDK :: Services :: Neptunedata diff --git a/services/neptunegraph/pom.xml b/services/neptunegraph/pom.xml index 9ee162b2028e..121d77eb0c82 100644 --- a/services/neptunegraph/pom.xml +++ b/services/neptunegraph/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 neptunegraph AWS Java SDK :: Services :: Neptune Graph diff --git a/services/networkfirewall/pom.xml b/services/networkfirewall/pom.xml index b22089d57210..aa63c842abfe 100644 --- a/services/networkfirewall/pom.xml +++ b/services/networkfirewall/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 networkfirewall AWS Java SDK :: Services :: Network Firewall diff --git a/services/networkmanager/pom.xml b/services/networkmanager/pom.xml index 2d650fc16445..b22d9878141a 100644 --- a/services/networkmanager/pom.xml +++ b/services/networkmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 networkmanager AWS Java SDK :: Services :: NetworkManager diff --git a/services/networkmonitor/pom.xml b/services/networkmonitor/pom.xml index 360c47a271e4..eae176b704e0 100644 --- a/services/networkmonitor/pom.xml +++ b/services/networkmonitor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 networkmonitor AWS Java SDK :: Services :: Network Monitor diff --git a/services/nimble/pom.xml b/services/nimble/pom.xml index 4df176c151c0..ff82dfda6d40 100644 --- a/services/nimble/pom.xml +++ b/services/nimble/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 nimble AWS Java SDK :: Services :: Nimble diff --git a/services/oam/pom.xml b/services/oam/pom.xml index be6d51eca78f..03db73cd4079 100644 --- a/services/oam/pom.xml +++ b/services/oam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 oam AWS Java SDK :: Services :: OAM diff --git a/services/omics/pom.xml b/services/omics/pom.xml index 4273a51aa4fd..3db255b187a6 100644 --- a/services/omics/pom.xml +++ b/services/omics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 omics AWS Java SDK :: Services :: Omics diff --git a/services/opensearch/pom.xml b/services/opensearch/pom.xml index 0e007fb88c4b..e43fb11cba8b 100644 --- a/services/opensearch/pom.xml +++ b/services/opensearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 opensearch AWS Java SDK :: Services :: Open Search diff --git a/services/opensearchserverless/pom.xml b/services/opensearchserverless/pom.xml index 2fe298ee8566..09c004c36667 100644 --- a/services/opensearchserverless/pom.xml +++ b/services/opensearchserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 opensearchserverless AWS Java SDK :: Services :: Open Search Serverless diff --git a/services/opsworks/pom.xml b/services/opsworks/pom.xml index 70b99f2881d3..f3154aa9e454 100644 --- a/services/opsworks/pom.xml +++ b/services/opsworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 opsworks AWS Java SDK :: Services :: AWS OpsWorks diff --git a/services/opsworkscm/pom.xml b/services/opsworkscm/pom.xml index ae013f0fd92b..25b756e05355 100644 --- a/services/opsworkscm/pom.xml +++ b/services/opsworkscm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 opsworkscm AWS Java SDK :: Services :: AWS OpsWorks for Chef Automate diff --git a/services/organizations/pom.xml b/services/organizations/pom.xml index c955ca4835a1..b0dcd720bcf3 100644 --- a/services/organizations/pom.xml +++ b/services/organizations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 organizations AWS Java SDK :: Services :: AWS Organizations diff --git a/services/osis/pom.xml b/services/osis/pom.xml index def525ff7321..deb1461f37d9 100644 --- a/services/osis/pom.xml +++ b/services/osis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 osis AWS Java SDK :: Services :: OSIS diff --git a/services/outposts/pom.xml b/services/outposts/pom.xml index af3af0e7af7c..e926b7434d42 100644 --- a/services/outposts/pom.xml +++ b/services/outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 outposts AWS Java SDK :: Services :: Outposts diff --git a/services/panorama/pom.xml b/services/panorama/pom.xml index 4a8d8c8cdf91..c2f59b8d9d41 100644 --- a/services/panorama/pom.xml +++ b/services/panorama/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 panorama AWS Java SDK :: Services :: Panorama diff --git a/services/paymentcryptography/pom.xml b/services/paymentcryptography/pom.xml index 6e9d70ab56a6..9e979b289c6b 100644 --- a/services/paymentcryptography/pom.xml +++ b/services/paymentcryptography/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 paymentcryptography AWS Java SDK :: Services :: Payment Cryptography diff --git a/services/paymentcryptographydata/pom.xml b/services/paymentcryptographydata/pom.xml index 4e865a796fc7..aca9359fb2b4 100644 --- a/services/paymentcryptographydata/pom.xml +++ b/services/paymentcryptographydata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 paymentcryptographydata AWS Java SDK :: Services :: Payment Cryptography Data diff --git a/services/pcaconnectorad/pom.xml b/services/pcaconnectorad/pom.xml index df50fad986db..891cb435e391 100644 --- a/services/pcaconnectorad/pom.xml +++ b/services/pcaconnectorad/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 pcaconnectorad AWS Java SDK :: Services :: Pca Connector Ad diff --git a/services/pcaconnectorscep/pom.xml b/services/pcaconnectorscep/pom.xml index 3e8378be6173..3bf93d87c86a 100644 --- a/services/pcaconnectorscep/pom.xml +++ b/services/pcaconnectorscep/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 pcaconnectorscep AWS Java SDK :: Services :: Pca Connector Scep diff --git a/services/pcs/pom.xml b/services/pcs/pom.xml index 262f0728e9b9..70cd369b58e7 100644 --- a/services/pcs/pom.xml +++ b/services/pcs/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 pcs AWS Java SDK :: Services :: PCS diff --git a/services/personalize/pom.xml b/services/personalize/pom.xml index d24d7906260e..b7c04988cc56 100644 --- a/services/personalize/pom.xml +++ b/services/personalize/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 personalize AWS Java SDK :: Services :: Personalize diff --git a/services/personalizeevents/pom.xml b/services/personalizeevents/pom.xml index 5bcfad3c96a3..8b69fd6b7274 100644 --- a/services/personalizeevents/pom.xml +++ b/services/personalizeevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 personalizeevents AWS Java SDK :: Services :: Personalize Events diff --git a/services/personalizeruntime/pom.xml b/services/personalizeruntime/pom.xml index 9935a8bb305d..7e2eb5e9d007 100644 --- a/services/personalizeruntime/pom.xml +++ b/services/personalizeruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 personalizeruntime AWS Java SDK :: Services :: Personalize Runtime diff --git a/services/pi/pom.xml b/services/pi/pom.xml index 1ee8cffe5191..28fb055a61be 100644 --- a/services/pi/pom.xml +++ b/services/pi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 pi AWS Java SDK :: Services :: PI diff --git a/services/pinpoint/pom.xml b/services/pinpoint/pom.xml index 2c76281ab664..ecb3aa318f36 100644 --- a/services/pinpoint/pom.xml +++ b/services/pinpoint/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 pinpoint AWS Java SDK :: Services :: Amazon Pinpoint diff --git a/services/pinpointemail/pom.xml b/services/pinpointemail/pom.xml index 103ef55cecaf..ac3bf5377e08 100644 --- a/services/pinpointemail/pom.xml +++ b/services/pinpointemail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 pinpointemail AWS Java SDK :: Services :: Pinpoint Email diff --git a/services/pinpointsmsvoice/pom.xml b/services/pinpointsmsvoice/pom.xml index 440e9d013f27..4d57df687801 100644 --- a/services/pinpointsmsvoice/pom.xml +++ b/services/pinpointsmsvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 pinpointsmsvoice AWS Java SDK :: Services :: Pinpoint SMS Voice diff --git a/services/pinpointsmsvoicev2/pom.xml b/services/pinpointsmsvoicev2/pom.xml index c269c34fe7f8..e828ecc6f8ad 100644 --- a/services/pinpointsmsvoicev2/pom.xml +++ b/services/pinpointsmsvoicev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 pinpointsmsvoicev2 AWS Java SDK :: Services :: Pinpoint SMS Voice V2 diff --git a/services/pipes/pom.xml b/services/pipes/pom.xml index f14bc19c5888..37624fd46784 100644 --- a/services/pipes/pom.xml +++ b/services/pipes/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 pipes AWS Java SDK :: Services :: Pipes diff --git a/services/polly/pom.xml b/services/polly/pom.xml index 70d399d78edb..3d7fac0d1b7f 100644 --- a/services/polly/pom.xml +++ b/services/polly/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 polly AWS Java SDK :: Services :: Amazon Polly diff --git a/services/pom.xml b/services/pom.xml index f5df103ee1ba..6ddc2d438e81 100644 --- a/services/pom.xml +++ b/services/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.22-SNAPSHOT + 2.27.22 services AWS Java SDK :: Services diff --git a/services/pricing/pom.xml b/services/pricing/pom.xml index 1c80e398aadc..4b5cd8aad2fd 100644 --- a/services/pricing/pom.xml +++ b/services/pricing/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22-SNAPSHOT + 2.27.22 4.0.0 pricing diff --git a/services/privatenetworks/pom.xml b/services/privatenetworks/pom.xml index 4a3f2d9a9dcf..bc9ee95c1770 100644 --- a/services/privatenetworks/pom.xml +++ b/services/privatenetworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 privatenetworks AWS Java SDK :: Services :: Private Networks diff --git a/services/proton/pom.xml b/services/proton/pom.xml index 281c20c107c4..d458154eb03d 100644 --- a/services/proton/pom.xml +++ b/services/proton/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 proton AWS Java SDK :: Services :: Proton diff --git a/services/qapps/pom.xml b/services/qapps/pom.xml index 1e63d110d0a9..857987749855 100644 --- a/services/qapps/pom.xml +++ b/services/qapps/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 qapps AWS Java SDK :: Services :: Q Apps diff --git a/services/qbusiness/pom.xml b/services/qbusiness/pom.xml index 40791f959dd4..417db45ed900 100644 --- a/services/qbusiness/pom.xml +++ b/services/qbusiness/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 qbusiness AWS Java SDK :: Services :: Q Business diff --git a/services/qconnect/pom.xml b/services/qconnect/pom.xml index 87cf67f73163..8191d4e5a7f0 100644 --- a/services/qconnect/pom.xml +++ b/services/qconnect/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 qconnect AWS Java SDK :: Services :: Q Connect diff --git a/services/qldb/pom.xml b/services/qldb/pom.xml index 5cde2c943650..eb37dbe9cc35 100644 --- a/services/qldb/pom.xml +++ b/services/qldb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 qldb AWS Java SDK :: Services :: QLDB diff --git a/services/qldbsession/pom.xml b/services/qldbsession/pom.xml index ee9bb109cd90..d4e2e52142a1 100644 --- a/services/qldbsession/pom.xml +++ b/services/qldbsession/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 qldbsession AWS Java SDK :: Services :: QLDB Session diff --git a/services/quicksight/pom.xml b/services/quicksight/pom.xml index ac63b0a5bc08..29d010dc2d84 100644 --- a/services/quicksight/pom.xml +++ b/services/quicksight/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 quicksight AWS Java SDK :: Services :: QuickSight diff --git a/services/ram/pom.xml b/services/ram/pom.xml index 55ccfe925d8d..30e2e299ff51 100644 --- a/services/ram/pom.xml +++ b/services/ram/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 ram AWS Java SDK :: Services :: RAM diff --git a/services/rbin/pom.xml b/services/rbin/pom.xml index 2bdba5add9e9..a5056b721826 100644 --- a/services/rbin/pom.xml +++ b/services/rbin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 rbin AWS Java SDK :: Services :: Rbin diff --git a/services/rds/pom.xml b/services/rds/pom.xml index 629b11f90ffb..8411e45db840 100644 --- a/services/rds/pom.xml +++ b/services/rds/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 rds AWS Java SDK :: Services :: Amazon RDS diff --git a/services/rdsdata/pom.xml b/services/rdsdata/pom.xml index 5d49a38fa14f..4faf3d707fda 100644 --- a/services/rdsdata/pom.xml +++ b/services/rdsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 rdsdata AWS Java SDK :: Services :: RDS Data diff --git a/services/redshift/pom.xml b/services/redshift/pom.xml index eed134a6537b..0dd37ee3a7ca 100644 --- a/services/redshift/pom.xml +++ b/services/redshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 redshift AWS Java SDK :: Services :: Amazon Redshift diff --git a/services/redshiftdata/pom.xml b/services/redshiftdata/pom.xml index 88c00379e2a8..b5c5e2866ce7 100644 --- a/services/redshiftdata/pom.xml +++ b/services/redshiftdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 redshiftdata AWS Java SDK :: Services :: Redshift Data diff --git a/services/redshiftserverless/pom.xml b/services/redshiftserverless/pom.xml index 0c8eaff25637..16471e538928 100644 --- a/services/redshiftserverless/pom.xml +++ b/services/redshiftserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 redshiftserverless AWS Java SDK :: Services :: Redshift Serverless diff --git a/services/rekognition/pom.xml b/services/rekognition/pom.xml index 68793746b620..68909b381978 100644 --- a/services/rekognition/pom.xml +++ b/services/rekognition/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 rekognition AWS Java SDK :: Services :: Amazon Rekognition diff --git a/services/repostspace/pom.xml b/services/repostspace/pom.xml index 7fdaeb8df85a..5a53ee8d35c3 100644 --- a/services/repostspace/pom.xml +++ b/services/repostspace/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 repostspace AWS Java SDK :: Services :: Repostspace diff --git a/services/resiliencehub/pom.xml b/services/resiliencehub/pom.xml index 598651b53f5b..85d57b7a5fbb 100644 --- a/services/resiliencehub/pom.xml +++ b/services/resiliencehub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 resiliencehub AWS Java SDK :: Services :: Resiliencehub diff --git a/services/resourceexplorer2/pom.xml b/services/resourceexplorer2/pom.xml index b5a22d712d0c..58fb8b010cb9 100644 --- a/services/resourceexplorer2/pom.xml +++ b/services/resourceexplorer2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 resourceexplorer2 AWS Java SDK :: Services :: Resource Explorer 2 diff --git a/services/resourcegroups/pom.xml b/services/resourcegroups/pom.xml index 44352bc13ab6..e8547b859821 100644 --- a/services/resourcegroups/pom.xml +++ b/services/resourcegroups/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22-SNAPSHOT + 2.27.22 4.0.0 resourcegroups diff --git a/services/resourcegroupstaggingapi/pom.xml b/services/resourcegroupstaggingapi/pom.xml index fdcb6ffa87f6..5f624d617ce3 100644 --- a/services/resourcegroupstaggingapi/pom.xml +++ b/services/resourcegroupstaggingapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 resourcegroupstaggingapi AWS Java SDK :: Services :: AWS Resource Groups Tagging API diff --git a/services/robomaker/pom.xml b/services/robomaker/pom.xml index 2866177b0620..e44612b70d7b 100644 --- a/services/robomaker/pom.xml +++ b/services/robomaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 robomaker AWS Java SDK :: Services :: RoboMaker diff --git a/services/rolesanywhere/pom.xml b/services/rolesanywhere/pom.xml index f6fc88371ee8..5a4f3aaaa5b3 100644 --- a/services/rolesanywhere/pom.xml +++ b/services/rolesanywhere/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 rolesanywhere AWS Java SDK :: Services :: Roles Anywhere diff --git a/services/route53/pom.xml b/services/route53/pom.xml index 686089c06b2c..380793966b35 100644 --- a/services/route53/pom.xml +++ b/services/route53/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 route53 AWS Java SDK :: Services :: Amazon Route53 diff --git a/services/route53domains/pom.xml b/services/route53domains/pom.xml index 101dfc43dda9..25b09604ab08 100644 --- a/services/route53domains/pom.xml +++ b/services/route53domains/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 route53domains AWS Java SDK :: Services :: Amazon Route53 Domains diff --git a/services/route53profiles/pom.xml b/services/route53profiles/pom.xml index 62532a955fcc..46c25257ac97 100644 --- a/services/route53profiles/pom.xml +++ b/services/route53profiles/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 route53profiles AWS Java SDK :: Services :: Route53 Profiles diff --git a/services/route53recoverycluster/pom.xml b/services/route53recoverycluster/pom.xml index 180803004ec4..a20ceefa6e24 100644 --- a/services/route53recoverycluster/pom.xml +++ b/services/route53recoverycluster/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 route53recoverycluster AWS Java SDK :: Services :: Route53 Recovery Cluster diff --git a/services/route53recoverycontrolconfig/pom.xml b/services/route53recoverycontrolconfig/pom.xml index 8ecb3b1e09f7..a5ce7e38ad11 100644 --- a/services/route53recoverycontrolconfig/pom.xml +++ b/services/route53recoverycontrolconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 route53recoverycontrolconfig AWS Java SDK :: Services :: Route53 Recovery Control Config diff --git a/services/route53recoveryreadiness/pom.xml b/services/route53recoveryreadiness/pom.xml index d2685454a931..bc77f9193221 100644 --- a/services/route53recoveryreadiness/pom.xml +++ b/services/route53recoveryreadiness/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 route53recoveryreadiness AWS Java SDK :: Services :: Route53 Recovery Readiness diff --git a/services/route53resolver/pom.xml b/services/route53resolver/pom.xml index 1bcf1502165c..282fc050a6d4 100644 --- a/services/route53resolver/pom.xml +++ b/services/route53resolver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 route53resolver AWS Java SDK :: Services :: Route53Resolver diff --git a/services/rum/pom.xml b/services/rum/pom.xml index f035f1a5d495..4e40f3ce3ea7 100644 --- a/services/rum/pom.xml +++ b/services/rum/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 rum AWS Java SDK :: Services :: RUM diff --git a/services/s3/pom.xml b/services/s3/pom.xml index d05213e90a78..e6ce2199ce60 100644 --- a/services/s3/pom.xml +++ b/services/s3/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 s3 AWS Java SDK :: Services :: Amazon S3 diff --git a/services/s3control/pom.xml b/services/s3control/pom.xml index 5b0a8d14e164..a0fdb09b872f 100644 --- a/services/s3control/pom.xml +++ b/services/s3control/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 s3control AWS Java SDK :: Services :: Amazon S3 Control diff --git a/services/s3outposts/pom.xml b/services/s3outposts/pom.xml index ad5b63676114..60065a65fbdd 100644 --- a/services/s3outposts/pom.xml +++ b/services/s3outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 s3outposts AWS Java SDK :: Services :: S3 Outposts diff --git a/services/sagemaker/pom.xml b/services/sagemaker/pom.xml index 92da557e5d3d..bc5e34fc4ce5 100644 --- a/services/sagemaker/pom.xml +++ b/services/sagemaker/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22-SNAPSHOT + 2.27.22 4.0.0 sagemaker diff --git a/services/sagemakera2iruntime/pom.xml b/services/sagemakera2iruntime/pom.xml index 1db3c58aea77..20bf282f9946 100644 --- a/services/sagemakera2iruntime/pom.xml +++ b/services/sagemakera2iruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 sagemakera2iruntime AWS Java SDK :: Services :: SageMaker A2I Runtime diff --git a/services/sagemakeredge/pom.xml b/services/sagemakeredge/pom.xml index d9e6f805383c..87e777d21239 100644 --- a/services/sagemakeredge/pom.xml +++ b/services/sagemakeredge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 sagemakeredge AWS Java SDK :: Services :: Sagemaker Edge diff --git a/services/sagemakerfeaturestoreruntime/pom.xml b/services/sagemakerfeaturestoreruntime/pom.xml index 435bd7e4e700..8d72e4d15840 100644 --- a/services/sagemakerfeaturestoreruntime/pom.xml +++ b/services/sagemakerfeaturestoreruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 sagemakerfeaturestoreruntime AWS Java SDK :: Services :: Sage Maker Feature Store Runtime diff --git a/services/sagemakergeospatial/pom.xml b/services/sagemakergeospatial/pom.xml index 0857c09dca23..cd04acddddfc 100644 --- a/services/sagemakergeospatial/pom.xml +++ b/services/sagemakergeospatial/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 sagemakergeospatial AWS Java SDK :: Services :: Sage Maker Geospatial diff --git a/services/sagemakermetrics/pom.xml b/services/sagemakermetrics/pom.xml index 9b281c5d0d7d..e6e82cb659ea 100644 --- a/services/sagemakermetrics/pom.xml +++ b/services/sagemakermetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 sagemakermetrics AWS Java SDK :: Services :: Sage Maker Metrics diff --git a/services/sagemakerruntime/pom.xml b/services/sagemakerruntime/pom.xml index ad7ddc9b7395..2c8f58130c25 100644 --- a/services/sagemakerruntime/pom.xml +++ b/services/sagemakerruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 sagemakerruntime AWS Java SDK :: Services :: SageMaker Runtime diff --git a/services/savingsplans/pom.xml b/services/savingsplans/pom.xml index bc8f5a5331a9..711994ab3814 100644 --- a/services/savingsplans/pom.xml +++ b/services/savingsplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 savingsplans AWS Java SDK :: Services :: Savingsplans diff --git a/services/scheduler/pom.xml b/services/scheduler/pom.xml index 1e0935415c7f..96ed483d39f1 100644 --- a/services/scheduler/pom.xml +++ b/services/scheduler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 scheduler AWS Java SDK :: Services :: Scheduler diff --git a/services/schemas/pom.xml b/services/schemas/pom.xml index f51f570a5f98..128962bc287a 100644 --- a/services/schemas/pom.xml +++ b/services/schemas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 schemas AWS Java SDK :: Services :: Schemas diff --git a/services/secretsmanager/pom.xml b/services/secretsmanager/pom.xml index fbf90f553b27..2719b7f2a9b1 100644 --- a/services/secretsmanager/pom.xml +++ b/services/secretsmanager/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 secretsmanager AWS Java SDK :: Services :: AWS Secrets Manager diff --git a/services/securityhub/pom.xml b/services/securityhub/pom.xml index 2e7471189fc4..385853fcd98d 100644 --- a/services/securityhub/pom.xml +++ b/services/securityhub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 securityhub AWS Java SDK :: Services :: SecurityHub diff --git a/services/securitylake/pom.xml b/services/securitylake/pom.xml index 36d83c4eee62..8814825bc5e9 100644 --- a/services/securitylake/pom.xml +++ b/services/securitylake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 securitylake AWS Java SDK :: Services :: Security Lake diff --git a/services/serverlessapplicationrepository/pom.xml b/services/serverlessapplicationrepository/pom.xml index 6ccb369a94c6..28ecaa2805e5 100644 --- a/services/serverlessapplicationrepository/pom.xml +++ b/services/serverlessapplicationrepository/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22-SNAPSHOT + 2.27.22 4.0.0 serverlessapplicationrepository diff --git a/services/servicecatalog/pom.xml b/services/servicecatalog/pom.xml index 7136691793f7..c82049cfdd0e 100644 --- a/services/servicecatalog/pom.xml +++ b/services/servicecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 servicecatalog AWS Java SDK :: Services :: AWS Service Catalog diff --git a/services/servicecatalogappregistry/pom.xml b/services/servicecatalogappregistry/pom.xml index d02bce897286..1bae12cef142 100644 --- a/services/servicecatalogappregistry/pom.xml +++ b/services/servicecatalogappregistry/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 servicecatalogappregistry AWS Java SDK :: Services :: Service Catalog App Registry diff --git a/services/servicediscovery/pom.xml b/services/servicediscovery/pom.xml index 6feaddb9a0e4..fc4414136e5b 100644 --- a/services/servicediscovery/pom.xml +++ b/services/servicediscovery/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22-SNAPSHOT + 2.27.22 4.0.0 servicediscovery diff --git a/services/servicequotas/pom.xml b/services/servicequotas/pom.xml index 240368ec1bf6..50dbf42ae9e4 100644 --- a/services/servicequotas/pom.xml +++ b/services/servicequotas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 servicequotas AWS Java SDK :: Services :: Service Quotas diff --git a/services/ses/pom.xml b/services/ses/pom.xml index 4bf3414d406f..1953f685b18c 100644 --- a/services/ses/pom.xml +++ b/services/ses/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 ses AWS Java SDK :: Services :: Amazon SES diff --git a/services/sesv2/pom.xml b/services/sesv2/pom.xml index e2430d86e16a..bb60d07ed394 100644 --- a/services/sesv2/pom.xml +++ b/services/sesv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 sesv2 AWS Java SDK :: Services :: SESv2 diff --git a/services/sfn/pom.xml b/services/sfn/pom.xml index c14454d3f94f..a896bfe5ae52 100644 --- a/services/sfn/pom.xml +++ b/services/sfn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 sfn AWS Java SDK :: Services :: AWS Step Functions diff --git a/services/shield/pom.xml b/services/shield/pom.xml index 3beb782d7091..54e58e157c75 100644 --- a/services/shield/pom.xml +++ b/services/shield/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 shield AWS Java SDK :: Services :: AWS Shield diff --git a/services/signer/pom.xml b/services/signer/pom.xml index b53117d73b55..d93006aab1f6 100644 --- a/services/signer/pom.xml +++ b/services/signer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 signer AWS Java SDK :: Services :: Signer diff --git a/services/simspaceweaver/pom.xml b/services/simspaceweaver/pom.xml index e70d6091bbcc..ba23a0b9d3b0 100644 --- a/services/simspaceweaver/pom.xml +++ b/services/simspaceweaver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 simspaceweaver AWS Java SDK :: Services :: Sim Space Weaver diff --git a/services/sms/pom.xml b/services/sms/pom.xml index c787b76c0fa3..edc822b32d31 100644 --- a/services/sms/pom.xml +++ b/services/sms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 sms AWS Java SDK :: Services :: AWS Server Migration diff --git a/services/snowball/pom.xml b/services/snowball/pom.xml index 93976a86f100..dfee2c12bba6 100644 --- a/services/snowball/pom.xml +++ b/services/snowball/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 snowball AWS Java SDK :: Services :: Amazon Snowball diff --git a/services/snowdevicemanagement/pom.xml b/services/snowdevicemanagement/pom.xml index 34ce900b18f9..947dd2f4ec2d 100644 --- a/services/snowdevicemanagement/pom.xml +++ b/services/snowdevicemanagement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 snowdevicemanagement AWS Java SDK :: Services :: Snow Device Management diff --git a/services/sns/pom.xml b/services/sns/pom.xml index 9f277e58af7d..7cd157be2ff3 100644 --- a/services/sns/pom.xml +++ b/services/sns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 sns AWS Java SDK :: Services :: Amazon SNS diff --git a/services/sqs/pom.xml b/services/sqs/pom.xml index bfff16dc9109..006c8daf9ea7 100644 --- a/services/sqs/pom.xml +++ b/services/sqs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 sqs AWS Java SDK :: Services :: Amazon SQS diff --git a/services/ssm/pom.xml b/services/ssm/pom.xml index 842ada5968fd..6f88f128d295 100644 --- a/services/ssm/pom.xml +++ b/services/ssm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 ssm AWS Java SDK :: Services :: AWS Simple Systems Management (SSM) diff --git a/services/ssmcontacts/pom.xml b/services/ssmcontacts/pom.xml index 0970d8e5b268..ece4ef8c0187 100644 --- a/services/ssmcontacts/pom.xml +++ b/services/ssmcontacts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 ssmcontacts AWS Java SDK :: Services :: SSM Contacts diff --git a/services/ssmincidents/pom.xml b/services/ssmincidents/pom.xml index 66a169670f66..2901c8fdcf8f 100644 --- a/services/ssmincidents/pom.xml +++ b/services/ssmincidents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 ssmincidents AWS Java SDK :: Services :: SSM Incidents diff --git a/services/ssmquicksetup/pom.xml b/services/ssmquicksetup/pom.xml index ba8d5468fb30..bf716238bfbe 100644 --- a/services/ssmquicksetup/pom.xml +++ b/services/ssmquicksetup/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 ssmquicksetup AWS Java SDK :: Services :: SSM Quick Setup diff --git a/services/ssmsap/pom.xml b/services/ssmsap/pom.xml index 03ae359cdcd7..57db6e112336 100644 --- a/services/ssmsap/pom.xml +++ b/services/ssmsap/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 ssmsap AWS Java SDK :: Services :: Ssm Sap diff --git a/services/sso/pom.xml b/services/sso/pom.xml index 762a62e3b85c..a3c11a01cc5a 100644 --- a/services/sso/pom.xml +++ b/services/sso/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 sso AWS Java SDK :: Services :: SSO diff --git a/services/ssoadmin/pom.xml b/services/ssoadmin/pom.xml index 93920839d160..d9360de6235f 100644 --- a/services/ssoadmin/pom.xml +++ b/services/ssoadmin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 ssoadmin AWS Java SDK :: Services :: SSO Admin diff --git a/services/ssooidc/pom.xml b/services/ssooidc/pom.xml index 34f5524e547d..0ee61cc9a258 100644 --- a/services/ssooidc/pom.xml +++ b/services/ssooidc/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 ssooidc AWS Java SDK :: Services :: SSO OIDC diff --git a/services/storagegateway/pom.xml b/services/storagegateway/pom.xml index 54a5b093e0ac..819be9fd344b 100644 --- a/services/storagegateway/pom.xml +++ b/services/storagegateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 storagegateway AWS Java SDK :: Services :: AWS Storage Gateway diff --git a/services/sts/pom.xml b/services/sts/pom.xml index c79a5dc4ad22..bb3d41016921 100644 --- a/services/sts/pom.xml +++ b/services/sts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 sts AWS Java SDK :: Services :: AWS STS diff --git a/services/supplychain/pom.xml b/services/supplychain/pom.xml index 6536b4c3e4e7..2f7c80f03723 100644 --- a/services/supplychain/pom.xml +++ b/services/supplychain/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 supplychain AWS Java SDK :: Services :: Supply Chain diff --git a/services/support/pom.xml b/services/support/pom.xml index 9ce676a47338..1d7d6cc6e5fe 100644 --- a/services/support/pom.xml +++ b/services/support/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 support AWS Java SDK :: Services :: AWS Support diff --git a/services/supportapp/pom.xml b/services/supportapp/pom.xml index 0fc0e9865a48..22d23fa455d4 100644 --- a/services/supportapp/pom.xml +++ b/services/supportapp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 supportapp AWS Java SDK :: Services :: Support App diff --git a/services/swf/pom.xml b/services/swf/pom.xml index afe7d86c9884..6e0b31c8ca0a 100644 --- a/services/swf/pom.xml +++ b/services/swf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 swf AWS Java SDK :: Services :: Amazon SWF diff --git a/services/synthetics/pom.xml b/services/synthetics/pom.xml index f875d41ecd69..21e3465060dd 100644 --- a/services/synthetics/pom.xml +++ b/services/synthetics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 synthetics AWS Java SDK :: Services :: Synthetics diff --git a/services/taxsettings/pom.xml b/services/taxsettings/pom.xml index d0a4f7517a42..db0bdf760b2e 100644 --- a/services/taxsettings/pom.xml +++ b/services/taxsettings/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 taxsettings AWS Java SDK :: Services :: Tax Settings diff --git a/services/textract/pom.xml b/services/textract/pom.xml index d85705fd24d0..ded7e2dda2ac 100644 --- a/services/textract/pom.xml +++ b/services/textract/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 textract AWS Java SDK :: Services :: Textract diff --git a/services/timestreaminfluxdb/pom.xml b/services/timestreaminfluxdb/pom.xml index 5e2976a4a0bf..fb591bd6c972 100644 --- a/services/timestreaminfluxdb/pom.xml +++ b/services/timestreaminfluxdb/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 timestreaminfluxdb AWS Java SDK :: Services :: Timestream Influx DB diff --git a/services/timestreamquery/pom.xml b/services/timestreamquery/pom.xml index e89e6c7e6f69..5b5bc4717f31 100644 --- a/services/timestreamquery/pom.xml +++ b/services/timestreamquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 timestreamquery AWS Java SDK :: Services :: Timestream Query diff --git a/services/timestreamwrite/pom.xml b/services/timestreamwrite/pom.xml index 5fecb1f3d3f9..60810b00aae3 100644 --- a/services/timestreamwrite/pom.xml +++ b/services/timestreamwrite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 timestreamwrite AWS Java SDK :: Services :: Timestream Write diff --git a/services/tnb/pom.xml b/services/tnb/pom.xml index 9f8d297eb7f7..77d2eac7cbc4 100644 --- a/services/tnb/pom.xml +++ b/services/tnb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 tnb AWS Java SDK :: Services :: Tnb diff --git a/services/transcribe/pom.xml b/services/transcribe/pom.xml index e0f9ca1e136a..baa8d11fe91d 100644 --- a/services/transcribe/pom.xml +++ b/services/transcribe/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 transcribe AWS Java SDK :: Services :: Transcribe diff --git a/services/transcribestreaming/pom.xml b/services/transcribestreaming/pom.xml index ff222605d0fb..e5fc2fe627d3 100644 --- a/services/transcribestreaming/pom.xml +++ b/services/transcribestreaming/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 transcribestreaming AWS Java SDK :: Services :: AWS Transcribe Streaming diff --git a/services/transfer/pom.xml b/services/transfer/pom.xml index b60d360f871d..be9793065c9a 100644 --- a/services/transfer/pom.xml +++ b/services/transfer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 transfer AWS Java SDK :: Services :: Transfer diff --git a/services/translate/pom.xml b/services/translate/pom.xml index db005e6ccd15..30538068ed95 100644 --- a/services/translate/pom.xml +++ b/services/translate/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22-SNAPSHOT + 2.27.22 4.0.0 translate diff --git a/services/trustedadvisor/pom.xml b/services/trustedadvisor/pom.xml index aa0736f6c254..49bde41d4778 100644 --- a/services/trustedadvisor/pom.xml +++ b/services/trustedadvisor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 trustedadvisor AWS Java SDK :: Services :: Trusted Advisor diff --git a/services/verifiedpermissions/pom.xml b/services/verifiedpermissions/pom.xml index 543824f264c5..28847b5e466e 100644 --- a/services/verifiedpermissions/pom.xml +++ b/services/verifiedpermissions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 verifiedpermissions AWS Java SDK :: Services :: Verified Permissions diff --git a/services/voiceid/pom.xml b/services/voiceid/pom.xml index 4f06ac20074c..4b2a2a18a2ec 100644 --- a/services/voiceid/pom.xml +++ b/services/voiceid/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 voiceid AWS Java SDK :: Services :: Voice ID diff --git a/services/vpclattice/pom.xml b/services/vpclattice/pom.xml index 98509dbdfa3d..f693c66589a9 100644 --- a/services/vpclattice/pom.xml +++ b/services/vpclattice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 vpclattice AWS Java SDK :: Services :: VPC Lattice diff --git a/services/waf/pom.xml b/services/waf/pom.xml index e0b0d8f9ffec..0447d006e272 100644 --- a/services/waf/pom.xml +++ b/services/waf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 waf AWS Java SDK :: Services :: AWS WAF diff --git a/services/wafv2/pom.xml b/services/wafv2/pom.xml index 79dc789becff..285cc18deb07 100644 --- a/services/wafv2/pom.xml +++ b/services/wafv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 wafv2 AWS Java SDK :: Services :: WAFV2 diff --git a/services/wellarchitected/pom.xml b/services/wellarchitected/pom.xml index f390dd114eae..6ce98f05f7bc 100644 --- a/services/wellarchitected/pom.xml +++ b/services/wellarchitected/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 wellarchitected AWS Java SDK :: Services :: Well Architected diff --git a/services/wisdom/pom.xml b/services/wisdom/pom.xml index 64227ee9b70c..7fb10538f515 100644 --- a/services/wisdom/pom.xml +++ b/services/wisdom/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 wisdom AWS Java SDK :: Services :: Wisdom diff --git a/services/workdocs/pom.xml b/services/workdocs/pom.xml index ae58ebab564c..358f2cab2327 100644 --- a/services/workdocs/pom.xml +++ b/services/workdocs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 workdocs AWS Java SDK :: Services :: Amazon WorkDocs diff --git a/services/worklink/pom.xml b/services/worklink/pom.xml index 8d011d0be778..fe3669387811 100644 --- a/services/worklink/pom.xml +++ b/services/worklink/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 worklink AWS Java SDK :: Services :: WorkLink diff --git a/services/workmail/pom.xml b/services/workmail/pom.xml index 45233956ea60..9fc5d981ee43 100644 --- a/services/workmail/pom.xml +++ b/services/workmail/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22-SNAPSHOT + 2.27.22 4.0.0 workmail diff --git a/services/workmailmessageflow/pom.xml b/services/workmailmessageflow/pom.xml index 5ff32c10a5a6..873aa2aa49ed 100644 --- a/services/workmailmessageflow/pom.xml +++ b/services/workmailmessageflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 workmailmessageflow AWS Java SDK :: Services :: WorkMailMessageFlow diff --git a/services/workspaces/pom.xml b/services/workspaces/pom.xml index 8b687cd3465f..d74637ec72b1 100644 --- a/services/workspaces/pom.xml +++ b/services/workspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 workspaces AWS Java SDK :: Services :: Amazon WorkSpaces diff --git a/services/workspacesthinclient/pom.xml b/services/workspacesthinclient/pom.xml index 47e7926e7e5c..305a47b6b3be 100644 --- a/services/workspacesthinclient/pom.xml +++ b/services/workspacesthinclient/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 workspacesthinclient AWS Java SDK :: Services :: Work Spaces Thin Client diff --git a/services/workspacesweb/pom.xml b/services/workspacesweb/pom.xml index 613f9b26ba9c..abc6a72affae 100644 --- a/services/workspacesweb/pom.xml +++ b/services/workspacesweb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 workspacesweb AWS Java SDK :: Services :: Work Spaces Web diff --git a/services/xray/pom.xml b/services/xray/pom.xml index 3d5a3458bb0d..274ef984381c 100644 --- a/services/xray/pom.xml +++ b/services/xray/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22-SNAPSHOT + 2.27.22 xray AWS Java SDK :: Services :: AWS X-Ray diff --git a/test/auth-tests/pom.xml b/test/auth-tests/pom.xml index b080994c8f82..1fc0daeff165 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.27.22-SNAPSHOT + 2.27.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 b516224da808..48a8a20441c7 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.27.22-SNAPSHOT + 2.27.22 ../../pom.xml 4.0.0 diff --git a/test/bundle-shading-tests/pom.xml b/test/bundle-shading-tests/pom.xml index e76ecfdbf26b..b50d944a5ff5 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.27.22-SNAPSHOT + 2.27.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 d41eb052e159..7d02637ed30a 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.27.22-SNAPSHOT + 2.27.22 ../../pom.xml diff --git a/test/crt-unavailable-tests/pom.xml b/test/crt-unavailable-tests/pom.xml index 153510b2858e..e57b2cecf9e0 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.27.22-SNAPSHOT + 2.27.22 ../../pom.xml 4.0.0 diff --git a/test/http-client-tests/pom.xml b/test/http-client-tests/pom.xml index 2f87c3635c73..112dc7776dd2 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.27.22-SNAPSHOT + 2.27.22 ../../pom.xml http-client-tests diff --git a/test/module-path-tests/pom.xml b/test/module-path-tests/pom.xml index 858ba9973db2..5b5bfee53f65 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.27.22-SNAPSHOT + 2.27.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 8aff01d52ca0..f10da26e9b49 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.27.22-SNAPSHOT + 2.27.22 ../../pom.xml diff --git a/test/protocol-tests-core/pom.xml b/test/protocol-tests-core/pom.xml index 5e4da6697709..33bb9d369914 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.27.22-SNAPSHOT + 2.27.22 ../../pom.xml 4.0.0 diff --git a/test/protocol-tests/pom.xml b/test/protocol-tests/pom.xml index 3945e4d03c8a..fe527e73ea12 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.27.22-SNAPSHOT + 2.27.22 ../../pom.xml 4.0.0 diff --git a/test/region-testing/pom.xml b/test/region-testing/pom.xml index 6740874ff406..df23ba1f23e9 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.27.22-SNAPSHOT + 2.27.22 ../../pom.xml 4.0.0 diff --git a/test/ruleset-testing-core/pom.xml b/test/ruleset-testing-core/pom.xml index 2f21cf2564d6..5d4a6503710f 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.27.22-SNAPSHOT + 2.27.22 ../../pom.xml 4.0.0 diff --git a/test/s3-benchmarks/pom.xml b/test/s3-benchmarks/pom.xml index 23709c7498bd..e6b60a00d7a0 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.27.22-SNAPSHOT + 2.27.22 ../../pom.xml 4.0.0 diff --git a/test/sdk-benchmarks/pom.xml b/test/sdk-benchmarks/pom.xml index 22df8a866479..1cf29845379c 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.27.22-SNAPSHOT + 2.27.22 ../../pom.xml diff --git a/test/sdk-native-image-test/pom.xml b/test/sdk-native-image-test/pom.xml index 45f3cfc37b90..7e8f4ab93ced 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.27.22-SNAPSHOT + 2.27.22 ../../pom.xml 4.0.0 diff --git a/test/service-test-utils/pom.xml b/test/service-test-utils/pom.xml index 75ed8a6a14c5..ef3e6346c85d 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.27.22-SNAPSHOT + 2.27.22 ../../pom.xml service-test-utils diff --git a/test/stability-tests/pom.xml b/test/stability-tests/pom.xml index 54a383483286..1c019f188732 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.27.22-SNAPSHOT + 2.27.22 ../../pom.xml 4.0.0 diff --git a/test/test-utils/pom.xml b/test/test-utils/pom.xml index de1066dd3f75..a3a60956c210 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.27.22-SNAPSHOT + 2.27.22 ../../pom.xml test-utils diff --git a/test/tests-coverage-reporting/pom.xml b/test/tests-coverage-reporting/pom.xml index c6a7bf5b4cd1..d4e77583626c 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.27.22-SNAPSHOT + 2.27.22 ../../pom.xml 4.0.0 diff --git a/test/v2-migration-tests/pom.xml b/test/v2-migration-tests/pom.xml index 5c6e03b8f274..ce73d2191753 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.27.22-SNAPSHOT + 2.27.22 ../.. diff --git a/third-party/pom.xml b/third-party/pom.xml index f14cefc4dce2..43026d3d75b7 100644 --- a/third-party/pom.xml +++ b/third-party/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.22-SNAPSHOT + 2.27.22 third-party diff --git a/third-party/third-party-jackson-core/pom.xml b/third-party/third-party-jackson-core/pom.xml index c331198ff5ac..9f88dd452cda 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.27.22-SNAPSHOT + 2.27.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 7d5131b5849d..8f0db662c6de 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.27.22-SNAPSHOT + 2.27.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 f278288d7ea9..8a2f448b501b 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.27.22-SNAPSHOT + 2.27.22 4.0.0 diff --git a/utils/pom.xml b/utils/pom.xml index 1a96923b88f5..52217f541600 100644 --- a/utils/pom.xml +++ b/utils/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.22-SNAPSHOT + 2.27.22 4.0.0 diff --git a/v2-migration/pom.xml b/v2-migration/pom.xml index 878339705fad..80ae77bb3888 100644 --- a/v2-migration/pom.xml +++ b/v2-migration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.22-SNAPSHOT + 2.27.22 ../pom.xml From a117b2aa2ceb490fb2ed84b8fa70f65a44937c5b Mon Sep 17 00:00:00 2001 From: AWS <> Date: Mon, 9 Sep 2024 18:56:39 +0000 Subject: [PATCH 043/108] Update to next snapshot version: 2.27.23-SNAPSHOT --- 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/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 +- metric-publishers/cloudwatch-metric-publisher/pom.xml | 2 +- metric-publishers/pom.xml | 2 +- pom.xml | 4 ++-- 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 +- services-custom/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/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 +- services/licensemanagerlinuxsubscriptions/pom.xml | 2 +- services/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/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 +- services/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/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/worklink/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 +- test/bundle-logging-bridge-binding-test/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 +- test/old-client-version-compatibility-test/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 +- third-party/third-party-jackson-dataformat-cbor/pom.xml | 2 +- third-party/third-party-slf4j-api/pom.xml | 2 +- utils/pom.xml | 2 +- v2-migration/pom.xml | 2 +- 469 files changed, 470 insertions(+), 470 deletions(-) diff --git a/archetypes/archetype-app-quickstart/pom.xml b/archetypes/archetype-app-quickstart/pom.xml index 890628879ddf..1fe8c40d15db 100644 --- a/archetypes/archetype-app-quickstart/pom.xml +++ b/archetypes/archetype-app-quickstart/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.22 + 2.27.23-SNAPSHOT 4.0.0 diff --git a/archetypes/archetype-lambda/pom.xml b/archetypes/archetype-lambda/pom.xml index 4cf747be73a8..57c1eaf61770 100644 --- a/archetypes/archetype-lambda/pom.xml +++ b/archetypes/archetype-lambda/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.22 + 2.27.23-SNAPSHOT 4.0.0 archetype-lambda diff --git a/archetypes/archetype-tools/pom.xml b/archetypes/archetype-tools/pom.xml index 10f9294a8b95..729586af3a37 100644 --- a/archetypes/archetype-tools/pom.xml +++ b/archetypes/archetype-tools/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.22 + 2.27.23-SNAPSHOT 4.0.0 diff --git a/archetypes/pom.xml b/archetypes/pom.xml index c36bd9170720..5810ae8f85e3 100644 --- a/archetypes/pom.xml +++ b/archetypes/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.22 + 2.27.23-SNAPSHOT 4.0.0 archetypes diff --git a/aws-sdk-java/pom.xml b/aws-sdk-java/pom.xml index 3b116c25fda8..d50b26732b5c 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.27.22 + 2.27.23-SNAPSHOT ../pom.xml aws-sdk-java diff --git a/bom-internal/pom.xml b/bom-internal/pom.xml index ac796343a164..b26d5101da86 100644 --- a/bom-internal/pom.xml +++ b/bom-internal/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.22 + 2.27.23-SNAPSHOT 4.0.0 diff --git a/bom/pom.xml b/bom/pom.xml index c323a5a9c004..2cafdefd02b5 100644 --- a/bom/pom.xml +++ b/bom/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.22 + 2.27.23-SNAPSHOT ../pom.xml bom diff --git a/bundle-logging-bridge/pom.xml b/bundle-logging-bridge/pom.xml index 2a69958aaa0b..a1ceabe789d6 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.27.22 + 2.27.23-SNAPSHOT bundle-logging-bridge jar diff --git a/bundle-sdk/pom.xml b/bundle-sdk/pom.xml index 32486f7520ce..12270bc86892 100644 --- a/bundle-sdk/pom.xml +++ b/bundle-sdk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.22 + 2.27.23-SNAPSHOT bundle-sdk jar diff --git a/bundle/pom.xml b/bundle/pom.xml index 09b52c697c09..366a29b033ca 100644 --- a/bundle/pom.xml +++ b/bundle/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.22 + 2.27.23-SNAPSHOT bundle jar diff --git a/codegen-lite-maven-plugin/pom.xml b/codegen-lite-maven-plugin/pom.xml index fe98c5eea62e..bda5490921a3 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.27.22 + 2.27.23-SNAPSHOT ../pom.xml codegen-lite-maven-plugin diff --git a/codegen-lite/pom.xml b/codegen-lite/pom.xml index ffff2a81e312..0cd12e4cf3af 100644 --- a/codegen-lite/pom.xml +++ b/codegen-lite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.22 + 2.27.23-SNAPSHOT codegen-lite AWS Java SDK :: Code Generator Lite diff --git a/codegen-maven-plugin/pom.xml b/codegen-maven-plugin/pom.xml index ec930b389b71..9846fcda168f 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.27.22 + 2.27.23-SNAPSHOT ../pom.xml codegen-maven-plugin diff --git a/codegen/pom.xml b/codegen/pom.xml index 1f75b372391e..f27876513b1c 100644 --- a/codegen/pom.xml +++ b/codegen/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.22 + 2.27.23-SNAPSHOT codegen AWS Java SDK :: Code Generator diff --git a/core/annotations/pom.xml b/core/annotations/pom.xml index 8cffd62a8664..b3f569ce7119 100644 --- a/core/annotations/pom.xml +++ b/core/annotations/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.22 + 2.27.23-SNAPSHOT 4.0.0 diff --git a/core/arns/pom.xml b/core/arns/pom.xml index 4972cd12266a..c92b9277222b 100644 --- a/core/arns/pom.xml +++ b/core/arns/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.22 + 2.27.23-SNAPSHOT 4.0.0 diff --git a/core/auth-crt/pom.xml b/core/auth-crt/pom.xml index 8225e2ceeb11..df19ab90ab58 100644 --- a/core/auth-crt/pom.xml +++ b/core/auth-crt/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.22 + 2.27.23-SNAPSHOT auth-crt diff --git a/core/auth/pom.xml b/core/auth/pom.xml index 458822da03bd..cb87260dbf96 100644 --- a/core/auth/pom.xml +++ b/core/auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.22 + 2.27.23-SNAPSHOT auth diff --git a/core/aws-core/pom.xml b/core/aws-core/pom.xml index 3790fbaaf493..dc5712d5e582 100644 --- a/core/aws-core/pom.xml +++ b/core/aws-core/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.22 + 2.27.23-SNAPSHOT aws-core diff --git a/core/checksums-spi/pom.xml b/core/checksums-spi/pom.xml index 97fc38fe5a9f..de71c605be78 100644 --- a/core/checksums-spi/pom.xml +++ b/core/checksums-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.22 + 2.27.23-SNAPSHOT checksums-spi diff --git a/core/checksums/pom.xml b/core/checksums/pom.xml index d11b864f2cde..c9e60039c146 100644 --- a/core/checksums/pom.xml +++ b/core/checksums/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.22 + 2.27.23-SNAPSHOT checksums diff --git a/core/crt-core/pom.xml b/core/crt-core/pom.xml index 977577bcdacd..b7376ad98bab 100644 --- a/core/crt-core/pom.xml +++ b/core/crt-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.27.22 + 2.27.23-SNAPSHOT crt-core diff --git a/core/endpoints-spi/pom.xml b/core/endpoints-spi/pom.xml index 954a0c407cac..cc9b0c469be2 100644 --- a/core/endpoints-spi/pom.xml +++ b/core/endpoints-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.22 + 2.27.23-SNAPSHOT 4.0.0 diff --git a/core/http-auth-aws-crt/pom.xml b/core/http-auth-aws-crt/pom.xml index e8b029d21d6f..22e6a1e0772c 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.27.22 + 2.27.23-SNAPSHOT http-auth-aws-crt diff --git a/core/http-auth-aws-eventstream/pom.xml b/core/http-auth-aws-eventstream/pom.xml index 6535943feada..943254380027 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.27.22 + 2.27.23-SNAPSHOT http-auth-aws-eventstream diff --git a/core/http-auth-aws/pom.xml b/core/http-auth-aws/pom.xml index 14694f3a39ab..a21b307738a9 100644 --- a/core/http-auth-aws/pom.xml +++ b/core/http-auth-aws/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.22 + 2.27.23-SNAPSHOT http-auth-aws diff --git a/core/http-auth-spi/pom.xml b/core/http-auth-spi/pom.xml index 9ffa61eef6d2..32905ca2729e 100644 --- a/core/http-auth-spi/pom.xml +++ b/core/http-auth-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.22 + 2.27.23-SNAPSHOT http-auth-spi diff --git a/core/http-auth/pom.xml b/core/http-auth/pom.xml index 3f578e24a54e..d2bfd565ea18 100644 --- a/core/http-auth/pom.xml +++ b/core/http-auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.22 + 2.27.23-SNAPSHOT http-auth diff --git a/core/identity-spi/pom.xml b/core/identity-spi/pom.xml index feef95f7f74e..157f58e55fa5 100644 --- a/core/identity-spi/pom.xml +++ b/core/identity-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.22 + 2.27.23-SNAPSHOT identity-spi diff --git a/core/imds/pom.xml b/core/imds/pom.xml index 9cdeb74e294a..e28c3159bb69 100644 --- a/core/imds/pom.xml +++ b/core/imds/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.22 + 2.27.23-SNAPSHOT 4.0.0 imds diff --git a/core/json-utils/pom.xml b/core/json-utils/pom.xml index 6e05a8f8ef89..3bf91084dded 100644 --- a/core/json-utils/pom.xml +++ b/core/json-utils/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.22 + 2.27.23-SNAPSHOT 4.0.0 diff --git a/core/metrics-spi/pom.xml b/core/metrics-spi/pom.xml index 705a627ddc5d..8c5d527b0ddb 100644 --- a/core/metrics-spi/pom.xml +++ b/core/metrics-spi/pom.xml @@ -5,7 +5,7 @@ core software.amazon.awssdk - 2.27.22 + 2.27.23-SNAPSHOT 4.0.0 diff --git a/core/pom.xml b/core/pom.xml index 7eed5b294d8e..6f786bd6d6c1 100644 --- a/core/pom.xml +++ b/core/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.22 + 2.27.23-SNAPSHOT core diff --git a/core/profiles/pom.xml b/core/profiles/pom.xml index f8f63242104a..05529934ff3f 100644 --- a/core/profiles/pom.xml +++ b/core/profiles/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.22 + 2.27.23-SNAPSHOT profiles diff --git a/core/protocols/aws-cbor-protocol/pom.xml b/core/protocols/aws-cbor-protocol/pom.xml index 4fab2c0581b3..f4d166949e75 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.27.22 + 2.27.23-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-json-protocol/pom.xml b/core/protocols/aws-json-protocol/pom.xml index c4a1c6e528c0..68321ccd95a5 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.27.22 + 2.27.23-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-query-protocol/pom.xml b/core/protocols/aws-query-protocol/pom.xml index 61a764150ccc..a6cdabba741e 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.27.22 + 2.27.23-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-xml-protocol/pom.xml b/core/protocols/aws-xml-protocol/pom.xml index 65f645d77fcd..ee8c34c7f0fb 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.27.22 + 2.27.23-SNAPSHOT 4.0.0 diff --git a/core/protocols/pom.xml b/core/protocols/pom.xml index b53336eaf4b0..8f98c3bc5076 100644 --- a/core/protocols/pom.xml +++ b/core/protocols/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.22 + 2.27.23-SNAPSHOT 4.0.0 diff --git a/core/protocols/protocol-core/pom.xml b/core/protocols/protocol-core/pom.xml index 5eb384c3c149..df8014f3f45d 100644 --- a/core/protocols/protocol-core/pom.xml +++ b/core/protocols/protocol-core/pom.xml @@ -20,7 +20,7 @@ protocols software.amazon.awssdk - 2.27.22 + 2.27.23-SNAPSHOT 4.0.0 diff --git a/core/regions/pom.xml b/core/regions/pom.xml index 1758504e9124..4a27c4cd86a5 100644 --- a/core/regions/pom.xml +++ b/core/regions/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.22 + 2.27.23-SNAPSHOT regions diff --git a/core/retries-spi/pom.xml b/core/retries-spi/pom.xml index c103873025fc..1c7fa57e32bb 100644 --- a/core/retries-spi/pom.xml +++ b/core/retries-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.22 + 2.27.23-SNAPSHOT 4.0.0 diff --git a/core/retries/pom.xml b/core/retries/pom.xml index 6cc78941ccd1..ddf02579b775 100644 --- a/core/retries/pom.xml +++ b/core/retries/pom.xml @@ -21,7 +21,7 @@ core software.amazon.awssdk - 2.27.22 + 2.27.23-SNAPSHOT 4.0.0 diff --git a/core/sdk-core/pom.xml b/core/sdk-core/pom.xml index 82607d722b3b..d736b20e10c0 100644 --- a/core/sdk-core/pom.xml +++ b/core/sdk-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.27.22 + 2.27.23-SNAPSHOT sdk-core AWS Java SDK :: SDK Core diff --git a/http-client-spi/pom.xml b/http-client-spi/pom.xml index 22361599d601..e21d91c3f3a9 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.27.22 + 2.27.23-SNAPSHOT http-client-spi AWS Java SDK :: HTTP Client Interface diff --git a/http-clients/apache-client/pom.xml b/http-clients/apache-client/pom.xml index 8a7c22f88ee1..6ac29087b702 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.27.22 + 2.27.23-SNAPSHOT apache-client diff --git a/http-clients/aws-crt-client/pom.xml b/http-clients/aws-crt-client/pom.xml index b5a0170fe21b..1155224f0580 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.27.22 + 2.27.23-SNAPSHOT 4.0.0 diff --git a/http-clients/netty-nio-client/pom.xml b/http-clients/netty-nio-client/pom.xml index 79a5d076a114..59e0da9ffb51 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.27.22 + 2.27.23-SNAPSHOT 4.0.0 diff --git a/http-clients/pom.xml b/http-clients/pom.xml index 17befbb5d1ea..96c31650367f 100644 --- a/http-clients/pom.xml +++ b/http-clients/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.22 + 2.27.23-SNAPSHOT 4.0.0 diff --git a/http-clients/url-connection-client/pom.xml b/http-clients/url-connection-client/pom.xml index c5864100cd6a..2ec76f4570fc 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.27.22 + 2.27.23-SNAPSHOT 4.0.0 diff --git a/metric-publishers/cloudwatch-metric-publisher/pom.xml b/metric-publishers/cloudwatch-metric-publisher/pom.xml index f2913d0645d3..3c0cb5f98126 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.27.22 + 2.27.23-SNAPSHOT cloudwatch-metric-publisher diff --git a/metric-publishers/pom.xml b/metric-publishers/pom.xml index f4be36fdcfbe..30eae1cdd59a 100644 --- a/metric-publishers/pom.xml +++ b/metric-publishers/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.22 + 2.27.23-SNAPSHOT metric-publishers diff --git a/pom.xml b/pom.xml index 0de4eacf0834..e47e8fdf4f94 100644 --- a/pom.xml +++ b/pom.xml @@ -20,7 +20,7 @@ 4.0.0 software.amazon.awssdk aws-sdk-java-pom - 2.27.22 + 2.27.23-SNAPSHOT pom AWS Java SDK :: Parent The Amazon Web Services SDK for Java provides Java APIs @@ -99,7 +99,7 @@ ${project.version} - 2.27.21 + 2.27.22 2.15.2 2.15.2 2.13.2 diff --git a/release-scripts/pom.xml b/release-scripts/pom.xml index fcc1415f8b3c..c2026b019bad 100644 --- a/release-scripts/pom.xml +++ b/release-scripts/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.22 + 2.27.23-SNAPSHOT ../pom.xml release-scripts diff --git a/services-custom/dynamodb-enhanced/pom.xml b/services-custom/dynamodb-enhanced/pom.xml index e6f90cb3a0b8..d5d51ec8964e 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.27.22 + 2.27.23-SNAPSHOT dynamodb-enhanced AWS Java SDK :: DynamoDB :: Enhanced Client diff --git a/services-custom/iam-policy-builder/pom.xml b/services-custom/iam-policy-builder/pom.xml index 58b66edba7fc..cb5c9b8214bc 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.27.22 + 2.27.23-SNAPSHOT ../../pom.xml iam-policy-builder diff --git a/services-custom/pom.xml b/services-custom/pom.xml index ed678717b221..f1856474adab 100644 --- a/services-custom/pom.xml +++ b/services-custom/pom.xml @@ -19,7 +19,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.22 + 2.27.23-SNAPSHOT services-custom AWS Java SDK :: Custom Services diff --git a/services-custom/s3-event-notifications/pom.xml b/services-custom/s3-event-notifications/pom.xml index 5ac11533ce54..df76ff24c6ec 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.27.22 + 2.27.23-SNAPSHOT ../../pom.xml s3-event-notifications diff --git a/services-custom/s3-transfer-manager/pom.xml b/services-custom/s3-transfer-manager/pom.xml index 43114b55113a..16d8b6133bc7 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.27.22 + 2.27.23-SNAPSHOT ../../pom.xml s3-transfer-manager diff --git a/services/accessanalyzer/pom.xml b/services/accessanalyzer/pom.xml index 82e28155326e..0500ae6e147b 100644 --- a/services/accessanalyzer/pom.xml +++ b/services/accessanalyzer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT accessanalyzer AWS Java SDK :: Services :: AccessAnalyzer diff --git a/services/account/pom.xml b/services/account/pom.xml index 6b54e4a9e37a..73485ddbb36d 100644 --- a/services/account/pom.xml +++ b/services/account/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT account AWS Java SDK :: Services :: Account diff --git a/services/acm/pom.xml b/services/acm/pom.xml index b2cb9fbce512..633c038f4e68 100644 --- a/services/acm/pom.xml +++ b/services/acm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT acm AWS Java SDK :: Services :: AWS Certificate Manager diff --git a/services/acmpca/pom.xml b/services/acmpca/pom.xml index bee979c91153..122e07607c90 100644 --- a/services/acmpca/pom.xml +++ b/services/acmpca/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT acmpca AWS Java SDK :: Services :: ACM PCA diff --git a/services/amp/pom.xml b/services/amp/pom.xml index e33fb231ac7e..0ef83fa99568 100644 --- a/services/amp/pom.xml +++ b/services/amp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT amp AWS Java SDK :: Services :: Amp diff --git a/services/amplify/pom.xml b/services/amplify/pom.xml index 313053388edb..38836cbd3397 100644 --- a/services/amplify/pom.xml +++ b/services/amplify/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT amplify AWS Java SDK :: Services :: Amplify diff --git a/services/amplifybackend/pom.xml b/services/amplifybackend/pom.xml index 1c97a939ddde..c727bde584a0 100644 --- a/services/amplifybackend/pom.xml +++ b/services/amplifybackend/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT amplifybackend AWS Java SDK :: Services :: Amplify Backend diff --git a/services/amplifyuibuilder/pom.xml b/services/amplifyuibuilder/pom.xml index 77cc713a3fbf..5d74c4390310 100644 --- a/services/amplifyuibuilder/pom.xml +++ b/services/amplifyuibuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT amplifyuibuilder AWS Java SDK :: Services :: Amplify UI Builder diff --git a/services/apigateway/pom.xml b/services/apigateway/pom.xml index e0cf7b6f6538..dc156905e0cf 100644 --- a/services/apigateway/pom.xml +++ b/services/apigateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT apigateway AWS Java SDK :: Services :: Amazon API Gateway diff --git a/services/apigatewaymanagementapi/pom.xml b/services/apigatewaymanagementapi/pom.xml index ef6b3b95f1f4..f50851c7e335 100644 --- a/services/apigatewaymanagementapi/pom.xml +++ b/services/apigatewaymanagementapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT apigatewaymanagementapi AWS Java SDK :: Services :: ApiGatewayManagementApi diff --git a/services/apigatewayv2/pom.xml b/services/apigatewayv2/pom.xml index ffd2e07b0a23..f80ec1ffc8c4 100644 --- a/services/apigatewayv2/pom.xml +++ b/services/apigatewayv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT apigatewayv2 AWS Java SDK :: Services :: ApiGatewayV2 diff --git a/services/appconfig/pom.xml b/services/appconfig/pom.xml index 836261019f6c..b15d35ddd310 100644 --- a/services/appconfig/pom.xml +++ b/services/appconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT appconfig AWS Java SDK :: Services :: AppConfig diff --git a/services/appconfigdata/pom.xml b/services/appconfigdata/pom.xml index 67318df54d30..86bb01f3ffec 100644 --- a/services/appconfigdata/pom.xml +++ b/services/appconfigdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT appconfigdata AWS Java SDK :: Services :: App Config Data diff --git a/services/appfabric/pom.xml b/services/appfabric/pom.xml index 63cc4303fe89..ae4b43191c40 100644 --- a/services/appfabric/pom.xml +++ b/services/appfabric/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT appfabric AWS Java SDK :: Services :: App Fabric diff --git a/services/appflow/pom.xml b/services/appflow/pom.xml index 72f638f46c9c..5354e907089c 100644 --- a/services/appflow/pom.xml +++ b/services/appflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT appflow AWS Java SDK :: Services :: Appflow diff --git a/services/appintegrations/pom.xml b/services/appintegrations/pom.xml index 993f974f4070..4d599f7f6bc8 100644 --- a/services/appintegrations/pom.xml +++ b/services/appintegrations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT appintegrations AWS Java SDK :: Services :: App Integrations diff --git a/services/applicationautoscaling/pom.xml b/services/applicationautoscaling/pom.xml index d8db768ee899..bfea75bd88b9 100644 --- a/services/applicationautoscaling/pom.xml +++ b/services/applicationautoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT applicationautoscaling AWS Java SDK :: Services :: AWS Application Auto Scaling diff --git a/services/applicationcostprofiler/pom.xml b/services/applicationcostprofiler/pom.xml index 2c2fc336a824..f6b5e5402c8f 100644 --- a/services/applicationcostprofiler/pom.xml +++ b/services/applicationcostprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT applicationcostprofiler AWS Java SDK :: Services :: Application Cost Profiler diff --git a/services/applicationdiscovery/pom.xml b/services/applicationdiscovery/pom.xml index d133a0276d5a..25a5c1320296 100644 --- a/services/applicationdiscovery/pom.xml +++ b/services/applicationdiscovery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT applicationdiscovery AWS Java SDK :: Services :: AWS Application Discovery Service diff --git a/services/applicationinsights/pom.xml b/services/applicationinsights/pom.xml index bf68d76bff60..84e9a1fe4377 100644 --- a/services/applicationinsights/pom.xml +++ b/services/applicationinsights/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT applicationinsights AWS Java SDK :: Services :: Application Insights diff --git a/services/applicationsignals/pom.xml b/services/applicationsignals/pom.xml index 6ba9135ab611..c494ee2b9c24 100644 --- a/services/applicationsignals/pom.xml +++ b/services/applicationsignals/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT applicationsignals AWS Java SDK :: Services :: Application Signals diff --git a/services/appmesh/pom.xml b/services/appmesh/pom.xml index fd71c53e427f..5c9d0268cd3c 100644 --- a/services/appmesh/pom.xml +++ b/services/appmesh/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT appmesh AWS Java SDK :: Services :: App Mesh diff --git a/services/apprunner/pom.xml b/services/apprunner/pom.xml index 510c631520c2..4da6b199b1fb 100644 --- a/services/apprunner/pom.xml +++ b/services/apprunner/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT apprunner AWS Java SDK :: Services :: App Runner diff --git a/services/appstream/pom.xml b/services/appstream/pom.xml index fa4a8234da5b..995dc9994c4a 100644 --- a/services/appstream/pom.xml +++ b/services/appstream/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT appstream AWS Java SDK :: Services :: Amazon AppStream diff --git a/services/appsync/pom.xml b/services/appsync/pom.xml index a673009e30e3..866bada6d108 100644 --- a/services/appsync/pom.xml +++ b/services/appsync/pom.xml @@ -21,7 +21,7 @@ services software.amazon.awssdk - 2.27.22 + 2.27.23-SNAPSHOT appsync diff --git a/services/apptest/pom.xml b/services/apptest/pom.xml index d4be8fdbf3c5..8e4b7270d571 100644 --- a/services/apptest/pom.xml +++ b/services/apptest/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT apptest AWS Java SDK :: Services :: App Test diff --git a/services/arczonalshift/pom.xml b/services/arczonalshift/pom.xml index c398e0d245b8..5c0f2bf2bbd6 100644 --- a/services/arczonalshift/pom.xml +++ b/services/arczonalshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT arczonalshift AWS Java SDK :: Services :: ARC Zonal Shift diff --git a/services/artifact/pom.xml b/services/artifact/pom.xml index 9a19a7eaee53..1ee345aeb28a 100644 --- a/services/artifact/pom.xml +++ b/services/artifact/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT artifact AWS Java SDK :: Services :: Artifact diff --git a/services/athena/pom.xml b/services/athena/pom.xml index 8a8a85fe666f..2593c0bce1ce 100644 --- a/services/athena/pom.xml +++ b/services/athena/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT athena AWS Java SDK :: Services :: Amazon Athena diff --git a/services/auditmanager/pom.xml b/services/auditmanager/pom.xml index 75ef0639a109..d0cedf775f76 100644 --- a/services/auditmanager/pom.xml +++ b/services/auditmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT auditmanager AWS Java SDK :: Services :: Audit Manager diff --git a/services/autoscaling/pom.xml b/services/autoscaling/pom.xml index 202feed91763..d704fe9f402b 100644 --- a/services/autoscaling/pom.xml +++ b/services/autoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT autoscaling AWS Java SDK :: Services :: Auto Scaling diff --git a/services/autoscalingplans/pom.xml b/services/autoscalingplans/pom.xml index 7c168fd465ff..7562b61b1041 100644 --- a/services/autoscalingplans/pom.xml +++ b/services/autoscalingplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT autoscalingplans AWS Java SDK :: Services :: Auto Scaling Plans diff --git a/services/b2bi/pom.xml b/services/b2bi/pom.xml index 31b29fa13e77..31b58a6fca77 100644 --- a/services/b2bi/pom.xml +++ b/services/b2bi/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT b2bi AWS Java SDK :: Services :: B2 Bi diff --git a/services/backup/pom.xml b/services/backup/pom.xml index 46b7871ddf0f..0d9be0bdd7fb 100644 --- a/services/backup/pom.xml +++ b/services/backup/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT backup AWS Java SDK :: Services :: Backup diff --git a/services/backupgateway/pom.xml b/services/backupgateway/pom.xml index 081cb95a3265..6c05a70de096 100644 --- a/services/backupgateway/pom.xml +++ b/services/backupgateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT backupgateway AWS Java SDK :: Services :: Backup Gateway diff --git a/services/batch/pom.xml b/services/batch/pom.xml index 8cbd0d69bf88..8c17bfa28790 100644 --- a/services/batch/pom.xml +++ b/services/batch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT batch AWS Java SDK :: Services :: AWS Batch diff --git a/services/bcmdataexports/pom.xml b/services/bcmdataexports/pom.xml index c0933db34787..488e82f62024 100644 --- a/services/bcmdataexports/pom.xml +++ b/services/bcmdataexports/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT bcmdataexports AWS Java SDK :: Services :: BCM Data Exports diff --git a/services/bedrock/pom.xml b/services/bedrock/pom.xml index 0cddd30692df..70cdf6ca6efe 100644 --- a/services/bedrock/pom.xml +++ b/services/bedrock/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT bedrock AWS Java SDK :: Services :: Bedrock diff --git a/services/bedrockagent/pom.xml b/services/bedrockagent/pom.xml index 7e586c33b450..7bf56cccdbbf 100644 --- a/services/bedrockagent/pom.xml +++ b/services/bedrockagent/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT bedrockagent AWS Java SDK :: Services :: Bedrock Agent diff --git a/services/bedrockagentruntime/pom.xml b/services/bedrockagentruntime/pom.xml index 9594adbc8902..c942ebebf2f3 100644 --- a/services/bedrockagentruntime/pom.xml +++ b/services/bedrockagentruntime/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT bedrockagentruntime AWS Java SDK :: Services :: Bedrock Agent Runtime diff --git a/services/bedrockruntime/pom.xml b/services/bedrockruntime/pom.xml index c0076c163626..60ba693d96c5 100644 --- a/services/bedrockruntime/pom.xml +++ b/services/bedrockruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT bedrockruntime AWS Java SDK :: Services :: Bedrock Runtime diff --git a/services/billingconductor/pom.xml b/services/billingconductor/pom.xml index bbac6089a72c..7397675bab55 100644 --- a/services/billingconductor/pom.xml +++ b/services/billingconductor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT billingconductor AWS Java SDK :: Services :: Billingconductor diff --git a/services/braket/pom.xml b/services/braket/pom.xml index 30077e5dcfd1..b164a142283e 100644 --- a/services/braket/pom.xml +++ b/services/braket/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT braket AWS Java SDK :: Services :: Braket diff --git a/services/budgets/pom.xml b/services/budgets/pom.xml index 555f617410a0..a69c8564d143 100644 --- a/services/budgets/pom.xml +++ b/services/budgets/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT budgets AWS Java SDK :: Services :: AWS Budgets diff --git a/services/chatbot/pom.xml b/services/chatbot/pom.xml index d4db8dbc6415..8eac6c25f776 100644 --- a/services/chatbot/pom.xml +++ b/services/chatbot/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT chatbot AWS Java SDK :: Services :: Chatbot diff --git a/services/chime/pom.xml b/services/chime/pom.xml index 2c118fab3e53..10fe820b5425 100644 --- a/services/chime/pom.xml +++ b/services/chime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT chime AWS Java SDK :: Services :: Chime diff --git a/services/chimesdkidentity/pom.xml b/services/chimesdkidentity/pom.xml index 9678286afb03..19645ed68314 100644 --- a/services/chimesdkidentity/pom.xml +++ b/services/chimesdkidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT chimesdkidentity AWS Java SDK :: Services :: Chime SDK Identity diff --git a/services/chimesdkmediapipelines/pom.xml b/services/chimesdkmediapipelines/pom.xml index ec1b5f649e9a..6cca3b296e18 100644 --- a/services/chimesdkmediapipelines/pom.xml +++ b/services/chimesdkmediapipelines/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT chimesdkmediapipelines AWS Java SDK :: Services :: Chime SDK Media Pipelines diff --git a/services/chimesdkmeetings/pom.xml b/services/chimesdkmeetings/pom.xml index 827bca7874f0..bce22b6ebaf8 100644 --- a/services/chimesdkmeetings/pom.xml +++ b/services/chimesdkmeetings/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT chimesdkmeetings AWS Java SDK :: Services :: Chime SDK Meetings diff --git a/services/chimesdkmessaging/pom.xml b/services/chimesdkmessaging/pom.xml index d18d643246a8..5afeee37e6f1 100644 --- a/services/chimesdkmessaging/pom.xml +++ b/services/chimesdkmessaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT chimesdkmessaging AWS Java SDK :: Services :: Chime SDK Messaging diff --git a/services/chimesdkvoice/pom.xml b/services/chimesdkvoice/pom.xml index 8c5e15ccc24c..0e38fc9925dc 100644 --- a/services/chimesdkvoice/pom.xml +++ b/services/chimesdkvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT chimesdkvoice AWS Java SDK :: Services :: Chime SDK Voice diff --git a/services/cleanrooms/pom.xml b/services/cleanrooms/pom.xml index a0c3ab0ee04d..974a7213756b 100644 --- a/services/cleanrooms/pom.xml +++ b/services/cleanrooms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT cleanrooms AWS Java SDK :: Services :: Clean Rooms diff --git a/services/cleanroomsml/pom.xml b/services/cleanroomsml/pom.xml index 264a29a33be4..78fd2d079cb7 100644 --- a/services/cleanroomsml/pom.xml +++ b/services/cleanroomsml/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT cleanroomsml AWS Java SDK :: Services :: Clean Rooms ML diff --git a/services/cloud9/pom.xml b/services/cloud9/pom.xml index 0d744e91fbd6..c3d11d16c103 100644 --- a/services/cloud9/pom.xml +++ b/services/cloud9/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22 + 2.27.23-SNAPSHOT 4.0.0 cloud9 diff --git a/services/cloudcontrol/pom.xml b/services/cloudcontrol/pom.xml index 0b2ef9d0d670..ebc300f7c6bc 100644 --- a/services/cloudcontrol/pom.xml +++ b/services/cloudcontrol/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT cloudcontrol AWS Java SDK :: Services :: Cloud Control diff --git a/services/clouddirectory/pom.xml b/services/clouddirectory/pom.xml index 7b5f07fa1b51..6c41bcc46a42 100644 --- a/services/clouddirectory/pom.xml +++ b/services/clouddirectory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT clouddirectory AWS Java SDK :: Services :: Amazon CloudDirectory diff --git a/services/cloudformation/pom.xml b/services/cloudformation/pom.xml index 7dd6b2ee26bb..476073aab596 100644 --- a/services/cloudformation/pom.xml +++ b/services/cloudformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT cloudformation AWS Java SDK :: Services :: AWS CloudFormation diff --git a/services/cloudfront/pom.xml b/services/cloudfront/pom.xml index 04d72c4859c8..10b273e70ddc 100644 --- a/services/cloudfront/pom.xml +++ b/services/cloudfront/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT cloudfront AWS Java SDK :: Services :: Amazon CloudFront diff --git a/services/cloudfrontkeyvaluestore/pom.xml b/services/cloudfrontkeyvaluestore/pom.xml index cdf533de9d41..6d36f42d114d 100644 --- a/services/cloudfrontkeyvaluestore/pom.xml +++ b/services/cloudfrontkeyvaluestore/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT cloudfrontkeyvaluestore AWS Java SDK :: Services :: Cloud Front Key Value Store diff --git a/services/cloudhsm/pom.xml b/services/cloudhsm/pom.xml index 4d08bec33a6d..aa0a73303d47 100644 --- a/services/cloudhsm/pom.xml +++ b/services/cloudhsm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT cloudhsm AWS Java SDK :: Services :: AWS CloudHSM diff --git a/services/cloudhsmv2/pom.xml b/services/cloudhsmv2/pom.xml index 4528ebb1c01b..deb7c40802fa 100644 --- a/services/cloudhsmv2/pom.xml +++ b/services/cloudhsmv2/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22 + 2.27.23-SNAPSHOT 4.0.0 cloudhsmv2 diff --git a/services/cloudsearch/pom.xml b/services/cloudsearch/pom.xml index 49f9749514a0..4afa471b683b 100644 --- a/services/cloudsearch/pom.xml +++ b/services/cloudsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT cloudsearch AWS Java SDK :: Services :: Amazon CloudSearch diff --git a/services/cloudsearchdomain/pom.xml b/services/cloudsearchdomain/pom.xml index 24f799a1bf48..a457d92a8439 100644 --- a/services/cloudsearchdomain/pom.xml +++ b/services/cloudsearchdomain/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT cloudsearchdomain AWS Java SDK :: Services :: Amazon CloudSearch Domain diff --git a/services/cloudtrail/pom.xml b/services/cloudtrail/pom.xml index b19b6f2f095d..2de6856d9d9b 100644 --- a/services/cloudtrail/pom.xml +++ b/services/cloudtrail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT cloudtrail AWS Java SDK :: Services :: AWS CloudTrail diff --git a/services/cloudtraildata/pom.xml b/services/cloudtraildata/pom.xml index 86f78c241729..e65352a8e738 100644 --- a/services/cloudtraildata/pom.xml +++ b/services/cloudtraildata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT cloudtraildata AWS Java SDK :: Services :: Cloud Trail Data diff --git a/services/cloudwatch/pom.xml b/services/cloudwatch/pom.xml index 367ca145625b..8036e284a7f6 100644 --- a/services/cloudwatch/pom.xml +++ b/services/cloudwatch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT cloudwatch AWS Java SDK :: Services :: Amazon CloudWatch diff --git a/services/cloudwatchevents/pom.xml b/services/cloudwatchevents/pom.xml index 334f943aa00d..9bdc8781b3be 100644 --- a/services/cloudwatchevents/pom.xml +++ b/services/cloudwatchevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT cloudwatchevents AWS Java SDK :: Services :: Amazon CloudWatch Events diff --git a/services/cloudwatchlogs/pom.xml b/services/cloudwatchlogs/pom.xml index dd71f34b9410..1f1f2307c6cf 100644 --- a/services/cloudwatchlogs/pom.xml +++ b/services/cloudwatchlogs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT cloudwatchlogs AWS Java SDK :: Services :: Amazon CloudWatch Logs diff --git a/services/codeartifact/pom.xml b/services/codeartifact/pom.xml index 21199647e5d2..91d4f1a114f4 100644 --- a/services/codeartifact/pom.xml +++ b/services/codeartifact/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT codeartifact AWS Java SDK :: Services :: Codeartifact diff --git a/services/codebuild/pom.xml b/services/codebuild/pom.xml index 50d94e262f28..c9070ca4be43 100644 --- a/services/codebuild/pom.xml +++ b/services/codebuild/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT codebuild AWS Java SDK :: Services :: AWS Code Build diff --git a/services/codecatalyst/pom.xml b/services/codecatalyst/pom.xml index c3c39288b045..f11eb6a1b80e 100644 --- a/services/codecatalyst/pom.xml +++ b/services/codecatalyst/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT codecatalyst AWS Java SDK :: Services :: Code Catalyst diff --git a/services/codecommit/pom.xml b/services/codecommit/pom.xml index d6e3b5026cd3..0601939a0a5b 100644 --- a/services/codecommit/pom.xml +++ b/services/codecommit/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT codecommit AWS Java SDK :: Services :: AWS CodeCommit diff --git a/services/codeconnections/pom.xml b/services/codeconnections/pom.xml index c0bad6ce6811..148da6d7b95a 100644 --- a/services/codeconnections/pom.xml +++ b/services/codeconnections/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT codeconnections AWS Java SDK :: Services :: Code Connections diff --git a/services/codedeploy/pom.xml b/services/codedeploy/pom.xml index f2662827bb97..2bb92ce8bc05 100644 --- a/services/codedeploy/pom.xml +++ b/services/codedeploy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT codedeploy AWS Java SDK :: Services :: AWS CodeDeploy diff --git a/services/codeguruprofiler/pom.xml b/services/codeguruprofiler/pom.xml index 3c399be6c378..736dfda1718c 100644 --- a/services/codeguruprofiler/pom.xml +++ b/services/codeguruprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT codeguruprofiler AWS Java SDK :: Services :: CodeGuruProfiler diff --git a/services/codegurureviewer/pom.xml b/services/codegurureviewer/pom.xml index fc7127e3887a..7feed5ee27d1 100644 --- a/services/codegurureviewer/pom.xml +++ b/services/codegurureviewer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT codegurureviewer AWS Java SDK :: Services :: CodeGuru Reviewer diff --git a/services/codegurusecurity/pom.xml b/services/codegurusecurity/pom.xml index f91f88655a14..7117a4b73471 100644 --- a/services/codegurusecurity/pom.xml +++ b/services/codegurusecurity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT codegurusecurity AWS Java SDK :: Services :: Code Guru Security diff --git a/services/codepipeline/pom.xml b/services/codepipeline/pom.xml index 9d41f43359af..654a455b04d7 100644 --- a/services/codepipeline/pom.xml +++ b/services/codepipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT codepipeline AWS Java SDK :: Services :: AWS CodePipeline diff --git a/services/codestarconnections/pom.xml b/services/codestarconnections/pom.xml index 548026ffecf9..0bbb83e65dc4 100644 --- a/services/codestarconnections/pom.xml +++ b/services/codestarconnections/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT codestarconnections AWS Java SDK :: Services :: CodeStar connections diff --git a/services/codestarnotifications/pom.xml b/services/codestarnotifications/pom.xml index 04dd7e02bdf1..e22eaa36011d 100644 --- a/services/codestarnotifications/pom.xml +++ b/services/codestarnotifications/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT codestarnotifications AWS Java SDK :: Services :: Codestar Notifications diff --git a/services/cognitoidentity/pom.xml b/services/cognitoidentity/pom.xml index 111309f06248..7d5e2199a4f9 100644 --- a/services/cognitoidentity/pom.xml +++ b/services/cognitoidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT cognitoidentity AWS Java SDK :: Services :: Amazon Cognito Identity diff --git a/services/cognitoidentityprovider/pom.xml b/services/cognitoidentityprovider/pom.xml index b14207551898..abaa8419775d 100644 --- a/services/cognitoidentityprovider/pom.xml +++ b/services/cognitoidentityprovider/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT cognitoidentityprovider AWS Java SDK :: Services :: Amazon Cognito Identity Provider Service diff --git a/services/cognitosync/pom.xml b/services/cognitosync/pom.xml index e8489cbc5f3b..44b220870188 100644 --- a/services/cognitosync/pom.xml +++ b/services/cognitosync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT cognitosync AWS Java SDK :: Services :: Amazon Cognito Sync diff --git a/services/comprehend/pom.xml b/services/comprehend/pom.xml index cd168fe8f03c..6f371729cf1b 100644 --- a/services/comprehend/pom.xml +++ b/services/comprehend/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22 + 2.27.23-SNAPSHOT 4.0.0 comprehend diff --git a/services/comprehendmedical/pom.xml b/services/comprehendmedical/pom.xml index 9f1a0ccb6148..a431adacb6ab 100644 --- a/services/comprehendmedical/pom.xml +++ b/services/comprehendmedical/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT comprehendmedical AWS Java SDK :: Services :: ComprehendMedical diff --git a/services/computeoptimizer/pom.xml b/services/computeoptimizer/pom.xml index a947901d81f2..b576d7ef5e2d 100644 --- a/services/computeoptimizer/pom.xml +++ b/services/computeoptimizer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT computeoptimizer AWS Java SDK :: Services :: Compute Optimizer diff --git a/services/config/pom.xml b/services/config/pom.xml index 59c07d6af1d4..9e682e8deb58 100644 --- a/services/config/pom.xml +++ b/services/config/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT config AWS Java SDK :: Services :: AWS Config diff --git a/services/connect/pom.xml b/services/connect/pom.xml index cb7a1ad06fc0..3bd8b30e91da 100644 --- a/services/connect/pom.xml +++ b/services/connect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT connect AWS Java SDK :: Services :: Connect diff --git a/services/connectcampaigns/pom.xml b/services/connectcampaigns/pom.xml index 3c8e6e54936f..f10080e35c84 100644 --- a/services/connectcampaigns/pom.xml +++ b/services/connectcampaigns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT connectcampaigns AWS Java SDK :: Services :: Connect Campaigns diff --git a/services/connectcases/pom.xml b/services/connectcases/pom.xml index 4a49aa94a69a..d66040f7c3d2 100644 --- a/services/connectcases/pom.xml +++ b/services/connectcases/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT connectcases AWS Java SDK :: Services :: Connect Cases diff --git a/services/connectcontactlens/pom.xml b/services/connectcontactlens/pom.xml index f4ec3bce717b..c99e700485d6 100644 --- a/services/connectcontactlens/pom.xml +++ b/services/connectcontactlens/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT connectcontactlens AWS Java SDK :: Services :: Connect Contact Lens diff --git a/services/connectparticipant/pom.xml b/services/connectparticipant/pom.xml index c6b73b69f984..59d860776a85 100644 --- a/services/connectparticipant/pom.xml +++ b/services/connectparticipant/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT connectparticipant AWS Java SDK :: Services :: ConnectParticipant diff --git a/services/controlcatalog/pom.xml b/services/controlcatalog/pom.xml index ce64f8f474cf..d174883ff375 100644 --- a/services/controlcatalog/pom.xml +++ b/services/controlcatalog/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT controlcatalog AWS Java SDK :: Services :: Control Catalog diff --git a/services/controltower/pom.xml b/services/controltower/pom.xml index 7a0d21f33b4f..b74634d386c4 100644 --- a/services/controltower/pom.xml +++ b/services/controltower/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT controltower AWS Java SDK :: Services :: Control Tower diff --git a/services/costandusagereport/pom.xml b/services/costandusagereport/pom.xml index 999de570b92a..465b8b8b540c 100644 --- a/services/costandusagereport/pom.xml +++ b/services/costandusagereport/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT costandusagereport AWS Java SDK :: Services :: AWS Cost and Usage Report diff --git a/services/costexplorer/pom.xml b/services/costexplorer/pom.xml index 6c7d8b8ce751..ab3b092d205b 100644 --- a/services/costexplorer/pom.xml +++ b/services/costexplorer/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22 + 2.27.23-SNAPSHOT 4.0.0 costexplorer diff --git a/services/costoptimizationhub/pom.xml b/services/costoptimizationhub/pom.xml index 6506165cf8c2..a11b9d773444 100644 --- a/services/costoptimizationhub/pom.xml +++ b/services/costoptimizationhub/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT costoptimizationhub AWS Java SDK :: Services :: Cost Optimization Hub diff --git a/services/customerprofiles/pom.xml b/services/customerprofiles/pom.xml index f6b5947a9c21..63dafb9a8bc4 100644 --- a/services/customerprofiles/pom.xml +++ b/services/customerprofiles/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT customerprofiles AWS Java SDK :: Services :: Customer Profiles diff --git a/services/databasemigration/pom.xml b/services/databasemigration/pom.xml index 74bc1e2e6f17..693906d10045 100644 --- a/services/databasemigration/pom.xml +++ b/services/databasemigration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT databasemigration AWS Java SDK :: Services :: AWS Database Migration Service diff --git a/services/databrew/pom.xml b/services/databrew/pom.xml index 772693a28d67..aff9b2228efd 100644 --- a/services/databrew/pom.xml +++ b/services/databrew/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT databrew AWS Java SDK :: Services :: Data Brew diff --git a/services/dataexchange/pom.xml b/services/dataexchange/pom.xml index 0dfe9dc6a73a..b668e8a75a1e 100644 --- a/services/dataexchange/pom.xml +++ b/services/dataexchange/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT dataexchange AWS Java SDK :: Services :: DataExchange diff --git a/services/datapipeline/pom.xml b/services/datapipeline/pom.xml index 69a2d34d3c05..204a5f52f0f7 100644 --- a/services/datapipeline/pom.xml +++ b/services/datapipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT datapipeline AWS Java SDK :: Services :: AWS Data Pipeline diff --git a/services/datasync/pom.xml b/services/datasync/pom.xml index 3b077bbf59ee..091a3b009c0a 100644 --- a/services/datasync/pom.xml +++ b/services/datasync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT datasync AWS Java SDK :: Services :: DataSync diff --git a/services/datazone/pom.xml b/services/datazone/pom.xml index 705c3e3bf74f..e86848e650ab 100644 --- a/services/datazone/pom.xml +++ b/services/datazone/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT datazone AWS Java SDK :: Services :: Data Zone diff --git a/services/dax/pom.xml b/services/dax/pom.xml index 69454062e102..1bcc58259cfe 100644 --- a/services/dax/pom.xml +++ b/services/dax/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT dax AWS Java SDK :: Services :: Amazon DynamoDB Accelerator (DAX) diff --git a/services/deadline/pom.xml b/services/deadline/pom.xml index e9085c5c5d10..6260645c7017 100644 --- a/services/deadline/pom.xml +++ b/services/deadline/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT deadline AWS Java SDK :: Services :: Deadline diff --git a/services/detective/pom.xml b/services/detective/pom.xml index eeadfad27f53..41ed8bcad947 100644 --- a/services/detective/pom.xml +++ b/services/detective/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT detective AWS Java SDK :: Services :: Detective diff --git a/services/devicefarm/pom.xml b/services/devicefarm/pom.xml index c4c5a0dee2a3..46143f686a37 100644 --- a/services/devicefarm/pom.xml +++ b/services/devicefarm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT devicefarm AWS Java SDK :: Services :: AWS Device Farm diff --git a/services/devopsguru/pom.xml b/services/devopsguru/pom.xml index f0813fd68b07..58fc82d8217f 100644 --- a/services/devopsguru/pom.xml +++ b/services/devopsguru/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT devopsguru AWS Java SDK :: Services :: Dev Ops Guru diff --git a/services/directconnect/pom.xml b/services/directconnect/pom.xml index b57cf223e555..0ac7087e6e6b 100644 --- a/services/directconnect/pom.xml +++ b/services/directconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT directconnect AWS Java SDK :: Services :: AWS Direct Connect diff --git a/services/directory/pom.xml b/services/directory/pom.xml index 6c44902dd2a4..b318b614d7bb 100644 --- a/services/directory/pom.xml +++ b/services/directory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT directory AWS Java SDK :: Services :: AWS Directory Service diff --git a/services/dlm/pom.xml b/services/dlm/pom.xml index 34224f6497f4..5f785e0e7388 100644 --- a/services/dlm/pom.xml +++ b/services/dlm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT dlm AWS Java SDK :: Services :: DLM diff --git a/services/docdb/pom.xml b/services/docdb/pom.xml index 3e98537ca589..84c89fa2d2f2 100644 --- a/services/docdb/pom.xml +++ b/services/docdb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT docdb AWS Java SDK :: Services :: DocDB diff --git a/services/docdbelastic/pom.xml b/services/docdbelastic/pom.xml index 6d5cff9a93e6..b48e7267449c 100644 --- a/services/docdbelastic/pom.xml +++ b/services/docdbelastic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT docdbelastic AWS Java SDK :: Services :: Doc DB Elastic diff --git a/services/drs/pom.xml b/services/drs/pom.xml index 15292d9ae57b..6906d49a7c83 100644 --- a/services/drs/pom.xml +++ b/services/drs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT drs AWS Java SDK :: Services :: Drs diff --git a/services/dynamodb/pom.xml b/services/dynamodb/pom.xml index 4ce47ea13fe4..6133f7e7ef3c 100644 --- a/services/dynamodb/pom.xml +++ b/services/dynamodb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT dynamodb AWS Java SDK :: Services :: Amazon DynamoDB diff --git a/services/ebs/pom.xml b/services/ebs/pom.xml index d2262d43ed34..7ba3f0811d18 100644 --- a/services/ebs/pom.xml +++ b/services/ebs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT ebs AWS Java SDK :: Services :: EBS diff --git a/services/ec2/pom.xml b/services/ec2/pom.xml index 11b7c09f84ec..31d82793024c 100644 --- a/services/ec2/pom.xml +++ b/services/ec2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT ec2 AWS Java SDK :: Services :: Amazon EC2 diff --git a/services/ec2instanceconnect/pom.xml b/services/ec2instanceconnect/pom.xml index 7fe49c82dff6..06e3675d965c 100644 --- a/services/ec2instanceconnect/pom.xml +++ b/services/ec2instanceconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT ec2instanceconnect AWS Java SDK :: Services :: EC2 Instance Connect diff --git a/services/ecr/pom.xml b/services/ecr/pom.xml index 8e89e9772474..a585c7cb5fd0 100644 --- a/services/ecr/pom.xml +++ b/services/ecr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT ecr AWS Java SDK :: Services :: Amazon EC2 Container Registry diff --git a/services/ecrpublic/pom.xml b/services/ecrpublic/pom.xml index 6ddba9d339c0..08049241d681 100644 --- a/services/ecrpublic/pom.xml +++ b/services/ecrpublic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT ecrpublic AWS Java SDK :: Services :: ECR PUBLIC diff --git a/services/ecs/pom.xml b/services/ecs/pom.xml index 2f07d760ea30..55e1a9490838 100644 --- a/services/ecs/pom.xml +++ b/services/ecs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT ecs AWS Java SDK :: Services :: Amazon EC2 Container Service diff --git a/services/efs/pom.xml b/services/efs/pom.xml index d27ef6c7aff3..c8c897ff3cfc 100644 --- a/services/efs/pom.xml +++ b/services/efs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT efs AWS Java SDK :: Services :: Amazon Elastic File System diff --git a/services/eks/pom.xml b/services/eks/pom.xml index 5e24a5079f17..47b16ef80c8f 100644 --- a/services/eks/pom.xml +++ b/services/eks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT eks AWS Java SDK :: Services :: EKS diff --git a/services/eksauth/pom.xml b/services/eksauth/pom.xml index 75933d718041..bf9a21c3bae9 100644 --- a/services/eksauth/pom.xml +++ b/services/eksauth/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT eksauth AWS Java SDK :: Services :: EKS Auth diff --git a/services/elasticache/pom.xml b/services/elasticache/pom.xml index e461f34335f0..439863f314c0 100644 --- a/services/elasticache/pom.xml +++ b/services/elasticache/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT elasticache AWS Java SDK :: Services :: Amazon ElastiCache diff --git a/services/elasticbeanstalk/pom.xml b/services/elasticbeanstalk/pom.xml index aea244d3023b..6dcc391e8228 100644 --- a/services/elasticbeanstalk/pom.xml +++ b/services/elasticbeanstalk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT elasticbeanstalk AWS Java SDK :: Services :: AWS Elastic Beanstalk diff --git a/services/elasticinference/pom.xml b/services/elasticinference/pom.xml index 6bd9c007462c..af115b6f4f3e 100644 --- a/services/elasticinference/pom.xml +++ b/services/elasticinference/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT elasticinference AWS Java SDK :: Services :: Elastic Inference diff --git a/services/elasticloadbalancing/pom.xml b/services/elasticloadbalancing/pom.xml index 52963e3f875e..4cc387af2415 100644 --- a/services/elasticloadbalancing/pom.xml +++ b/services/elasticloadbalancing/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT elasticloadbalancing AWS Java SDK :: Services :: Elastic Load Balancing diff --git a/services/elasticloadbalancingv2/pom.xml b/services/elasticloadbalancingv2/pom.xml index 90114338cf6a..120ea4dad489 100644 --- a/services/elasticloadbalancingv2/pom.xml +++ b/services/elasticloadbalancingv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT elasticloadbalancingv2 AWS Java SDK :: Services :: Elastic Load Balancing V2 diff --git a/services/elasticsearch/pom.xml b/services/elasticsearch/pom.xml index ca44d4fa8490..b1058e0c36c0 100644 --- a/services/elasticsearch/pom.xml +++ b/services/elasticsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT elasticsearch AWS Java SDK :: Services :: Amazon Elasticsearch Service diff --git a/services/elastictranscoder/pom.xml b/services/elastictranscoder/pom.xml index fd41a207ee86..1677a176abbd 100644 --- a/services/elastictranscoder/pom.xml +++ b/services/elastictranscoder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT elastictranscoder AWS Java SDK :: Services :: Amazon Elastic Transcoder diff --git a/services/emr/pom.xml b/services/emr/pom.xml index 6854eadf5807..50a614f7f963 100644 --- a/services/emr/pom.xml +++ b/services/emr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT emr AWS Java SDK :: Services :: Amazon EMR diff --git a/services/emrcontainers/pom.xml b/services/emrcontainers/pom.xml index f0ca5c9d62d2..ec780654a6cd 100644 --- a/services/emrcontainers/pom.xml +++ b/services/emrcontainers/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT emrcontainers AWS Java SDK :: Services :: EMR Containers diff --git a/services/emrserverless/pom.xml b/services/emrserverless/pom.xml index 89ac76c65485..53799ec3bf32 100644 --- a/services/emrserverless/pom.xml +++ b/services/emrserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT emrserverless AWS Java SDK :: Services :: EMR Serverless diff --git a/services/entityresolution/pom.xml b/services/entityresolution/pom.xml index 2b2cb15c0f5a..1e483af17179 100644 --- a/services/entityresolution/pom.xml +++ b/services/entityresolution/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT entityresolution AWS Java SDK :: Services :: Entity Resolution diff --git a/services/eventbridge/pom.xml b/services/eventbridge/pom.xml index 029135a21b73..3877b4cb1b4b 100644 --- a/services/eventbridge/pom.xml +++ b/services/eventbridge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT eventbridge AWS Java SDK :: Services :: EventBridge diff --git a/services/evidently/pom.xml b/services/evidently/pom.xml index d84f8ef42853..0f0969a6eb6b 100644 --- a/services/evidently/pom.xml +++ b/services/evidently/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT evidently AWS Java SDK :: Services :: Evidently diff --git a/services/finspace/pom.xml b/services/finspace/pom.xml index 34d147262414..4c8944d445d1 100644 --- a/services/finspace/pom.xml +++ b/services/finspace/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT finspace AWS Java SDK :: Services :: Finspace diff --git a/services/finspacedata/pom.xml b/services/finspacedata/pom.xml index 44609917287f..be5bd539c599 100644 --- a/services/finspacedata/pom.xml +++ b/services/finspacedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT finspacedata AWS Java SDK :: Services :: Finspace Data diff --git a/services/firehose/pom.xml b/services/firehose/pom.xml index fd58746448ae..ab96e5d8f5e2 100644 --- a/services/firehose/pom.xml +++ b/services/firehose/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT firehose AWS Java SDK :: Services :: Amazon Kinesis Firehose diff --git a/services/fis/pom.xml b/services/fis/pom.xml index a0c077efa1c1..b7d5f7366fcc 100644 --- a/services/fis/pom.xml +++ b/services/fis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT fis AWS Java SDK :: Services :: Fis diff --git a/services/fms/pom.xml b/services/fms/pom.xml index 57439c6a8336..48b80f2ddce3 100644 --- a/services/fms/pom.xml +++ b/services/fms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT fms AWS Java SDK :: Services :: FMS diff --git a/services/forecast/pom.xml b/services/forecast/pom.xml index 7a33ad4c3cb4..4f90d70d4c69 100644 --- a/services/forecast/pom.xml +++ b/services/forecast/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT forecast AWS Java SDK :: Services :: Forecast diff --git a/services/forecastquery/pom.xml b/services/forecastquery/pom.xml index 80ea703af2e5..ead6fcf800b9 100644 --- a/services/forecastquery/pom.xml +++ b/services/forecastquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT forecastquery AWS Java SDK :: Services :: Forecastquery diff --git a/services/frauddetector/pom.xml b/services/frauddetector/pom.xml index d0b27e354189..3ae1a4f0e7e0 100644 --- a/services/frauddetector/pom.xml +++ b/services/frauddetector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT frauddetector AWS Java SDK :: Services :: FraudDetector diff --git a/services/freetier/pom.xml b/services/freetier/pom.xml index f494df99ae0d..ee59412d7aee 100644 --- a/services/freetier/pom.xml +++ b/services/freetier/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT freetier AWS Java SDK :: Services :: Free Tier diff --git a/services/fsx/pom.xml b/services/fsx/pom.xml index 6f70bf19ac40..c171771c8b3e 100644 --- a/services/fsx/pom.xml +++ b/services/fsx/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT fsx AWS Java SDK :: Services :: FSx diff --git a/services/gamelift/pom.xml b/services/gamelift/pom.xml index 9a0ac8d105bf..08665c5b6c9d 100644 --- a/services/gamelift/pom.xml +++ b/services/gamelift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT gamelift AWS Java SDK :: Services :: AWS GameLift diff --git a/services/glacier/pom.xml b/services/glacier/pom.xml index 5f5687c83d52..01ba2e8a7426 100644 --- a/services/glacier/pom.xml +++ b/services/glacier/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT glacier AWS Java SDK :: Services :: Amazon Glacier diff --git a/services/globalaccelerator/pom.xml b/services/globalaccelerator/pom.xml index 71476e000a21..cfc305420eae 100644 --- a/services/globalaccelerator/pom.xml +++ b/services/globalaccelerator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT globalaccelerator AWS Java SDK :: Services :: Global Accelerator diff --git a/services/glue/pom.xml b/services/glue/pom.xml index f7570fcb0f56..0f01dec7ff35 100644 --- a/services/glue/pom.xml +++ b/services/glue/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22 + 2.27.23-SNAPSHOT 4.0.0 glue diff --git a/services/grafana/pom.xml b/services/grafana/pom.xml index 84677f7ea4ea..bf43a5f782e7 100644 --- a/services/grafana/pom.xml +++ b/services/grafana/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT grafana AWS Java SDK :: Services :: Grafana diff --git a/services/greengrass/pom.xml b/services/greengrass/pom.xml index 29c659895909..b1aed1cd0310 100644 --- a/services/greengrass/pom.xml +++ b/services/greengrass/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT greengrass AWS Java SDK :: Services :: AWS Greengrass diff --git a/services/greengrassv2/pom.xml b/services/greengrassv2/pom.xml index 937c3a079724..39e3b6db39e8 100644 --- a/services/greengrassv2/pom.xml +++ b/services/greengrassv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT greengrassv2 AWS Java SDK :: Services :: Greengrass V2 diff --git a/services/groundstation/pom.xml b/services/groundstation/pom.xml index 33f8a368f196..860f3a01a7d6 100644 --- a/services/groundstation/pom.xml +++ b/services/groundstation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT groundstation AWS Java SDK :: Services :: GroundStation diff --git a/services/guardduty/pom.xml b/services/guardduty/pom.xml index 3fdb6d72c2bb..2d5ecbd1ef71 100644 --- a/services/guardduty/pom.xml +++ b/services/guardduty/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22 + 2.27.23-SNAPSHOT 4.0.0 guardduty diff --git a/services/health/pom.xml b/services/health/pom.xml index 7e5ae3db736f..a5cc808020a9 100644 --- a/services/health/pom.xml +++ b/services/health/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT health AWS Java SDK :: Services :: AWS Health APIs and Notifications diff --git a/services/healthlake/pom.xml b/services/healthlake/pom.xml index a1ba899c4cc0..2d9cd0fe7bfe 100644 --- a/services/healthlake/pom.xml +++ b/services/healthlake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT healthlake AWS Java SDK :: Services :: Health Lake diff --git a/services/iam/pom.xml b/services/iam/pom.xml index 999f753f6f76..8cb2a880e697 100644 --- a/services/iam/pom.xml +++ b/services/iam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT iam AWS Java SDK :: Services :: AWS IAM diff --git a/services/identitystore/pom.xml b/services/identitystore/pom.xml index fa59bd94fd7e..134192a0c9a6 100644 --- a/services/identitystore/pom.xml +++ b/services/identitystore/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT identitystore AWS Java SDK :: Services :: Identitystore diff --git a/services/imagebuilder/pom.xml b/services/imagebuilder/pom.xml index 610540002a89..47d86adbeaf5 100644 --- a/services/imagebuilder/pom.xml +++ b/services/imagebuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT imagebuilder AWS Java SDK :: Services :: Imagebuilder diff --git a/services/inspector/pom.xml b/services/inspector/pom.xml index f0d806bfb41e..20db1135fe44 100644 --- a/services/inspector/pom.xml +++ b/services/inspector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT inspector AWS Java SDK :: Services :: Amazon Inspector Service diff --git a/services/inspector2/pom.xml b/services/inspector2/pom.xml index 0959e160bbb3..1438ede7f94a 100644 --- a/services/inspector2/pom.xml +++ b/services/inspector2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT inspector2 AWS Java SDK :: Services :: Inspector2 diff --git a/services/inspectorscan/pom.xml b/services/inspectorscan/pom.xml index 3640104920e4..edb022b6a4b4 100644 --- a/services/inspectorscan/pom.xml +++ b/services/inspectorscan/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT inspectorscan AWS Java SDK :: Services :: Inspector Scan diff --git a/services/internetmonitor/pom.xml b/services/internetmonitor/pom.xml index d7814537d806..43b952693f34 100644 --- a/services/internetmonitor/pom.xml +++ b/services/internetmonitor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT internetmonitor AWS Java SDK :: Services :: Internet Monitor diff --git a/services/iot/pom.xml b/services/iot/pom.xml index a82cb6f054a9..4b2f0253b5c5 100644 --- a/services/iot/pom.xml +++ b/services/iot/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT iot AWS Java SDK :: Services :: AWS IoT diff --git a/services/iot1clickdevices/pom.xml b/services/iot1clickdevices/pom.xml index 42ca2242262d..ab2dd38c3766 100644 --- a/services/iot1clickdevices/pom.xml +++ b/services/iot1clickdevices/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT iot1clickdevices AWS Java SDK :: Services :: IoT 1Click Devices Service diff --git a/services/iot1clickprojects/pom.xml b/services/iot1clickprojects/pom.xml index 5fe52120bb54..28398ac18992 100644 --- a/services/iot1clickprojects/pom.xml +++ b/services/iot1clickprojects/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT iot1clickprojects AWS Java SDK :: Services :: IoT 1Click Projects diff --git a/services/iotanalytics/pom.xml b/services/iotanalytics/pom.xml index 924bf2aac005..5aab4c227c6c 100644 --- a/services/iotanalytics/pom.xml +++ b/services/iotanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT iotanalytics AWS Java SDK :: Services :: IoTAnalytics diff --git a/services/iotdataplane/pom.xml b/services/iotdataplane/pom.xml index 16a7a27adcb5..2919d5c36787 100644 --- a/services/iotdataplane/pom.xml +++ b/services/iotdataplane/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT iotdataplane AWS Java SDK :: Services :: AWS IoT Data Plane diff --git a/services/iotdeviceadvisor/pom.xml b/services/iotdeviceadvisor/pom.xml index 843e2ba2eab3..3545c330ab4f 100644 --- a/services/iotdeviceadvisor/pom.xml +++ b/services/iotdeviceadvisor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT iotdeviceadvisor AWS Java SDK :: Services :: Iot Device Advisor diff --git a/services/iotevents/pom.xml b/services/iotevents/pom.xml index c35ebe5e9014..7a3580d541dc 100644 --- a/services/iotevents/pom.xml +++ b/services/iotevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT iotevents AWS Java SDK :: Services :: IoT Events diff --git a/services/ioteventsdata/pom.xml b/services/ioteventsdata/pom.xml index 2b06c9141572..ee9e36940f09 100644 --- a/services/ioteventsdata/pom.xml +++ b/services/ioteventsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT ioteventsdata AWS Java SDK :: Services :: IoT Events Data diff --git a/services/iotfleethub/pom.xml b/services/iotfleethub/pom.xml index 921a32274a04..51bc522db00f 100644 --- a/services/iotfleethub/pom.xml +++ b/services/iotfleethub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT iotfleethub AWS Java SDK :: Services :: Io T Fleet Hub diff --git a/services/iotfleetwise/pom.xml b/services/iotfleetwise/pom.xml index f62ced7d5bde..f32f117d4934 100644 --- a/services/iotfleetwise/pom.xml +++ b/services/iotfleetwise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT iotfleetwise AWS Java SDK :: Services :: Io T Fleet Wise diff --git a/services/iotjobsdataplane/pom.xml b/services/iotjobsdataplane/pom.xml index 6b23c5b798e1..6a4eecd29eb8 100644 --- a/services/iotjobsdataplane/pom.xml +++ b/services/iotjobsdataplane/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT iotjobsdataplane AWS Java SDK :: Services :: IoT Jobs Data Plane diff --git a/services/iotsecuretunneling/pom.xml b/services/iotsecuretunneling/pom.xml index 8fd35b550d85..5a99aa1edc04 100644 --- a/services/iotsecuretunneling/pom.xml +++ b/services/iotsecuretunneling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT iotsecuretunneling AWS Java SDK :: Services :: IoTSecureTunneling diff --git a/services/iotsitewise/pom.xml b/services/iotsitewise/pom.xml index 9694f14514c8..5d71c87df5f0 100644 --- a/services/iotsitewise/pom.xml +++ b/services/iotsitewise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT iotsitewise AWS Java SDK :: Services :: Io T Site Wise diff --git a/services/iotthingsgraph/pom.xml b/services/iotthingsgraph/pom.xml index 99290aec6250..f5bebc73b53e 100644 --- a/services/iotthingsgraph/pom.xml +++ b/services/iotthingsgraph/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT iotthingsgraph AWS Java SDK :: Services :: IoTThingsGraph diff --git a/services/iottwinmaker/pom.xml b/services/iottwinmaker/pom.xml index 1458c91ad53d..09f87854f150 100644 --- a/services/iottwinmaker/pom.xml +++ b/services/iottwinmaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT iottwinmaker AWS Java SDK :: Services :: Io T Twin Maker diff --git a/services/iotwireless/pom.xml b/services/iotwireless/pom.xml index 7552e84c552b..d66eaa5c1a2a 100644 --- a/services/iotwireless/pom.xml +++ b/services/iotwireless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT iotwireless AWS Java SDK :: Services :: IoT Wireless diff --git a/services/ivs/pom.xml b/services/ivs/pom.xml index 68f003effc9f..430a3b3d3db9 100644 --- a/services/ivs/pom.xml +++ b/services/ivs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT ivs AWS Java SDK :: Services :: Ivs diff --git a/services/ivschat/pom.xml b/services/ivschat/pom.xml index 1fbb57e3968a..9eee99f25e76 100644 --- a/services/ivschat/pom.xml +++ b/services/ivschat/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT ivschat AWS Java SDK :: Services :: Ivschat diff --git a/services/ivsrealtime/pom.xml b/services/ivsrealtime/pom.xml index 1164843a0f93..cd1b4cd8ddc7 100644 --- a/services/ivsrealtime/pom.xml +++ b/services/ivsrealtime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT ivsrealtime AWS Java SDK :: Services :: IVS Real Time diff --git a/services/kafka/pom.xml b/services/kafka/pom.xml index ade18de50ec8..e5b4ddeff340 100644 --- a/services/kafka/pom.xml +++ b/services/kafka/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT kafka AWS Java SDK :: Services :: Kafka diff --git a/services/kafkaconnect/pom.xml b/services/kafkaconnect/pom.xml index 6b8197cd3047..d0b6e3a8133f 100644 --- a/services/kafkaconnect/pom.xml +++ b/services/kafkaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT kafkaconnect AWS Java SDK :: Services :: Kafka Connect diff --git a/services/kendra/pom.xml b/services/kendra/pom.xml index 394c7acb2b13..1f0f46ea8992 100644 --- a/services/kendra/pom.xml +++ b/services/kendra/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT kendra AWS Java SDK :: Services :: Kendra diff --git a/services/kendraranking/pom.xml b/services/kendraranking/pom.xml index b0bf0e6f9a93..badcfb9d7004 100644 --- a/services/kendraranking/pom.xml +++ b/services/kendraranking/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT kendraranking AWS Java SDK :: Services :: Kendra Ranking diff --git a/services/keyspaces/pom.xml b/services/keyspaces/pom.xml index af3b88d756ef..844a2d431487 100644 --- a/services/keyspaces/pom.xml +++ b/services/keyspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT keyspaces AWS Java SDK :: Services :: Keyspaces diff --git a/services/kinesis/pom.xml b/services/kinesis/pom.xml index a65efee038e4..26bdebbf5125 100644 --- a/services/kinesis/pom.xml +++ b/services/kinesis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT kinesis AWS Java SDK :: Services :: Amazon Kinesis diff --git a/services/kinesisanalytics/pom.xml b/services/kinesisanalytics/pom.xml index 6d6f2495a32b..6b9491f2e407 100644 --- a/services/kinesisanalytics/pom.xml +++ b/services/kinesisanalytics/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT kinesisanalytics AWS Java SDK :: Services :: Amazon Kinesis Analytics diff --git a/services/kinesisanalyticsv2/pom.xml b/services/kinesisanalyticsv2/pom.xml index ce5e98d4cefa..0b08d20da0e2 100644 --- a/services/kinesisanalyticsv2/pom.xml +++ b/services/kinesisanalyticsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT kinesisanalyticsv2 AWS Java SDK :: Services :: Kinesis Analytics V2 diff --git a/services/kinesisvideo/pom.xml b/services/kinesisvideo/pom.xml index ad4ffddd8b3b..8985a80a7eff 100644 --- a/services/kinesisvideo/pom.xml +++ b/services/kinesisvideo/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22 + 2.27.23-SNAPSHOT 4.0.0 kinesisvideo diff --git a/services/kinesisvideoarchivedmedia/pom.xml b/services/kinesisvideoarchivedmedia/pom.xml index b16a0dd86ff6..3dde71ac5191 100644 --- a/services/kinesisvideoarchivedmedia/pom.xml +++ b/services/kinesisvideoarchivedmedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT kinesisvideoarchivedmedia AWS Java SDK :: Services :: Kinesis Video Archived Media diff --git a/services/kinesisvideomedia/pom.xml b/services/kinesisvideomedia/pom.xml index 583f3fc31e92..59005bf5123b 100644 --- a/services/kinesisvideomedia/pom.xml +++ b/services/kinesisvideomedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT kinesisvideomedia AWS Java SDK :: Services :: Kinesis Video Media diff --git a/services/kinesisvideosignaling/pom.xml b/services/kinesisvideosignaling/pom.xml index 244d48b0268f..ab5d19a9b2b3 100644 --- a/services/kinesisvideosignaling/pom.xml +++ b/services/kinesisvideosignaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT kinesisvideosignaling AWS Java SDK :: Services :: Kinesis Video Signaling diff --git a/services/kinesisvideowebrtcstorage/pom.xml b/services/kinesisvideowebrtcstorage/pom.xml index d0ed8c967908..b0b2c120068d 100644 --- a/services/kinesisvideowebrtcstorage/pom.xml +++ b/services/kinesisvideowebrtcstorage/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT kinesisvideowebrtcstorage AWS Java SDK :: Services :: Kinesis Video Web RTC Storage diff --git a/services/kms/pom.xml b/services/kms/pom.xml index 76af0af9000c..95ec9fd0b487 100644 --- a/services/kms/pom.xml +++ b/services/kms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT kms AWS Java SDK :: Services :: AWS KMS diff --git a/services/lakeformation/pom.xml b/services/lakeformation/pom.xml index c44fa198433a..fcba3be6447d 100644 --- a/services/lakeformation/pom.xml +++ b/services/lakeformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT lakeformation AWS Java SDK :: Services :: LakeFormation diff --git a/services/lambda/pom.xml b/services/lambda/pom.xml index 5d35c48caf49..7e310226b780 100644 --- a/services/lambda/pom.xml +++ b/services/lambda/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT lambda AWS Java SDK :: Services :: AWS Lambda diff --git a/services/launchwizard/pom.xml b/services/launchwizard/pom.xml index af8305e795c4..76a91a41704f 100644 --- a/services/launchwizard/pom.xml +++ b/services/launchwizard/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT launchwizard AWS Java SDK :: Services :: Launch Wizard diff --git a/services/lexmodelbuilding/pom.xml b/services/lexmodelbuilding/pom.xml index e580b8f84b2c..97e8def6ae52 100644 --- a/services/lexmodelbuilding/pom.xml +++ b/services/lexmodelbuilding/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT lexmodelbuilding AWS Java SDK :: Services :: Amazon Lex Model Building diff --git a/services/lexmodelsv2/pom.xml b/services/lexmodelsv2/pom.xml index f8faca6db297..49502a63b9ab 100644 --- a/services/lexmodelsv2/pom.xml +++ b/services/lexmodelsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT lexmodelsv2 AWS Java SDK :: Services :: Lex Models V2 diff --git a/services/lexruntime/pom.xml b/services/lexruntime/pom.xml index bf29f95385f6..22b29deaecef 100644 --- a/services/lexruntime/pom.xml +++ b/services/lexruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT lexruntime AWS Java SDK :: Services :: Amazon Lex Runtime diff --git a/services/lexruntimev2/pom.xml b/services/lexruntimev2/pom.xml index a4958686455e..f054238f0494 100644 --- a/services/lexruntimev2/pom.xml +++ b/services/lexruntimev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT lexruntimev2 AWS Java SDK :: Services :: Lex Runtime V2 diff --git a/services/licensemanager/pom.xml b/services/licensemanager/pom.xml index 9a73a4595660..cc8fb5aa26d2 100644 --- a/services/licensemanager/pom.xml +++ b/services/licensemanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT licensemanager AWS Java SDK :: Services :: License Manager diff --git a/services/licensemanagerlinuxsubscriptions/pom.xml b/services/licensemanagerlinuxsubscriptions/pom.xml index e5102fd59f95..8927cfc9e236 100644 --- a/services/licensemanagerlinuxsubscriptions/pom.xml +++ b/services/licensemanagerlinuxsubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT licensemanagerlinuxsubscriptions AWS Java SDK :: Services :: License Manager Linux Subscriptions diff --git a/services/licensemanagerusersubscriptions/pom.xml b/services/licensemanagerusersubscriptions/pom.xml index 14115d5efd2e..3a772f2229f4 100644 --- a/services/licensemanagerusersubscriptions/pom.xml +++ b/services/licensemanagerusersubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT licensemanagerusersubscriptions AWS Java SDK :: Services :: License Manager User Subscriptions diff --git a/services/lightsail/pom.xml b/services/lightsail/pom.xml index 2c5a39d2b544..e43011db3840 100644 --- a/services/lightsail/pom.xml +++ b/services/lightsail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT lightsail AWS Java SDK :: Services :: Amazon Lightsail diff --git a/services/location/pom.xml b/services/location/pom.xml index 9436cae466d5..b785dfa93154 100644 --- a/services/location/pom.xml +++ b/services/location/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT location AWS Java SDK :: Services :: Location diff --git a/services/lookoutequipment/pom.xml b/services/lookoutequipment/pom.xml index f42ae63dd100..63552e796ed8 100644 --- a/services/lookoutequipment/pom.xml +++ b/services/lookoutequipment/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT lookoutequipment AWS Java SDK :: Services :: Lookout Equipment diff --git a/services/lookoutmetrics/pom.xml b/services/lookoutmetrics/pom.xml index fd44921c4e00..59694865e31f 100644 --- a/services/lookoutmetrics/pom.xml +++ b/services/lookoutmetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT lookoutmetrics AWS Java SDK :: Services :: Lookout Metrics diff --git a/services/lookoutvision/pom.xml b/services/lookoutvision/pom.xml index 5dbc724db535..3beceaefd244 100644 --- a/services/lookoutvision/pom.xml +++ b/services/lookoutvision/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT lookoutvision AWS Java SDK :: Services :: Lookout Vision diff --git a/services/m2/pom.xml b/services/m2/pom.xml index a0b379694837..390266c65ae3 100644 --- a/services/m2/pom.xml +++ b/services/m2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT m2 AWS Java SDK :: Services :: M2 diff --git a/services/machinelearning/pom.xml b/services/machinelearning/pom.xml index e8733090db44..70c038c18af3 100644 --- a/services/machinelearning/pom.xml +++ b/services/machinelearning/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT machinelearning AWS Java SDK :: Services :: Amazon Machine Learning diff --git a/services/macie2/pom.xml b/services/macie2/pom.xml index 0d3572a9fa75..6b50ef3deca1 100644 --- a/services/macie2/pom.xml +++ b/services/macie2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT macie2 AWS Java SDK :: Services :: Macie2 diff --git a/services/mailmanager/pom.xml b/services/mailmanager/pom.xml index 8c49b162c534..00712009e8d7 100644 --- a/services/mailmanager/pom.xml +++ b/services/mailmanager/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT mailmanager AWS Java SDK :: Services :: Mail Manager diff --git a/services/managedblockchain/pom.xml b/services/managedblockchain/pom.xml index aaba5e523134..530f902b83f1 100644 --- a/services/managedblockchain/pom.xml +++ b/services/managedblockchain/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT managedblockchain AWS Java SDK :: Services :: ManagedBlockchain diff --git a/services/managedblockchainquery/pom.xml b/services/managedblockchainquery/pom.xml index 94a459bb4414..164263dca191 100644 --- a/services/managedblockchainquery/pom.xml +++ b/services/managedblockchainquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT managedblockchainquery AWS Java SDK :: Services :: Managed Blockchain Query diff --git a/services/marketplaceagreement/pom.xml b/services/marketplaceagreement/pom.xml index a96d29772e9e..ddcee5a344d9 100644 --- a/services/marketplaceagreement/pom.xml +++ b/services/marketplaceagreement/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT marketplaceagreement AWS Java SDK :: Services :: Marketplace Agreement diff --git a/services/marketplacecatalog/pom.xml b/services/marketplacecatalog/pom.xml index 5ed46795f2ad..b170c8cf2d6a 100644 --- a/services/marketplacecatalog/pom.xml +++ b/services/marketplacecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT marketplacecatalog AWS Java SDK :: Services :: Marketplace Catalog diff --git a/services/marketplacecommerceanalytics/pom.xml b/services/marketplacecommerceanalytics/pom.xml index 207abf713431..1f20ea9b4c3e 100644 --- a/services/marketplacecommerceanalytics/pom.xml +++ b/services/marketplacecommerceanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT marketplacecommerceanalytics AWS Java SDK :: Services :: AWS Marketplace Commerce Analytics diff --git a/services/marketplacedeployment/pom.xml b/services/marketplacedeployment/pom.xml index 279f06e5c885..186c4fdacd89 100644 --- a/services/marketplacedeployment/pom.xml +++ b/services/marketplacedeployment/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT marketplacedeployment AWS Java SDK :: Services :: Marketplace Deployment diff --git a/services/marketplaceentitlement/pom.xml b/services/marketplaceentitlement/pom.xml index a2f9f22542a3..c12803792c3c 100644 --- a/services/marketplaceentitlement/pom.xml +++ b/services/marketplaceentitlement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT marketplaceentitlement AWS Java SDK :: Services :: AWS Marketplace Entitlement diff --git a/services/marketplacemetering/pom.xml b/services/marketplacemetering/pom.xml index 51cbc97f4cd8..bf5dbd69d42e 100644 --- a/services/marketplacemetering/pom.xml +++ b/services/marketplacemetering/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT marketplacemetering AWS Java SDK :: Services :: AWS Marketplace Metering Service diff --git a/services/mediaconnect/pom.xml b/services/mediaconnect/pom.xml index 63cf10a31c1b..b9903cfd6c4d 100644 --- a/services/mediaconnect/pom.xml +++ b/services/mediaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT mediaconnect AWS Java SDK :: Services :: MediaConnect diff --git a/services/mediaconvert/pom.xml b/services/mediaconvert/pom.xml index be273c0781ab..e12c2238fbed 100644 --- a/services/mediaconvert/pom.xml +++ b/services/mediaconvert/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22 + 2.27.23-SNAPSHOT 4.0.0 mediaconvert diff --git a/services/medialive/pom.xml b/services/medialive/pom.xml index f2fdfcace7ba..38537c156603 100644 --- a/services/medialive/pom.xml +++ b/services/medialive/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22 + 2.27.23-SNAPSHOT 4.0.0 medialive diff --git a/services/mediapackage/pom.xml b/services/mediapackage/pom.xml index 5e8f34f5e050..882311402438 100644 --- a/services/mediapackage/pom.xml +++ b/services/mediapackage/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22 + 2.27.23-SNAPSHOT 4.0.0 mediapackage diff --git a/services/mediapackagev2/pom.xml b/services/mediapackagev2/pom.xml index ea4382ca5a58..a95fb878273d 100644 --- a/services/mediapackagev2/pom.xml +++ b/services/mediapackagev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT mediapackagev2 AWS Java SDK :: Services :: Media Package V2 diff --git a/services/mediapackagevod/pom.xml b/services/mediapackagevod/pom.xml index 954482e2769b..0bb7ea5c01ab 100644 --- a/services/mediapackagevod/pom.xml +++ b/services/mediapackagevod/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT mediapackagevod AWS Java SDK :: Services :: MediaPackage Vod diff --git a/services/mediastore/pom.xml b/services/mediastore/pom.xml index 24d971b24ec3..80f8de045614 100644 --- a/services/mediastore/pom.xml +++ b/services/mediastore/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22 + 2.27.23-SNAPSHOT 4.0.0 mediastore diff --git a/services/mediastoredata/pom.xml b/services/mediastoredata/pom.xml index 861d5ab58115..3d7bd85d1aee 100644 --- a/services/mediastoredata/pom.xml +++ b/services/mediastoredata/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22 + 2.27.23-SNAPSHOT 4.0.0 mediastoredata diff --git a/services/mediatailor/pom.xml b/services/mediatailor/pom.xml index 2963fa821367..8e561aa6ac37 100644 --- a/services/mediatailor/pom.xml +++ b/services/mediatailor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT mediatailor AWS Java SDK :: Services :: MediaTailor diff --git a/services/medicalimaging/pom.xml b/services/medicalimaging/pom.xml index 4fc399218ea5..1df6357188be 100644 --- a/services/medicalimaging/pom.xml +++ b/services/medicalimaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT medicalimaging AWS Java SDK :: Services :: Medical Imaging diff --git a/services/memorydb/pom.xml b/services/memorydb/pom.xml index d55dbc2dff6f..95f8ae41781f 100644 --- a/services/memorydb/pom.xml +++ b/services/memorydb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT memorydb AWS Java SDK :: Services :: Memory DB diff --git a/services/mgn/pom.xml b/services/mgn/pom.xml index b5c7c8f4799c..efb205d54a8e 100644 --- a/services/mgn/pom.xml +++ b/services/mgn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT mgn AWS Java SDK :: Services :: Mgn diff --git a/services/migrationhub/pom.xml b/services/migrationhub/pom.xml index 4ce2266c091f..be962837af0a 100644 --- a/services/migrationhub/pom.xml +++ b/services/migrationhub/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22 + 2.27.23-SNAPSHOT 4.0.0 migrationhub diff --git a/services/migrationhubconfig/pom.xml b/services/migrationhubconfig/pom.xml index a32961b4211c..76d0b86fb555 100644 --- a/services/migrationhubconfig/pom.xml +++ b/services/migrationhubconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT migrationhubconfig AWS Java SDK :: Services :: MigrationHub Config diff --git a/services/migrationhuborchestrator/pom.xml b/services/migrationhuborchestrator/pom.xml index 768134b5374f..c0fa2ee22a3f 100644 --- a/services/migrationhuborchestrator/pom.xml +++ b/services/migrationhuborchestrator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT migrationhuborchestrator AWS Java SDK :: Services :: Migration Hub Orchestrator diff --git a/services/migrationhubrefactorspaces/pom.xml b/services/migrationhubrefactorspaces/pom.xml index ad85096ea356..6e3198c30c45 100644 --- a/services/migrationhubrefactorspaces/pom.xml +++ b/services/migrationhubrefactorspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT migrationhubrefactorspaces AWS Java SDK :: Services :: Migration Hub Refactor Spaces diff --git a/services/migrationhubstrategy/pom.xml b/services/migrationhubstrategy/pom.xml index a0d5fd600579..7e91ea49ede0 100644 --- a/services/migrationhubstrategy/pom.xml +++ b/services/migrationhubstrategy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT migrationhubstrategy AWS Java SDK :: Services :: Migration Hub Strategy diff --git a/services/mq/pom.xml b/services/mq/pom.xml index a75c6242d956..1444cc212994 100644 --- a/services/mq/pom.xml +++ b/services/mq/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22 + 2.27.23-SNAPSHOT 4.0.0 mq diff --git a/services/mturk/pom.xml b/services/mturk/pom.xml index 44670d7dc5b2..00a64edee699 100644 --- a/services/mturk/pom.xml +++ b/services/mturk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT mturk AWS Java SDK :: Services :: Amazon Mechanical Turk Requester diff --git a/services/mwaa/pom.xml b/services/mwaa/pom.xml index 29d4c64ec1bf..c6f3cd17fbd3 100644 --- a/services/mwaa/pom.xml +++ b/services/mwaa/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT mwaa AWS Java SDK :: Services :: MWAA diff --git a/services/neptune/pom.xml b/services/neptune/pom.xml index bf9117edfb51..8fbe59b9ac10 100644 --- a/services/neptune/pom.xml +++ b/services/neptune/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT neptune AWS Java SDK :: Services :: Neptune diff --git a/services/neptunedata/pom.xml b/services/neptunedata/pom.xml index 54fcf6b6ad98..c65129f08fbe 100644 --- a/services/neptunedata/pom.xml +++ b/services/neptunedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT neptunedata AWS Java SDK :: Services :: Neptunedata diff --git a/services/neptunegraph/pom.xml b/services/neptunegraph/pom.xml index 121d77eb0c82..f7ded06af152 100644 --- a/services/neptunegraph/pom.xml +++ b/services/neptunegraph/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT neptunegraph AWS Java SDK :: Services :: Neptune Graph diff --git a/services/networkfirewall/pom.xml b/services/networkfirewall/pom.xml index aa63c842abfe..49bceefb1517 100644 --- a/services/networkfirewall/pom.xml +++ b/services/networkfirewall/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT networkfirewall AWS Java SDK :: Services :: Network Firewall diff --git a/services/networkmanager/pom.xml b/services/networkmanager/pom.xml index b22d9878141a..ae178876cc9b 100644 --- a/services/networkmanager/pom.xml +++ b/services/networkmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT networkmanager AWS Java SDK :: Services :: NetworkManager diff --git a/services/networkmonitor/pom.xml b/services/networkmonitor/pom.xml index eae176b704e0..c2953d42e5ae 100644 --- a/services/networkmonitor/pom.xml +++ b/services/networkmonitor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT networkmonitor AWS Java SDK :: Services :: Network Monitor diff --git a/services/nimble/pom.xml b/services/nimble/pom.xml index ff82dfda6d40..7156986d6c55 100644 --- a/services/nimble/pom.xml +++ b/services/nimble/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT nimble AWS Java SDK :: Services :: Nimble diff --git a/services/oam/pom.xml b/services/oam/pom.xml index 03db73cd4079..c52a818adc13 100644 --- a/services/oam/pom.xml +++ b/services/oam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT oam AWS Java SDK :: Services :: OAM diff --git a/services/omics/pom.xml b/services/omics/pom.xml index 3db255b187a6..1bef5224a46f 100644 --- a/services/omics/pom.xml +++ b/services/omics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT omics AWS Java SDK :: Services :: Omics diff --git a/services/opensearch/pom.xml b/services/opensearch/pom.xml index e43fb11cba8b..6c519b464bc5 100644 --- a/services/opensearch/pom.xml +++ b/services/opensearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT opensearch AWS Java SDK :: Services :: Open Search diff --git a/services/opensearchserverless/pom.xml b/services/opensearchserverless/pom.xml index 09c004c36667..1c1109c952ab 100644 --- a/services/opensearchserverless/pom.xml +++ b/services/opensearchserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT opensearchserverless AWS Java SDK :: Services :: Open Search Serverless diff --git a/services/opsworks/pom.xml b/services/opsworks/pom.xml index f3154aa9e454..3f9c37d1016f 100644 --- a/services/opsworks/pom.xml +++ b/services/opsworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT opsworks AWS Java SDK :: Services :: AWS OpsWorks diff --git a/services/opsworkscm/pom.xml b/services/opsworkscm/pom.xml index 25b756e05355..a41997b4d5d2 100644 --- a/services/opsworkscm/pom.xml +++ b/services/opsworkscm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT opsworkscm AWS Java SDK :: Services :: AWS OpsWorks for Chef Automate diff --git a/services/organizations/pom.xml b/services/organizations/pom.xml index b0dcd720bcf3..05b02c3021ed 100644 --- a/services/organizations/pom.xml +++ b/services/organizations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT organizations AWS Java SDK :: Services :: AWS Organizations diff --git a/services/osis/pom.xml b/services/osis/pom.xml index deb1461f37d9..ada317541f2b 100644 --- a/services/osis/pom.xml +++ b/services/osis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT osis AWS Java SDK :: Services :: OSIS diff --git a/services/outposts/pom.xml b/services/outposts/pom.xml index e926b7434d42..832d90e609cb 100644 --- a/services/outposts/pom.xml +++ b/services/outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT outposts AWS Java SDK :: Services :: Outposts diff --git a/services/panorama/pom.xml b/services/panorama/pom.xml index c2f59b8d9d41..9b5422f04f8a 100644 --- a/services/panorama/pom.xml +++ b/services/panorama/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT panorama AWS Java SDK :: Services :: Panorama diff --git a/services/paymentcryptography/pom.xml b/services/paymentcryptography/pom.xml index 9e979b289c6b..90ed7d3939ba 100644 --- a/services/paymentcryptography/pom.xml +++ b/services/paymentcryptography/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT paymentcryptography AWS Java SDK :: Services :: Payment Cryptography diff --git a/services/paymentcryptographydata/pom.xml b/services/paymentcryptographydata/pom.xml index aca9359fb2b4..634ed309085d 100644 --- a/services/paymentcryptographydata/pom.xml +++ b/services/paymentcryptographydata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT paymentcryptographydata AWS Java SDK :: Services :: Payment Cryptography Data diff --git a/services/pcaconnectorad/pom.xml b/services/pcaconnectorad/pom.xml index 891cb435e391..7ba5ff8907f9 100644 --- a/services/pcaconnectorad/pom.xml +++ b/services/pcaconnectorad/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT pcaconnectorad AWS Java SDK :: Services :: Pca Connector Ad diff --git a/services/pcaconnectorscep/pom.xml b/services/pcaconnectorscep/pom.xml index 3bf93d87c86a..ba765d4cb522 100644 --- a/services/pcaconnectorscep/pom.xml +++ b/services/pcaconnectorscep/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT pcaconnectorscep AWS Java SDK :: Services :: Pca Connector Scep diff --git a/services/pcs/pom.xml b/services/pcs/pom.xml index 70cd369b58e7..d07fb4c95a46 100644 --- a/services/pcs/pom.xml +++ b/services/pcs/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT pcs AWS Java SDK :: Services :: PCS diff --git a/services/personalize/pom.xml b/services/personalize/pom.xml index b7c04988cc56..d3825656c9d5 100644 --- a/services/personalize/pom.xml +++ b/services/personalize/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT personalize AWS Java SDK :: Services :: Personalize diff --git a/services/personalizeevents/pom.xml b/services/personalizeevents/pom.xml index 8b69fd6b7274..745ca5b55651 100644 --- a/services/personalizeevents/pom.xml +++ b/services/personalizeevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT personalizeevents AWS Java SDK :: Services :: Personalize Events diff --git a/services/personalizeruntime/pom.xml b/services/personalizeruntime/pom.xml index 7e2eb5e9d007..27a8d53e8a1a 100644 --- a/services/personalizeruntime/pom.xml +++ b/services/personalizeruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT personalizeruntime AWS Java SDK :: Services :: Personalize Runtime diff --git a/services/pi/pom.xml b/services/pi/pom.xml index 28fb055a61be..472f4b0f255a 100644 --- a/services/pi/pom.xml +++ b/services/pi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT pi AWS Java SDK :: Services :: PI diff --git a/services/pinpoint/pom.xml b/services/pinpoint/pom.xml index ecb3aa318f36..4a30497a1cff 100644 --- a/services/pinpoint/pom.xml +++ b/services/pinpoint/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT pinpoint AWS Java SDK :: Services :: Amazon Pinpoint diff --git a/services/pinpointemail/pom.xml b/services/pinpointemail/pom.xml index ac3bf5377e08..d5f55e9e8123 100644 --- a/services/pinpointemail/pom.xml +++ b/services/pinpointemail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT pinpointemail AWS Java SDK :: Services :: Pinpoint Email diff --git a/services/pinpointsmsvoice/pom.xml b/services/pinpointsmsvoice/pom.xml index 4d57df687801..0d84e1083774 100644 --- a/services/pinpointsmsvoice/pom.xml +++ b/services/pinpointsmsvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT pinpointsmsvoice AWS Java SDK :: Services :: Pinpoint SMS Voice diff --git a/services/pinpointsmsvoicev2/pom.xml b/services/pinpointsmsvoicev2/pom.xml index e828ecc6f8ad..8a0973cd1fe7 100644 --- a/services/pinpointsmsvoicev2/pom.xml +++ b/services/pinpointsmsvoicev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT pinpointsmsvoicev2 AWS Java SDK :: Services :: Pinpoint SMS Voice V2 diff --git a/services/pipes/pom.xml b/services/pipes/pom.xml index 37624fd46784..49dd89b8894f 100644 --- a/services/pipes/pom.xml +++ b/services/pipes/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT pipes AWS Java SDK :: Services :: Pipes diff --git a/services/polly/pom.xml b/services/polly/pom.xml index 3d7fac0d1b7f..dca9aec619c6 100644 --- a/services/polly/pom.xml +++ b/services/polly/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT polly AWS Java SDK :: Services :: Amazon Polly diff --git a/services/pom.xml b/services/pom.xml index 6ddc2d438e81..79fca441a85a 100644 --- a/services/pom.xml +++ b/services/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.22 + 2.27.23-SNAPSHOT services AWS Java SDK :: Services diff --git a/services/pricing/pom.xml b/services/pricing/pom.xml index 4b5cd8aad2fd..a064025da028 100644 --- a/services/pricing/pom.xml +++ b/services/pricing/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22 + 2.27.23-SNAPSHOT 4.0.0 pricing diff --git a/services/privatenetworks/pom.xml b/services/privatenetworks/pom.xml index bc9ee95c1770..c385f2057e01 100644 --- a/services/privatenetworks/pom.xml +++ b/services/privatenetworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT privatenetworks AWS Java SDK :: Services :: Private Networks diff --git a/services/proton/pom.xml b/services/proton/pom.xml index d458154eb03d..8410c7f0e117 100644 --- a/services/proton/pom.xml +++ b/services/proton/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT proton AWS Java SDK :: Services :: Proton diff --git a/services/qapps/pom.xml b/services/qapps/pom.xml index 857987749855..58bad9fdb359 100644 --- a/services/qapps/pom.xml +++ b/services/qapps/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT qapps AWS Java SDK :: Services :: Q Apps diff --git a/services/qbusiness/pom.xml b/services/qbusiness/pom.xml index 417db45ed900..0886e7c5428e 100644 --- a/services/qbusiness/pom.xml +++ b/services/qbusiness/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT qbusiness AWS Java SDK :: Services :: Q Business diff --git a/services/qconnect/pom.xml b/services/qconnect/pom.xml index 8191d4e5a7f0..547823ab2892 100644 --- a/services/qconnect/pom.xml +++ b/services/qconnect/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT qconnect AWS Java SDK :: Services :: Q Connect diff --git a/services/qldb/pom.xml b/services/qldb/pom.xml index eb37dbe9cc35..fa4a345a6e1d 100644 --- a/services/qldb/pom.xml +++ b/services/qldb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT qldb AWS Java SDK :: Services :: QLDB diff --git a/services/qldbsession/pom.xml b/services/qldbsession/pom.xml index d4e2e52142a1..61dab04f6eb4 100644 --- a/services/qldbsession/pom.xml +++ b/services/qldbsession/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT qldbsession AWS Java SDK :: Services :: QLDB Session diff --git a/services/quicksight/pom.xml b/services/quicksight/pom.xml index 29d010dc2d84..9ab203868a93 100644 --- a/services/quicksight/pom.xml +++ b/services/quicksight/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT quicksight AWS Java SDK :: Services :: QuickSight diff --git a/services/ram/pom.xml b/services/ram/pom.xml index 30e2e299ff51..14e9f56c51e7 100644 --- a/services/ram/pom.xml +++ b/services/ram/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT ram AWS Java SDK :: Services :: RAM diff --git a/services/rbin/pom.xml b/services/rbin/pom.xml index a5056b721826..d5ef93ec8ea4 100644 --- a/services/rbin/pom.xml +++ b/services/rbin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT rbin AWS Java SDK :: Services :: Rbin diff --git a/services/rds/pom.xml b/services/rds/pom.xml index 8411e45db840..4c24b7d1bda7 100644 --- a/services/rds/pom.xml +++ b/services/rds/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT rds AWS Java SDK :: Services :: Amazon RDS diff --git a/services/rdsdata/pom.xml b/services/rdsdata/pom.xml index 4faf3d707fda..b4d8f5067b80 100644 --- a/services/rdsdata/pom.xml +++ b/services/rdsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT rdsdata AWS Java SDK :: Services :: RDS Data diff --git a/services/redshift/pom.xml b/services/redshift/pom.xml index 0dd37ee3a7ca..5fc48204d775 100644 --- a/services/redshift/pom.xml +++ b/services/redshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT redshift AWS Java SDK :: Services :: Amazon Redshift diff --git a/services/redshiftdata/pom.xml b/services/redshiftdata/pom.xml index b5c5e2866ce7..d516a02ecbcf 100644 --- a/services/redshiftdata/pom.xml +++ b/services/redshiftdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT redshiftdata AWS Java SDK :: Services :: Redshift Data diff --git a/services/redshiftserverless/pom.xml b/services/redshiftserverless/pom.xml index 16471e538928..f9a38c927271 100644 --- a/services/redshiftserverless/pom.xml +++ b/services/redshiftserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT redshiftserverless AWS Java SDK :: Services :: Redshift Serverless diff --git a/services/rekognition/pom.xml b/services/rekognition/pom.xml index 68909b381978..34111e954999 100644 --- a/services/rekognition/pom.xml +++ b/services/rekognition/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT rekognition AWS Java SDK :: Services :: Amazon Rekognition diff --git a/services/repostspace/pom.xml b/services/repostspace/pom.xml index 5a53ee8d35c3..83f70ec352b5 100644 --- a/services/repostspace/pom.xml +++ b/services/repostspace/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT repostspace AWS Java SDK :: Services :: Repostspace diff --git a/services/resiliencehub/pom.xml b/services/resiliencehub/pom.xml index 85d57b7a5fbb..2ac6845ab52f 100644 --- a/services/resiliencehub/pom.xml +++ b/services/resiliencehub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT resiliencehub AWS Java SDK :: Services :: Resiliencehub diff --git a/services/resourceexplorer2/pom.xml b/services/resourceexplorer2/pom.xml index 58fb8b010cb9..2b38cbd06ada 100644 --- a/services/resourceexplorer2/pom.xml +++ b/services/resourceexplorer2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT resourceexplorer2 AWS Java SDK :: Services :: Resource Explorer 2 diff --git a/services/resourcegroups/pom.xml b/services/resourcegroups/pom.xml index e8547b859821..c19f18f106e4 100644 --- a/services/resourcegroups/pom.xml +++ b/services/resourcegroups/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22 + 2.27.23-SNAPSHOT 4.0.0 resourcegroups diff --git a/services/resourcegroupstaggingapi/pom.xml b/services/resourcegroupstaggingapi/pom.xml index 5f624d617ce3..539a68f4479f 100644 --- a/services/resourcegroupstaggingapi/pom.xml +++ b/services/resourcegroupstaggingapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT resourcegroupstaggingapi AWS Java SDK :: Services :: AWS Resource Groups Tagging API diff --git a/services/robomaker/pom.xml b/services/robomaker/pom.xml index e44612b70d7b..0c104545a3e7 100644 --- a/services/robomaker/pom.xml +++ b/services/robomaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT robomaker AWS Java SDK :: Services :: RoboMaker diff --git a/services/rolesanywhere/pom.xml b/services/rolesanywhere/pom.xml index 5a4f3aaaa5b3..a4ded2d90e47 100644 --- a/services/rolesanywhere/pom.xml +++ b/services/rolesanywhere/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT rolesanywhere AWS Java SDK :: Services :: Roles Anywhere diff --git a/services/route53/pom.xml b/services/route53/pom.xml index 380793966b35..d6f68e18be07 100644 --- a/services/route53/pom.xml +++ b/services/route53/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT route53 AWS Java SDK :: Services :: Amazon Route53 diff --git a/services/route53domains/pom.xml b/services/route53domains/pom.xml index 25b09604ab08..5d8072f66b64 100644 --- a/services/route53domains/pom.xml +++ b/services/route53domains/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT route53domains AWS Java SDK :: Services :: Amazon Route53 Domains diff --git a/services/route53profiles/pom.xml b/services/route53profiles/pom.xml index 46c25257ac97..ca879eb50c82 100644 --- a/services/route53profiles/pom.xml +++ b/services/route53profiles/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT route53profiles AWS Java SDK :: Services :: Route53 Profiles diff --git a/services/route53recoverycluster/pom.xml b/services/route53recoverycluster/pom.xml index a20ceefa6e24..99d611157515 100644 --- a/services/route53recoverycluster/pom.xml +++ b/services/route53recoverycluster/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT route53recoverycluster AWS Java SDK :: Services :: Route53 Recovery Cluster diff --git a/services/route53recoverycontrolconfig/pom.xml b/services/route53recoverycontrolconfig/pom.xml index a5ce7e38ad11..552b56bcff49 100644 --- a/services/route53recoverycontrolconfig/pom.xml +++ b/services/route53recoverycontrolconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT route53recoverycontrolconfig AWS Java SDK :: Services :: Route53 Recovery Control Config diff --git a/services/route53recoveryreadiness/pom.xml b/services/route53recoveryreadiness/pom.xml index bc77f9193221..3659f2bf0f42 100644 --- a/services/route53recoveryreadiness/pom.xml +++ b/services/route53recoveryreadiness/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT route53recoveryreadiness AWS Java SDK :: Services :: Route53 Recovery Readiness diff --git a/services/route53resolver/pom.xml b/services/route53resolver/pom.xml index 282fc050a6d4..e546bfd0a720 100644 --- a/services/route53resolver/pom.xml +++ b/services/route53resolver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT route53resolver AWS Java SDK :: Services :: Route53Resolver diff --git a/services/rum/pom.xml b/services/rum/pom.xml index 4e40f3ce3ea7..2978484e7cc0 100644 --- a/services/rum/pom.xml +++ b/services/rum/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT rum AWS Java SDK :: Services :: RUM diff --git a/services/s3/pom.xml b/services/s3/pom.xml index e6ce2199ce60..2c73a5b650b3 100644 --- a/services/s3/pom.xml +++ b/services/s3/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT s3 AWS Java SDK :: Services :: Amazon S3 diff --git a/services/s3control/pom.xml b/services/s3control/pom.xml index a0fdb09b872f..f015beb0427e 100644 --- a/services/s3control/pom.xml +++ b/services/s3control/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT s3control AWS Java SDK :: Services :: Amazon S3 Control diff --git a/services/s3outposts/pom.xml b/services/s3outposts/pom.xml index 60065a65fbdd..154c52002f76 100644 --- a/services/s3outposts/pom.xml +++ b/services/s3outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT s3outposts AWS Java SDK :: Services :: S3 Outposts diff --git a/services/sagemaker/pom.xml b/services/sagemaker/pom.xml index bc5e34fc4ce5..5d07c529442e 100644 --- a/services/sagemaker/pom.xml +++ b/services/sagemaker/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22 + 2.27.23-SNAPSHOT 4.0.0 sagemaker diff --git a/services/sagemakera2iruntime/pom.xml b/services/sagemakera2iruntime/pom.xml index 20bf282f9946..cf10be439b81 100644 --- a/services/sagemakera2iruntime/pom.xml +++ b/services/sagemakera2iruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT sagemakera2iruntime AWS Java SDK :: Services :: SageMaker A2I Runtime diff --git a/services/sagemakeredge/pom.xml b/services/sagemakeredge/pom.xml index 87e777d21239..752ed1f39778 100644 --- a/services/sagemakeredge/pom.xml +++ b/services/sagemakeredge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT sagemakeredge AWS Java SDK :: Services :: Sagemaker Edge diff --git a/services/sagemakerfeaturestoreruntime/pom.xml b/services/sagemakerfeaturestoreruntime/pom.xml index 8d72e4d15840..e857580dc4e4 100644 --- a/services/sagemakerfeaturestoreruntime/pom.xml +++ b/services/sagemakerfeaturestoreruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT sagemakerfeaturestoreruntime AWS Java SDK :: Services :: Sage Maker Feature Store Runtime diff --git a/services/sagemakergeospatial/pom.xml b/services/sagemakergeospatial/pom.xml index cd04acddddfc..70d3a267d1b9 100644 --- a/services/sagemakergeospatial/pom.xml +++ b/services/sagemakergeospatial/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT sagemakergeospatial AWS Java SDK :: Services :: Sage Maker Geospatial diff --git a/services/sagemakermetrics/pom.xml b/services/sagemakermetrics/pom.xml index e6e82cb659ea..26bd0d6c7207 100644 --- a/services/sagemakermetrics/pom.xml +++ b/services/sagemakermetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT sagemakermetrics AWS Java SDK :: Services :: Sage Maker Metrics diff --git a/services/sagemakerruntime/pom.xml b/services/sagemakerruntime/pom.xml index 2c8f58130c25..d4bf592cc9f3 100644 --- a/services/sagemakerruntime/pom.xml +++ b/services/sagemakerruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT sagemakerruntime AWS Java SDK :: Services :: SageMaker Runtime diff --git a/services/savingsplans/pom.xml b/services/savingsplans/pom.xml index 711994ab3814..32c28e675ce5 100644 --- a/services/savingsplans/pom.xml +++ b/services/savingsplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT savingsplans AWS Java SDK :: Services :: Savingsplans diff --git a/services/scheduler/pom.xml b/services/scheduler/pom.xml index 96ed483d39f1..08838fd36315 100644 --- a/services/scheduler/pom.xml +++ b/services/scheduler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT scheduler AWS Java SDK :: Services :: Scheduler diff --git a/services/schemas/pom.xml b/services/schemas/pom.xml index 128962bc287a..47c0c26f0261 100644 --- a/services/schemas/pom.xml +++ b/services/schemas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT schemas AWS Java SDK :: Services :: Schemas diff --git a/services/secretsmanager/pom.xml b/services/secretsmanager/pom.xml index 2719b7f2a9b1..05ec333f02ee 100644 --- a/services/secretsmanager/pom.xml +++ b/services/secretsmanager/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT secretsmanager AWS Java SDK :: Services :: AWS Secrets Manager diff --git a/services/securityhub/pom.xml b/services/securityhub/pom.xml index 385853fcd98d..13d1fa8a34e3 100644 --- a/services/securityhub/pom.xml +++ b/services/securityhub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT securityhub AWS Java SDK :: Services :: SecurityHub diff --git a/services/securitylake/pom.xml b/services/securitylake/pom.xml index 8814825bc5e9..a592fbd01533 100644 --- a/services/securitylake/pom.xml +++ b/services/securitylake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT securitylake AWS Java SDK :: Services :: Security Lake diff --git a/services/serverlessapplicationrepository/pom.xml b/services/serverlessapplicationrepository/pom.xml index 28ecaa2805e5..e07cd56bd953 100644 --- a/services/serverlessapplicationrepository/pom.xml +++ b/services/serverlessapplicationrepository/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22 + 2.27.23-SNAPSHOT 4.0.0 serverlessapplicationrepository diff --git a/services/servicecatalog/pom.xml b/services/servicecatalog/pom.xml index c82049cfdd0e..491d690d7977 100644 --- a/services/servicecatalog/pom.xml +++ b/services/servicecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT servicecatalog AWS Java SDK :: Services :: AWS Service Catalog diff --git a/services/servicecatalogappregistry/pom.xml b/services/servicecatalogappregistry/pom.xml index 1bae12cef142..8212a96e687a 100644 --- a/services/servicecatalogappregistry/pom.xml +++ b/services/servicecatalogappregistry/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT servicecatalogappregistry AWS Java SDK :: Services :: Service Catalog App Registry diff --git a/services/servicediscovery/pom.xml b/services/servicediscovery/pom.xml index fc4414136e5b..e0a000f35367 100644 --- a/services/servicediscovery/pom.xml +++ b/services/servicediscovery/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22 + 2.27.23-SNAPSHOT 4.0.0 servicediscovery diff --git a/services/servicequotas/pom.xml b/services/servicequotas/pom.xml index 50dbf42ae9e4..84d89e4ce8a4 100644 --- a/services/servicequotas/pom.xml +++ b/services/servicequotas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT servicequotas AWS Java SDK :: Services :: Service Quotas diff --git a/services/ses/pom.xml b/services/ses/pom.xml index 1953f685b18c..0c2a5efccbc9 100644 --- a/services/ses/pom.xml +++ b/services/ses/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT ses AWS Java SDK :: Services :: Amazon SES diff --git a/services/sesv2/pom.xml b/services/sesv2/pom.xml index bb60d07ed394..1d8526bd4026 100644 --- a/services/sesv2/pom.xml +++ b/services/sesv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT sesv2 AWS Java SDK :: Services :: SESv2 diff --git a/services/sfn/pom.xml b/services/sfn/pom.xml index a896bfe5ae52..4cff78a88dc4 100644 --- a/services/sfn/pom.xml +++ b/services/sfn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT sfn AWS Java SDK :: Services :: AWS Step Functions diff --git a/services/shield/pom.xml b/services/shield/pom.xml index 54e58e157c75..798433d6f145 100644 --- a/services/shield/pom.xml +++ b/services/shield/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT shield AWS Java SDK :: Services :: AWS Shield diff --git a/services/signer/pom.xml b/services/signer/pom.xml index d93006aab1f6..9164393c164c 100644 --- a/services/signer/pom.xml +++ b/services/signer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT signer AWS Java SDK :: Services :: Signer diff --git a/services/simspaceweaver/pom.xml b/services/simspaceweaver/pom.xml index ba23a0b9d3b0..998762fbf3e5 100644 --- a/services/simspaceweaver/pom.xml +++ b/services/simspaceweaver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT simspaceweaver AWS Java SDK :: Services :: Sim Space Weaver diff --git a/services/sms/pom.xml b/services/sms/pom.xml index edc822b32d31..1b73b07e6b7f 100644 --- a/services/sms/pom.xml +++ b/services/sms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT sms AWS Java SDK :: Services :: AWS Server Migration diff --git a/services/snowball/pom.xml b/services/snowball/pom.xml index dfee2c12bba6..56a170157e23 100644 --- a/services/snowball/pom.xml +++ b/services/snowball/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT snowball AWS Java SDK :: Services :: Amazon Snowball diff --git a/services/snowdevicemanagement/pom.xml b/services/snowdevicemanagement/pom.xml index 947dd2f4ec2d..6edbaf15822f 100644 --- a/services/snowdevicemanagement/pom.xml +++ b/services/snowdevicemanagement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT snowdevicemanagement AWS Java SDK :: Services :: Snow Device Management diff --git a/services/sns/pom.xml b/services/sns/pom.xml index 7cd157be2ff3..f7355eddda28 100644 --- a/services/sns/pom.xml +++ b/services/sns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT sns AWS Java SDK :: Services :: Amazon SNS diff --git a/services/sqs/pom.xml b/services/sqs/pom.xml index 006c8daf9ea7..5a639d275883 100644 --- a/services/sqs/pom.xml +++ b/services/sqs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT sqs AWS Java SDK :: Services :: Amazon SQS diff --git a/services/ssm/pom.xml b/services/ssm/pom.xml index 6f88f128d295..0a596c93e48b 100644 --- a/services/ssm/pom.xml +++ b/services/ssm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT ssm AWS Java SDK :: Services :: AWS Simple Systems Management (SSM) diff --git a/services/ssmcontacts/pom.xml b/services/ssmcontacts/pom.xml index ece4ef8c0187..b3a4333056b1 100644 --- a/services/ssmcontacts/pom.xml +++ b/services/ssmcontacts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT ssmcontacts AWS Java SDK :: Services :: SSM Contacts diff --git a/services/ssmincidents/pom.xml b/services/ssmincidents/pom.xml index 2901c8fdcf8f..4a15f5d76e00 100644 --- a/services/ssmincidents/pom.xml +++ b/services/ssmincidents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT ssmincidents AWS Java SDK :: Services :: SSM Incidents diff --git a/services/ssmquicksetup/pom.xml b/services/ssmquicksetup/pom.xml index bf716238bfbe..cd18a18b986c 100644 --- a/services/ssmquicksetup/pom.xml +++ b/services/ssmquicksetup/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT ssmquicksetup AWS Java SDK :: Services :: SSM Quick Setup diff --git a/services/ssmsap/pom.xml b/services/ssmsap/pom.xml index 57db6e112336..f31435a00399 100644 --- a/services/ssmsap/pom.xml +++ b/services/ssmsap/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT ssmsap AWS Java SDK :: Services :: Ssm Sap diff --git a/services/sso/pom.xml b/services/sso/pom.xml index a3c11a01cc5a..f10984367ae2 100644 --- a/services/sso/pom.xml +++ b/services/sso/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT sso AWS Java SDK :: Services :: SSO diff --git a/services/ssoadmin/pom.xml b/services/ssoadmin/pom.xml index d9360de6235f..8e9d7cf73eeb 100644 --- a/services/ssoadmin/pom.xml +++ b/services/ssoadmin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT ssoadmin AWS Java SDK :: Services :: SSO Admin diff --git a/services/ssooidc/pom.xml b/services/ssooidc/pom.xml index 0ee61cc9a258..ae8166b47573 100644 --- a/services/ssooidc/pom.xml +++ b/services/ssooidc/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT ssooidc AWS Java SDK :: Services :: SSO OIDC diff --git a/services/storagegateway/pom.xml b/services/storagegateway/pom.xml index 819be9fd344b..273095e92008 100644 --- a/services/storagegateway/pom.xml +++ b/services/storagegateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT storagegateway AWS Java SDK :: Services :: AWS Storage Gateway diff --git a/services/sts/pom.xml b/services/sts/pom.xml index bb3d41016921..da5c3226942e 100644 --- a/services/sts/pom.xml +++ b/services/sts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT sts AWS Java SDK :: Services :: AWS STS diff --git a/services/supplychain/pom.xml b/services/supplychain/pom.xml index 2f7c80f03723..4f8a243053cb 100644 --- a/services/supplychain/pom.xml +++ b/services/supplychain/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT supplychain AWS Java SDK :: Services :: Supply Chain diff --git a/services/support/pom.xml b/services/support/pom.xml index 1d7d6cc6e5fe..c57573d7e181 100644 --- a/services/support/pom.xml +++ b/services/support/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT support AWS Java SDK :: Services :: AWS Support diff --git a/services/supportapp/pom.xml b/services/supportapp/pom.xml index 22d23fa455d4..3622c4cdead6 100644 --- a/services/supportapp/pom.xml +++ b/services/supportapp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT supportapp AWS Java SDK :: Services :: Support App diff --git a/services/swf/pom.xml b/services/swf/pom.xml index 6e0b31c8ca0a..36fc9fc67825 100644 --- a/services/swf/pom.xml +++ b/services/swf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT swf AWS Java SDK :: Services :: Amazon SWF diff --git a/services/synthetics/pom.xml b/services/synthetics/pom.xml index 21e3465060dd..112487562d11 100644 --- a/services/synthetics/pom.xml +++ b/services/synthetics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT synthetics AWS Java SDK :: Services :: Synthetics diff --git a/services/taxsettings/pom.xml b/services/taxsettings/pom.xml index db0bdf760b2e..c050c914d17d 100644 --- a/services/taxsettings/pom.xml +++ b/services/taxsettings/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT taxsettings AWS Java SDK :: Services :: Tax Settings diff --git a/services/textract/pom.xml b/services/textract/pom.xml index ded7e2dda2ac..adbabad7bc45 100644 --- a/services/textract/pom.xml +++ b/services/textract/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT textract AWS Java SDK :: Services :: Textract diff --git a/services/timestreaminfluxdb/pom.xml b/services/timestreaminfluxdb/pom.xml index fb591bd6c972..12ba50f7cbb7 100644 --- a/services/timestreaminfluxdb/pom.xml +++ b/services/timestreaminfluxdb/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT timestreaminfluxdb AWS Java SDK :: Services :: Timestream Influx DB diff --git a/services/timestreamquery/pom.xml b/services/timestreamquery/pom.xml index 5b5bc4717f31..640766e34d57 100644 --- a/services/timestreamquery/pom.xml +++ b/services/timestreamquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT timestreamquery AWS Java SDK :: Services :: Timestream Query diff --git a/services/timestreamwrite/pom.xml b/services/timestreamwrite/pom.xml index 60810b00aae3..8cd5f6a294f4 100644 --- a/services/timestreamwrite/pom.xml +++ b/services/timestreamwrite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT timestreamwrite AWS Java SDK :: Services :: Timestream Write diff --git a/services/tnb/pom.xml b/services/tnb/pom.xml index 77d2eac7cbc4..757b19b3980b 100644 --- a/services/tnb/pom.xml +++ b/services/tnb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT tnb AWS Java SDK :: Services :: Tnb diff --git a/services/transcribe/pom.xml b/services/transcribe/pom.xml index baa8d11fe91d..4eb24a09362a 100644 --- a/services/transcribe/pom.xml +++ b/services/transcribe/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT transcribe AWS Java SDK :: Services :: Transcribe diff --git a/services/transcribestreaming/pom.xml b/services/transcribestreaming/pom.xml index e5fc2fe627d3..825d1b7ef06e 100644 --- a/services/transcribestreaming/pom.xml +++ b/services/transcribestreaming/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT transcribestreaming AWS Java SDK :: Services :: AWS Transcribe Streaming diff --git a/services/transfer/pom.xml b/services/transfer/pom.xml index be9793065c9a..36a435e52f2e 100644 --- a/services/transfer/pom.xml +++ b/services/transfer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT transfer AWS Java SDK :: Services :: Transfer diff --git a/services/translate/pom.xml b/services/translate/pom.xml index 30538068ed95..22ccc2b27b90 100644 --- a/services/translate/pom.xml +++ b/services/translate/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22 + 2.27.23-SNAPSHOT 4.0.0 translate diff --git a/services/trustedadvisor/pom.xml b/services/trustedadvisor/pom.xml index 49bde41d4778..21fe59c6a888 100644 --- a/services/trustedadvisor/pom.xml +++ b/services/trustedadvisor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT trustedadvisor AWS Java SDK :: Services :: Trusted Advisor diff --git a/services/verifiedpermissions/pom.xml b/services/verifiedpermissions/pom.xml index 28847b5e466e..4ed5715e157c 100644 --- a/services/verifiedpermissions/pom.xml +++ b/services/verifiedpermissions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT verifiedpermissions AWS Java SDK :: Services :: Verified Permissions diff --git a/services/voiceid/pom.xml b/services/voiceid/pom.xml index 4b2a2a18a2ec..920678eb46d6 100644 --- a/services/voiceid/pom.xml +++ b/services/voiceid/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT voiceid AWS Java SDK :: Services :: Voice ID diff --git a/services/vpclattice/pom.xml b/services/vpclattice/pom.xml index f693c66589a9..d64d793158aa 100644 --- a/services/vpclattice/pom.xml +++ b/services/vpclattice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT vpclattice AWS Java SDK :: Services :: VPC Lattice diff --git a/services/waf/pom.xml b/services/waf/pom.xml index 0447d006e272..5303853abadc 100644 --- a/services/waf/pom.xml +++ b/services/waf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT waf AWS Java SDK :: Services :: AWS WAF diff --git a/services/wafv2/pom.xml b/services/wafv2/pom.xml index 285cc18deb07..a38a05148ed9 100644 --- a/services/wafv2/pom.xml +++ b/services/wafv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT wafv2 AWS Java SDK :: Services :: WAFV2 diff --git a/services/wellarchitected/pom.xml b/services/wellarchitected/pom.xml index 6ce98f05f7bc..67e7700c50f6 100644 --- a/services/wellarchitected/pom.xml +++ b/services/wellarchitected/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT wellarchitected AWS Java SDK :: Services :: Well Architected diff --git a/services/wisdom/pom.xml b/services/wisdom/pom.xml index 7fb10538f515..a2ed79fd91f6 100644 --- a/services/wisdom/pom.xml +++ b/services/wisdom/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT wisdom AWS Java SDK :: Services :: Wisdom diff --git a/services/workdocs/pom.xml b/services/workdocs/pom.xml index 358f2cab2327..2994c59c81c6 100644 --- a/services/workdocs/pom.xml +++ b/services/workdocs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT workdocs AWS Java SDK :: Services :: Amazon WorkDocs diff --git a/services/worklink/pom.xml b/services/worklink/pom.xml index fe3669387811..7ad29812b2e1 100644 --- a/services/worklink/pom.xml +++ b/services/worklink/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT worklink AWS Java SDK :: Services :: WorkLink diff --git a/services/workmail/pom.xml b/services/workmail/pom.xml index 9fc5d981ee43..b30350ebc844 100644 --- a/services/workmail/pom.xml +++ b/services/workmail/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.22 + 2.27.23-SNAPSHOT 4.0.0 workmail diff --git a/services/workmailmessageflow/pom.xml b/services/workmailmessageflow/pom.xml index 873aa2aa49ed..8073ee4f73ea 100644 --- a/services/workmailmessageflow/pom.xml +++ b/services/workmailmessageflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT workmailmessageflow AWS Java SDK :: Services :: WorkMailMessageFlow diff --git a/services/workspaces/pom.xml b/services/workspaces/pom.xml index d74637ec72b1..017d51eed82d 100644 --- a/services/workspaces/pom.xml +++ b/services/workspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT workspaces AWS Java SDK :: Services :: Amazon WorkSpaces diff --git a/services/workspacesthinclient/pom.xml b/services/workspacesthinclient/pom.xml index 305a47b6b3be..7814d0024150 100644 --- a/services/workspacesthinclient/pom.xml +++ b/services/workspacesthinclient/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT workspacesthinclient AWS Java SDK :: Services :: Work Spaces Thin Client diff --git a/services/workspacesweb/pom.xml b/services/workspacesweb/pom.xml index abc6a72affae..c9b0dc354b11 100644 --- a/services/workspacesweb/pom.xml +++ b/services/workspacesweb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT workspacesweb AWS Java SDK :: Services :: Work Spaces Web diff --git a/services/xray/pom.xml b/services/xray/pom.xml index 274ef984381c..5fc104e2fe92 100644 --- a/services/xray/pom.xml +++ b/services/xray/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.22 + 2.27.23-SNAPSHOT xray AWS Java SDK :: Services :: AWS X-Ray diff --git a/test/auth-tests/pom.xml b/test/auth-tests/pom.xml index 1fc0daeff165..9b91f0c9522c 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.27.22 + 2.27.23-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/bundle-logging-bridge-binding-test/pom.xml b/test/bundle-logging-bridge-binding-test/pom.xml index 48a8a20441c7..f2f12fdf07f3 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.27.22 + 2.27.23-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/bundle-shading-tests/pom.xml b/test/bundle-shading-tests/pom.xml index b50d944a5ff5..6042a2bdc870 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.27.22 + 2.27.23-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/codegen-generated-classes-test/pom.xml b/test/codegen-generated-classes-test/pom.xml index 7d02637ed30a..be26969824af 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.27.22 + 2.27.23-SNAPSHOT ../../pom.xml diff --git a/test/crt-unavailable-tests/pom.xml b/test/crt-unavailable-tests/pom.xml index e57b2cecf9e0..63250412c806 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.27.22 + 2.27.23-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/http-client-tests/pom.xml b/test/http-client-tests/pom.xml index 112dc7776dd2..38ff3a5b4b7d 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.27.22 + 2.27.23-SNAPSHOT ../../pom.xml http-client-tests diff --git a/test/module-path-tests/pom.xml b/test/module-path-tests/pom.xml index 5b5bfee53f65..621e110655e6 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.27.22 + 2.27.23-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/old-client-version-compatibility-test/pom.xml b/test/old-client-version-compatibility-test/pom.xml index f10da26e9b49..06b2dd697539 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.27.22 + 2.27.23-SNAPSHOT ../../pom.xml diff --git a/test/protocol-tests-core/pom.xml b/test/protocol-tests-core/pom.xml index 33bb9d369914..8bd543c52de3 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.27.22 + 2.27.23-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/protocol-tests/pom.xml b/test/protocol-tests/pom.xml index fe527e73ea12..a779aeb316e4 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.27.22 + 2.27.23-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/region-testing/pom.xml b/test/region-testing/pom.xml index df23ba1f23e9..ae6d377db59c 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.27.22 + 2.27.23-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/ruleset-testing-core/pom.xml b/test/ruleset-testing-core/pom.xml index 5d4a6503710f..198ba4c0a12b 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.27.22 + 2.27.23-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/s3-benchmarks/pom.xml b/test/s3-benchmarks/pom.xml index e6b60a00d7a0..2ebc623b758c 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.27.22 + 2.27.23-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/sdk-benchmarks/pom.xml b/test/sdk-benchmarks/pom.xml index 1cf29845379c..cb8100bf734e 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.27.22 + 2.27.23-SNAPSHOT ../../pom.xml diff --git a/test/sdk-native-image-test/pom.xml b/test/sdk-native-image-test/pom.xml index 7e8f4ab93ced..600795a1a62a 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.27.22 + 2.27.23-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/service-test-utils/pom.xml b/test/service-test-utils/pom.xml index ef3e6346c85d..7c4756069494 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.27.22 + 2.27.23-SNAPSHOT ../../pom.xml service-test-utils diff --git a/test/stability-tests/pom.xml b/test/stability-tests/pom.xml index 1c019f188732..235b99063b5a 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.27.22 + 2.27.23-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/test-utils/pom.xml b/test/test-utils/pom.xml index a3a60956c210..20a3c6d8ac24 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.27.22 + 2.27.23-SNAPSHOT ../../pom.xml test-utils diff --git a/test/tests-coverage-reporting/pom.xml b/test/tests-coverage-reporting/pom.xml index d4e77583626c..4454a3e89bc9 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.27.22 + 2.27.23-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/v2-migration-tests/pom.xml b/test/v2-migration-tests/pom.xml index ce73d2191753..ad9c0080205b 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.27.22 + 2.27.23-SNAPSHOT ../.. diff --git a/third-party/pom.xml b/third-party/pom.xml index 43026d3d75b7..9221bade0d26 100644 --- a/third-party/pom.xml +++ b/third-party/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.22 + 2.27.23-SNAPSHOT third-party diff --git a/third-party/third-party-jackson-core/pom.xml b/third-party/third-party-jackson-core/pom.xml index 9f88dd452cda..a32b7ce6f3fc 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.27.22 + 2.27.23-SNAPSHOT 4.0.0 diff --git a/third-party/third-party-jackson-dataformat-cbor/pom.xml b/third-party/third-party-jackson-dataformat-cbor/pom.xml index 8f0db662c6de..e66d6c25d676 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.27.22 + 2.27.23-SNAPSHOT 4.0.0 diff --git a/third-party/third-party-slf4j-api/pom.xml b/third-party/third-party-slf4j-api/pom.xml index 8a2f448b501b..e0f22afcfb52 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.27.22 + 2.27.23-SNAPSHOT 4.0.0 diff --git a/utils/pom.xml b/utils/pom.xml index 52217f541600..6758fcd04ebb 100644 --- a/utils/pom.xml +++ b/utils/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.22 + 2.27.23-SNAPSHOT 4.0.0 diff --git a/v2-migration/pom.xml b/v2-migration/pom.xml index 80ae77bb3888..982832e94732 100644 --- a/v2-migration/pom.xml +++ b/v2-migration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.22 + 2.27.23-SNAPSHOT ../pom.xml From 6c8c3488d0b5e5f57b62c6748bcf8197c2a835bd Mon Sep 17 00:00:00 2001 From: Matthew Miller Date: Mon, 9 Sep 2024 15:25:12 -0700 Subject: [PATCH 044/108] Update ProfileFile to support reading sub-properties. (#5560) Sub-properties are those nested under another property. E.g. ``` [default] s3 = endpoint_url = foo ``` Before this change, only `s3` would be available, and would contain the raw string underneath the property. After this change, `s3` remains the same, but `foo` can be retrieved through the property `s3.endpoint_url`. This change also adds the property for `endpoint_url` and a convenience setter for profile content strings. --- .../amazon/awssdk/profiles/ProfileFile.java | 9 +++++++++ .../amazon/awssdk/profiles/ProfileProperty.java | 6 ++++++ .../profiles/internal/ProfileFileReader.java | 5 ++++- .../amazon/awssdk/profiles/ProfileFileTest.java | 17 ++++++++++++----- 4 files changed, 31 insertions(+), 6 deletions(-) diff --git a/core/profiles/src/main/java/software/amazon/awssdk/profiles/ProfileFile.java b/core/profiles/src/main/java/software/amazon/awssdk/profiles/ProfileFile.java index 877e7f89080b..89ffa2b64ad2 100644 --- a/core/profiles/src/main/java/software/amazon/awssdk/profiles/ProfileFile.java +++ b/core/profiles/src/main/java/software/amazon/awssdk/profiles/ProfileFile.java @@ -31,6 +31,7 @@ import software.amazon.awssdk.profiles.internal.ProfileFileReader; import software.amazon.awssdk.utils.FunctionalUtils; import software.amazon.awssdk.utils.IoUtils; +import software.amazon.awssdk.utils.StringInputStream; import software.amazon.awssdk.utils.ToString; import software.amazon.awssdk.utils.Validate; import software.amazon.awssdk.utils.builder.SdkBuilder; @@ -233,6 +234,14 @@ public enum Type { * required fields. */ public interface Builder extends SdkBuilder { + /** + * Configure the content of the profile file. This stream will be read from and then closed when {@link #build()} is + * invoked. + */ + default Builder content(String content) { + return content(new StringInputStream(content)); + } + /** * Configure the content of the profile file. This stream will be read from and then closed when {@link #build()} is * invoked. diff --git a/core/profiles/src/main/java/software/amazon/awssdk/profiles/ProfileProperty.java b/core/profiles/src/main/java/software/amazon/awssdk/profiles/ProfileProperty.java index 97d35332ada9..4e7e760eb607 100644 --- a/core/profiles/src/main/java/software/amazon/awssdk/profiles/ProfileProperty.java +++ b/core/profiles/src/main/java/software/amazon/awssdk/profiles/ProfileProperty.java @@ -171,6 +171,12 @@ public final class ProfileProperty { */ public static final String REQUEST_MIN_COMPRESSION_SIZE_BYTES = "request_min_compression_size_bytes"; + /** + * The endpoint override to use. This may also be specified under a service-specific parent property to override the + * endpoint just for that one service. + */ + public static final String ENDPOINT_URL = "endpoint_url"; + private ProfileProperty() { } } diff --git a/core/profiles/src/main/java/software/amazon/awssdk/profiles/internal/ProfileFileReader.java b/core/profiles/src/main/java/software/amazon/awssdk/profiles/internal/ProfileFileReader.java index 3c4adae1111c..f500711eccc1 100644 --- a/core/profiles/src/main/java/software/amazon/awssdk/profiles/internal/ProfileFileReader.java +++ b/core/profiles/src/main/java/software/amazon/awssdk/profiles/internal/ProfileFileReader.java @@ -170,7 +170,10 @@ private static void readPropertyContinuationLine(ParserState state, String line) // If this is a sub-property, make sure it can be parsed correctly by the CLI. if (state.validatingContinuationsAsSubProperties) { - parsePropertyDefinition(state, line); + parsePropertyDefinition(state, line).ifPresent(p -> { + String subPropertyDefinition = state.currentPropertyBeingRead + "." + p.left(); + profileProperties.put(subPropertyDefinition, p.right()); + }); } profileProperties.put(state.currentPropertyBeingRead, newPropertyValue); diff --git a/core/profiles/src/test/java/software/amazon/awssdk/profiles/ProfileFileTest.java b/core/profiles/src/test/java/software/amazon/awssdk/profiles/ProfileFileTest.java index f4d10da43180..e827e07dbd8b 100644 --- a/core/profiles/src/test/java/software/amazon/awssdk/profiles/ProfileFileTest.java +++ b/core/profiles/src/test/java/software/amazon/awssdk/profiles/ProfileFileTest.java @@ -343,7 +343,9 @@ public void propertiesCanHaveSubProperties() { assertThat(configFileProfiles("[profile foo]\n" + "s3 =\n" + " name = value")) - .isEqualTo(profiles(profile("foo", property("s3", "\nname = value")))); + .isEqualTo(profiles(profile("foo", + property("s3", "\nname = value"), + property("s3.name", "value")))); } @Test @@ -359,7 +361,9 @@ public void subPropertiesCanHaveEmptyValues() { assertThat(configFileProfiles("[profile foo]\n" + "s3 =\n" + " name =")) - .isEqualTo(profiles(profile("foo", property("s3", "\nname =")))); + .isEqualTo(profiles(profile("foo", + property("s3", "\nname ="), + property("s3.name", "")))); } @Test @@ -385,7 +389,10 @@ public void subPropertiesCanHaveBlankLines() { " name = value\n" + "\t \n" + " name2 = value2")) - .isEqualTo(profiles(profile("foo", property("s3", "\nname = value\nname2 = value2")))); + .isEqualTo(profiles(profile("foo", + property("s3", "\nname = value\nname2 = value2"), + property("s3.name", "value"), + property("s3.name2", "value2")))); } @Test @@ -565,7 +572,7 @@ public void returnsEmptyMap_when_AwsFilesDoNotExist() { private ProfileFile configFile(String configFile) { return ProfileFile.builder() - .content(new StringInputStream(configFile)) + .content(configFile) .type(ProfileFile.Type.CONFIGURATION) .build(); } @@ -576,7 +583,7 @@ private Map configFileProfiles(String configFile) { private ProfileFile credentialFile(String credentialFile) { return ProfileFile.builder() - .content(new StringInputStream(credentialFile)) + .content(credentialFile) .type(ProfileFile.Type.CREDENTIALS) .build(); } From 113ddc4fadbaffba23d2eca97caa351cd940ab47 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Tue, 10 Sep 2024 18:19:45 +0000 Subject: [PATCH 045/108] Amazon Chime SDK Voice Update: Documentation-only update that clarifies the ValidateE911Address action of the Amazon Chime SDK Voice APIs. --- .../feature-AmazonChimeSDKVoice-ad499e0.json | 6 ++++++ .../main/resources/codegen-resources/service-2.json | 12 +++++++----- 2 files changed, 13 insertions(+), 5 deletions(-) create mode 100644 .changes/next-release/feature-AmazonChimeSDKVoice-ad499e0.json diff --git a/.changes/next-release/feature-AmazonChimeSDKVoice-ad499e0.json b/.changes/next-release/feature-AmazonChimeSDKVoice-ad499e0.json new file mode 100644 index 000000000000..4722e166314e --- /dev/null +++ b/.changes/next-release/feature-AmazonChimeSDKVoice-ad499e0.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Amazon Chime SDK Voice", + "contributor": "", + "description": "Documentation-only update that clarifies the ValidateE911Address action of the Amazon Chime SDK Voice APIs." +} diff --git a/services/chimesdkvoice/src/main/resources/codegen-resources/service-2.json b/services/chimesdkvoice/src/main/resources/codegen-resources/service-2.json index 0d0b8ee04141..688027c055a2 100644 --- a/services/chimesdkvoice/src/main/resources/codegen-resources/service-2.json +++ b/services/chimesdkvoice/src/main/resources/codegen-resources/service-2.json @@ -4,11 +4,13 @@ "apiVersion":"2022-08-03", "endpointPrefix":"voice-chime", "protocol":"rest-json", + "protocols":["rest-json"], "serviceFullName":"Amazon Chime SDK Voice", "serviceId":"Chime SDK Voice", "signatureVersion":"v4", "signingName":"chime", - "uid":"chime-sdk-voice-2022-08-03" + "uid":"chime-sdk-voice-2022-08-03", + "auth":["aws.auth#sigv4"] }, "operations":{ "AssociatePhoneNumbersWithVoiceConnector":{ @@ -3352,7 +3354,7 @@ }, "VoiceToneAnalysisTaskId":{ "shape":"NonEmptyString256", - "documentation":"

The ID of the voice tone anlysis task.

", + "documentation":"

The ID of the voice tone analysis task.

", "location":"uri", "locationName":"VoiceToneAnalysisTaskId" }, @@ -3805,7 +3807,7 @@ "members":{ "Disabled":{ "shape":"Boolean", - "documentation":"

Denotes the configration as enabled or disabled.

" + "documentation":"

Denotes the configuration as enabled or disabled.

" }, "ConfigurationArn":{ "shape":"Arn", @@ -5710,7 +5712,7 @@ }, "Country":{ "shape":"SensitiveNonEmptyString", - "documentation":"

The country in the address being validated.

" + "documentation":"

The country in the address being validated as two-letter country code in ISO 3166-1 alpha-2 format, such as US. For more information, see ISO 3166-1 alpha-2 in Wikipedia.

" }, "PostalCode":{ "shape":"SensitiveNonEmptyString", @@ -5723,7 +5725,7 @@ "members":{ "ValidationResult":{ "shape":"ValidationResult", - "documentation":"

Number indicating the result of address validation. 0 means the address was perfect as-is and successfully validated. 1 means the address was corrected. 2 means the address sent was not close enough and was not validated.

" + "documentation":"

Number indicating the result of address validation.

Each possible result is defined as follows:

  • 0 - Address validation succeeded.

  • 1 - Address validation succeeded. The address was a close enough match and has been corrected as part of the address object.

  • 2 - Address validation failed. You should re-submit the validation request with candidates from the CandidateAddressList result, if it's a close match.

" }, "AddressExternalId":{ "shape":"String", From 190e920688b8624a449d4d1ea9b1cd0beeee176a Mon Sep 17 00:00:00 2001 From: AWS <> Date: Tue, 10 Sep 2024 18:19:50 +0000 Subject: [PATCH 046/108] AWS SecurityHub Update: Documentation update for Security Hub --- .../feature-AWSSecurityHub-352923d.json | 6 ++++++ .../resources/codegen-resources/service-2.json | 16 ++++++++-------- 2 files changed, 14 insertions(+), 8 deletions(-) create mode 100644 .changes/next-release/feature-AWSSecurityHub-352923d.json diff --git a/.changes/next-release/feature-AWSSecurityHub-352923d.json b/.changes/next-release/feature-AWSSecurityHub-352923d.json new file mode 100644 index 000000000000..344270d7c4f2 --- /dev/null +++ b/.changes/next-release/feature-AWSSecurityHub-352923d.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "AWS SecurityHub", + "contributor": "", + "description": "Documentation update for Security Hub" +} diff --git a/services/securityhub/src/main/resources/codegen-resources/service-2.json b/services/securityhub/src/main/resources/codegen-resources/service-2.json index d90539e107ad..c24a2fb45072 100644 --- a/services/securityhub/src/main/resources/codegen-resources/service-2.json +++ b/services/securityhub/src/main/resources/codegen-resources/service-2.json @@ -2284,7 +2284,7 @@ }, "RemoteIpDetails":{ "shape":"ActionRemoteIpDetails", - "documentation":"

Provided if CallerType is remoteIp. Provides information about the remote IP address that the API call originated from.

" + "documentation":"

Provided if CallerType is remoteip. Provides information about the remote IP address that the API call originated from.

" }, "DomainDetails":{ "shape":"AwsApiCallActionDomainDetails", @@ -15845,30 +15845,30 @@ "members":{ "Status":{ "shape":"ComplianceStatus", - "documentation":"

The result of a standards check.

The valid values for Status are as follows.

    • PASSED - Standards check passed for all evaluated resources.

    • WARNING - Some information is missing or this check is not supported for your configuration.

    • FAILED - Standards check failed for at least one evaluated resource.

    • NOT_AVAILABLE - Check could not be performed due to a service outage, API error, or because the result of the Config evaluation was NOT_APPLICABLE. If the Config evaluation result was NOT_APPLICABLE for a Security Hub control, Security Hub automatically archives the finding after 3 days.

" + "documentation":"

Typically summarizes the result of a control check.

For Security Hub controls, valid values for Status are as follows.

    • PASSED - Standards check passed for all evaluated resources.

    • WARNING - Some information is missing or this check is not supported for your configuration.

    • FAILED - Standards check failed for at least one evaluated resource.

    • NOT_AVAILABLE - Check could not be performed due to a service outage, API error, or because the result of the Config evaluation was NOT_APPLICABLE. If the Config evaluation result was NOT_APPLICABLE for a Security Hub control, Security Hub automatically archives the finding after 3 days.

" }, "RelatedRequirements":{ "shape":"RelatedRequirementsList", - "documentation":"

For a control, the industry or regulatory framework requirements that are related to the control. The check for that control is aligned with these requirements.

Array Members: Maximum number of 32 items.

" + "documentation":"

Typically provides the industry or regulatory framework requirements that are related to a control. The check for that control is aligned with these requirements.

Array Members: Maximum number of 32 items.

" }, "StatusReasons":{ "shape":"StatusReasonsList", - "documentation":"

For findings generated from controls, a list of reasons behind the value of Status. For the list of status reason codes and their meanings, see Standards-related information in the ASFF in the Security Hub User Guide.

" + "documentation":"

Typically used to provide a list of reasons for the value of Status.

" }, "SecurityControlId":{ "shape":"NonEmptyString", - "documentation":"

The unique identifier of a control across standards. Values for this field typically consist of an Amazon Web Servicesservice and a number, such as APIGateway.5.

" + "documentation":"

Typically provides the unique identifier of a control across standards. For Security Hub controls, this field consists of an Amazon Web Servicesservice and a unique number, such as APIGateway.5.

" }, "AssociatedStandards":{ "shape":"AssociatedStandardsList", - "documentation":"

The enabled security standards in which a security control is currently enabled.

" + "documentation":"

Typically provides an array of enabled security standards in which a security control is currently enabled.

" }, "SecurityControlParameters":{ "shape":"SecurityControlParametersList", - "documentation":"

An object that includes security control parameter names and values.

" + "documentation":"

Typically an object that includes security control parameter names and values.

" } }, - "documentation":"

Contains finding details that are specific to control-based findings. Only returned for findings generated from controls.

" + "documentation":"

This object typically provides details about a control finding, such as applicable standards and the status of control checks. While finding providers can add custom content in Compliance object fields, they are typically used to review details of Security Hub control findings.

" }, "ComplianceStatus":{ "type":"string", From cb1b932dea44cb8a2544fe73d0cf6d9d50b89b1f Mon Sep 17 00:00:00 2001 From: AWS <> Date: Tue, 10 Sep 2024 18:19:57 +0000 Subject: [PATCH 047/108] Amazon EventBridge Pipes Update: This release adds support for customer managed KMS keys in Amazon EventBridge Pipe --- ...eature-AmazonEventBridgePipes-2ab322e.json | 6 +++++ .../codegen-resources/service-2.json | 25 ++++++++++++++++--- 2 files changed, 28 insertions(+), 3 deletions(-) create mode 100644 .changes/next-release/feature-AmazonEventBridgePipes-2ab322e.json diff --git a/.changes/next-release/feature-AmazonEventBridgePipes-2ab322e.json b/.changes/next-release/feature-AmazonEventBridgePipes-2ab322e.json new file mode 100644 index 000000000000..e3c956454a31 --- /dev/null +++ b/.changes/next-release/feature-AmazonEventBridgePipes-2ab322e.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Amazon EventBridge Pipes", + "contributor": "", + "description": "This release adds support for customer managed KMS keys in Amazon EventBridge Pipe" +} diff --git a/services/pipes/src/main/resources/codegen-resources/service-2.json b/services/pipes/src/main/resources/codegen-resources/service-2.json index a8b133762058..9aa12e8b64c1 100644 --- a/services/pipes/src/main/resources/codegen-resources/service-2.json +++ b/services/pipes/src/main/resources/codegen-resources/service-2.json @@ -2,6 +2,7 @@ "version":"2.0", "metadata":{ "apiVersion":"2015-10-07", + "auth":["aws.auth#sigv4"], "endpointPrefix":"pipes", "protocol":"rest-json", "protocols":["rest-json"], @@ -521,6 +522,10 @@ "LogConfiguration":{ "shape":"PipeLogConfigurationParameters", "documentation":"

The logging configuration settings for the pipe.

" + }, + "KmsKeyIdentifier":{ + "shape":"KmsKeyIdentifier", + "documentation":"

The identifier of the KMS customer managed key for EventBridge to use, if you choose to use a customer managed key to encrypt pipe data. The identifier can be the key Amazon Resource Name (ARN), KeyId, key alias, or key alias ARN.

If you do not specify a customer managed key identifier, EventBridge uses an Amazon Web Services owned key to encrypt pipe data.

For more information, see Managing keys in the Key Management Service Developer Guide.

" } } }, @@ -700,6 +705,10 @@ "LogConfiguration":{ "shape":"PipeLogConfiguration", "documentation":"

The logging configuration settings for the pipe.

" + }, + "KmsKeyIdentifier":{ + "shape":"KmsKeyIdentifier", + "documentation":"

The identifier of the KMS customer managed key for EventBridge to use to encrypt pipe data, if one has been specified.

For more information, see Data encryption in EventBridge in the Amazon EventBridge User Guide.

" } } }, @@ -1125,6 +1134,12 @@ "AT_TIMESTAMP" ] }, + "KmsKeyIdentifier":{ + "type":"string", + "max":2048, + "min":0, + "pattern":"[a-zA-Z0-9_\\-/:]*" + }, "LaunchType":{ "type":"string", "enum":[ @@ -2393,7 +2408,7 @@ }, "OutputFormat":{ "shape":"S3OutputFormat", - "documentation":"

The format EventBridge uses for the log records.

" + "documentation":"

The format EventBridge uses for the log records.

EventBridge currently only supports json formatting.

" } }, "documentation":"

The Amazon S3 logging configuration settings for the pipe.

" @@ -2415,7 +2430,7 @@ }, "OutputFormat":{ "shape":"S3OutputFormat", - "documentation":"

How EventBridge should format the log records.

" + "documentation":"

How EventBridge should format the log records.

EventBridge currently only supports json formatting.

" }, "Prefix":{ "shape":"S3LogDestinationParametersPrefixString", @@ -2556,7 +2571,7 @@ }, "SecurityGroup":{ "shape":"SecurityGroupIds", - "documentation":"

Specifies the security groups associated with the stream. These security groups must all be in the same VPC. You can specify as many as five security groups. If you do not specify a security group, the default security group for the VPC is used.

" + "documentation":"

Specifies the security groups associated with the stream. These security groups must all be in the same VPC. You can specify as many as five security groups.

" } }, "documentation":"

This structure specifies the VPC subnets and security groups for the stream, and whether a public IP address is to be used.

" @@ -2963,6 +2978,10 @@ "LogConfiguration":{ "shape":"PipeLogConfigurationParameters", "documentation":"

The logging configuration settings for the pipe.

" + }, + "KmsKeyIdentifier":{ + "shape":"KmsKeyIdentifier", + "documentation":"

The identifier of the KMS customer managed key for EventBridge to use, if you choose to use a customer managed key to encrypt pipe data. The identifier can be the key Amazon Resource Name (ARN), KeyId, key alias, or key alias ARN.

To update a pipe that is using the default Amazon Web Services owned key to use a customer managed key instead, or update a pipe that is using a customer managed key to use a different customer managed key, specify a customer managed key identifier.

To update a pipe that is using a customer managed key to use the default Amazon Web Services owned key, specify an empty string.

For more information, see Managing keys in the Key Management Service Developer Guide.

" } } }, From 3facf914e049c06d70212d784251930bfd3df359 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Tue, 10 Sep 2024 18:19:58 +0000 Subject: [PATCH 048/108] Amazon Cognito Identity Update: This release adds sensitive trait to some required shapes. --- .../feature-AmazonCognitoIdentity-e4c5ab4.json | 6 ++++++ .../main/resources/codegen-resources/service-2.json | 13 ++++++++++--- 2 files changed, 16 insertions(+), 3 deletions(-) create mode 100644 .changes/next-release/feature-AmazonCognitoIdentity-e4c5ab4.json diff --git a/.changes/next-release/feature-AmazonCognitoIdentity-e4c5ab4.json b/.changes/next-release/feature-AmazonCognitoIdentity-e4c5ab4.json new file mode 100644 index 000000000000..3d41cb02713d --- /dev/null +++ b/.changes/next-release/feature-AmazonCognitoIdentity-e4c5ab4.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Amazon Cognito Identity", + "contributor": "", + "description": "This release adds sensitive trait to some required shapes." +} diff --git a/services/cognitoidentity/src/main/resources/codegen-resources/service-2.json b/services/cognitoidentity/src/main/resources/codegen-resources/service-2.json index f93ded368d18..9fa19e353000 100644 --- a/services/cognitoidentity/src/main/resources/codegen-resources/service-2.json +++ b/services/cognitoidentity/src/main/resources/codegen-resources/service-2.json @@ -1022,7 +1022,8 @@ "IdentityProviderToken":{ "type":"string", "max":50000, - "min":1 + "min":1, + "sensitive":true }, "IdentityProviders":{ "type":"map", @@ -1318,7 +1319,10 @@ "type":"list", "member":{"shape":"ARNString"} }, - "OIDCToken":{"type":"string"}, + "OIDCToken":{ + "type":"string", + "sensitive":true + }, "PaginationKey":{ "type":"string", "max":65535, @@ -1427,7 +1431,10 @@ "type":"list", "member":{"shape":"ARNString"} }, - "SecretKeyString":{"type":"string"}, + "SecretKeyString":{ + "type":"string", + "sensitive":true + }, "SessionTokenString":{"type":"string"}, "SetIdentityPoolRolesInput":{ "type":"structure", From a91246c7341d2c8dd66642b466990916623368dd Mon Sep 17 00:00:00 2001 From: AWS <> Date: Tue, 10 Sep 2024 18:22:16 +0000 Subject: [PATCH 049/108] Updated endpoints.json and partitions.json. --- .../feature-AWSSDKforJavav2-0443982.json | 6 + .../regions/internal/region/endpoints.json | 163 ++++++++++++++++-- 2 files changed, 152 insertions(+), 17 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 b4355eba40cf..7f365c22f56a 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 @@ -3051,9 +3051,45 @@ "eu-north-1" : { }, "eu-west-1" : { }, "eu-west-2" : { }, - "us-east-1" : { }, - "us-east-2" : { }, - "us-west-2" : { } + "fips-us-east-1" : { + "credentialScope" : { + "region" : "us-east-1" + }, + "deprecated" : true, + "hostname" : "cleanrooms-fips.us-east-1.amazonaws.com" + }, + "fips-us-east-2" : { + "credentialScope" : { + "region" : "us-east-2" + }, + "deprecated" : true, + "hostname" : "cleanrooms-fips.us-east-2.amazonaws.com" + }, + "fips-us-west-2" : { + "credentialScope" : { + "region" : "us-west-2" + }, + "deprecated" : true, + "hostname" : "cleanrooms-fips.us-west-2.amazonaws.com" + }, + "us-east-1" : { + "variants" : [ { + "hostname" : "cleanrooms-fips.us-east-1.amazonaws.com", + "tags" : [ "fips" ] + } ] + }, + "us-east-2" : { + "variants" : [ { + "hostname" : "cleanrooms-fips.us-east-2.amazonaws.com", + "tags" : [ "fips" ] + } ] + }, + "us-west-2" : { + "variants" : [ { + "hostname" : "cleanrooms-fips.us-west-2.amazonaws.com", + "tags" : [ "fips" ] + } ] + } } }, "cloud9" : { @@ -6385,10 +6421,30 @@ "protocols" : [ "http", "https" ] }, "endpoints" : { - "af-south-1" : { }, - "ap-east-1" : { }, - "ap-northeast-1" : { }, - "ap-northeast-2" : { }, + "af-south-1" : { + "variants" : [ { + "hostname" : "ec2.af-south-1.api.aws", + "tags" : [ "dualstack" ] + } ] + }, + "ap-east-1" : { + "variants" : [ { + "hostname" : "ec2.ap-east-1.api.aws", + "tags" : [ "dualstack" ] + } ] + }, + "ap-northeast-1" : { + "variants" : [ { + "hostname" : "ec2.ap-northeast-1.api.aws", + "tags" : [ "dualstack" ] + } ] + }, + "ap-northeast-2" : { + "variants" : [ { + "hostname" : "ec2.ap-northeast-2.api.aws", + "tags" : [ "dualstack" ] + } ] + }, "ap-northeast-3" : { }, "ap-south-1" : { "variants" : [ { @@ -6397,14 +6453,28 @@ } ] }, "ap-south-2" : { }, - "ap-southeast-1" : { }, - "ap-southeast-2" : { }, + "ap-southeast-1" : { + "variants" : [ { + "hostname" : "ec2.ap-southeast-1.api.aws", + "tags" : [ "dualstack" ] + } ] + }, + "ap-southeast-2" : { + "variants" : [ { + "hostname" : "ec2.ap-southeast-2.api.aws", + "tags" : [ "dualstack" ] + } ] + }, "ap-southeast-3" : { }, "ap-southeast-4" : { }, + "ap-southeast-5" : { }, "ca-central-1" : { "variants" : [ { "hostname" : "ec2-fips.ca-central-1.amazonaws.com", "tags" : [ "fips" ] + }, { + "hostname" : "ec2.ca-central-1.api.aws", + "tags" : [ "dualstack" ] } ] }, "ca-west-1" : { @@ -6413,10 +6483,25 @@ "tags" : [ "fips" ] } ] }, - "eu-central-1" : { }, + "eu-central-1" : { + "variants" : [ { + "hostname" : "ec2.eu-central-1.api.aws", + "tags" : [ "dualstack" ] + } ] + }, "eu-central-2" : { }, - "eu-north-1" : { }, - "eu-south-1" : { }, + "eu-north-1" : { + "variants" : [ { + "hostname" : "ec2.eu-north-1.api.aws", + "tags" : [ "dualstack" ] + } ] + }, + "eu-south-1" : { + "variants" : [ { + "hostname" : "ec2.eu-south-1.api.aws", + "tags" : [ "dualstack" ] + } ] + }, "eu-south-2" : { }, "eu-west-1" : { "variants" : [ { @@ -6424,8 +6509,18 @@ "tags" : [ "dualstack" ] } ] }, - "eu-west-2" : { }, - "eu-west-3" : { }, + "eu-west-2" : { + "variants" : [ { + "hostname" : "ec2.eu-west-2.api.aws", + "tags" : [ "dualstack" ] + } ] + }, + "eu-west-3" : { + "variants" : [ { + "hostname" : "ec2.eu-west-3.api.aws", + "tags" : [ "dualstack" ] + } ] + }, "fips-ca-central-1" : { "credentialScope" : { "region" : "ca-central-1" @@ -6470,7 +6565,12 @@ }, "il-central-1" : { }, "me-central-1" : { }, - "me-south-1" : { }, + "me-south-1" : { + "variants" : [ { + "hostname" : "ec2.me-south-1.api.aws", + "tags" : [ "dualstack" ] + } ] + }, "sa-east-1" : { "variants" : [ { "hostname" : "ec2.sa-east-1.api.aws", @@ -6499,6 +6599,9 @@ "variants" : [ { "hostname" : "ec2-fips.us-west-1.amazonaws.com", "tags" : [ "fips" ] + }, { + "hostname" : "ec2.us-west-1.api.aws", + "tags" : [ "dualstack" ] } ] }, "us-west-2" : { @@ -12787,6 +12890,7 @@ "ap-northeast-2" : { }, "ap-northeast-3" : { }, "ap-south-1" : { }, + "ap-south-2" : { }, "ap-southeast-1" : { }, "ap-southeast-2" : { }, "ap-southeast-4" : { }, @@ -12796,6 +12900,7 @@ "eu-west-1" : { }, "eu-west-2" : { }, "eu-west-3" : { }, + "me-central-1" : { }, "sa-east-1" : { }, "us-east-1" : { }, "us-east-2" : { }, @@ -21995,8 +22100,32 @@ "eu-central-1" : { }, "eu-west-1" : { }, "eu-west-2" : { }, - "us-east-1" : { }, - "us-west-2" : { } + "fips-us-east-1" : { + "credentialScope" : { + "region" : "us-east-1" + }, + "deprecated" : true, + "hostname" : "workspaces-web-fips.us-east-1.amazonaws.com" + }, + "fips-us-west-2" : { + "credentialScope" : { + "region" : "us-west-2" + }, + "deprecated" : true, + "hostname" : "workspaces-web-fips.us-west-2.amazonaws.com" + }, + "us-east-1" : { + "variants" : [ { + "hostname" : "workspaces-web-fips.us-east-1.amazonaws.com", + "tags" : [ "fips" ] + } ] + }, + "us-west-2" : { + "variants" : [ { + "hostname" : "workspaces-web-fips.us-west-2.amazonaws.com", + "tags" : [ "fips" ] + } ] + } } }, "xray" : { From e509c79621c28aeb016e89e34c35da6dce531840 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Tue, 10 Sep 2024 18:23:43 +0000 Subject: [PATCH 050/108] Release 2.27.23. Updated CHANGELOG.md, README.md and all pom.xml. --- .changes/2.27.23.json | 36 +++++++++++++++++++ .../feature-AWSSDKforJavav2-0443982.json | 6 ---- .../feature-AWSSecurityHub-352923d.json | 6 ---- .../feature-AmazonChimeSDKVoice-ad499e0.json | 6 ---- ...feature-AmazonCognitoIdentity-e4c5ab4.json | 6 ---- ...eature-AmazonEventBridgePipes-2ab322e.json | 6 ---- CHANGELOG.md | 23 +++++++++++- 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/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/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/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/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/worklink/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 +- 477 files changed, 531 insertions(+), 504 deletions(-) create mode 100644 .changes/2.27.23.json delete mode 100644 .changes/next-release/feature-AWSSDKforJavav2-0443982.json delete mode 100644 .changes/next-release/feature-AWSSecurityHub-352923d.json delete mode 100644 .changes/next-release/feature-AmazonChimeSDKVoice-ad499e0.json delete mode 100644 .changes/next-release/feature-AmazonCognitoIdentity-e4c5ab4.json delete mode 100644 .changes/next-release/feature-AmazonEventBridgePipes-2ab322e.json diff --git a/.changes/2.27.23.json b/.changes/2.27.23.json new file mode 100644 index 000000000000..1ff331b509da --- /dev/null +++ b/.changes/2.27.23.json @@ -0,0 +1,36 @@ +{ + "version": "2.27.23", + "date": "2024-09-10", + "entries": [ + { + "type": "feature", + "category": "AWS SecurityHub", + "contributor": "", + "description": "Documentation update for Security Hub" + }, + { + "type": "feature", + "category": "Amazon Chime SDK Voice", + "contributor": "", + "description": "Documentation-only update that clarifies the ValidateE911Address action of the Amazon Chime SDK Voice APIs." + }, + { + "type": "feature", + "category": "Amazon Cognito Identity", + "contributor": "", + "description": "This release adds sensitive trait to some required shapes." + }, + { + "type": "feature", + "category": "Amazon EventBridge Pipes", + "contributor": "", + "description": "This release adds support for customer managed KMS keys in Amazon EventBridge Pipe" + }, + { + "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-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-AWSSecurityHub-352923d.json b/.changes/next-release/feature-AWSSecurityHub-352923d.json deleted file mode 100644 index 344270d7c4f2..000000000000 --- a/.changes/next-release/feature-AWSSecurityHub-352923d.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "AWS SecurityHub", - "contributor": "", - "description": "Documentation update for Security Hub" -} diff --git a/.changes/next-release/feature-AmazonChimeSDKVoice-ad499e0.json b/.changes/next-release/feature-AmazonChimeSDKVoice-ad499e0.json deleted file mode 100644 index 4722e166314e..000000000000 --- a/.changes/next-release/feature-AmazonChimeSDKVoice-ad499e0.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "Amazon Chime SDK Voice", - "contributor": "", - "description": "Documentation-only update that clarifies the ValidateE911Address action of the Amazon Chime SDK Voice APIs." -} diff --git a/.changes/next-release/feature-AmazonCognitoIdentity-e4c5ab4.json b/.changes/next-release/feature-AmazonCognitoIdentity-e4c5ab4.json deleted file mode 100644 index 3d41cb02713d..000000000000 --- a/.changes/next-release/feature-AmazonCognitoIdentity-e4c5ab4.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "Amazon Cognito Identity", - "contributor": "", - "description": "This release adds sensitive trait to some required shapes." -} diff --git a/.changes/next-release/feature-AmazonEventBridgePipes-2ab322e.json b/.changes/next-release/feature-AmazonEventBridgePipes-2ab322e.json deleted file mode 100644 index e3c956454a31..000000000000 --- a/.changes/next-release/feature-AmazonEventBridgePipes-2ab322e.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "Amazon EventBridge Pipes", - "contributor": "", - "description": "This release adds support for customer managed KMS keys in Amazon EventBridge Pipe" -} diff --git a/CHANGELOG.md b/CHANGELOG.md index e4a6e56dd4af..f5a404df6570 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,25 @@ #### 👋 _Looking for changelogs for older versions? You can find them in the [changelogs](./changelogs) directory._ +# __2.27.23__ __2024-09-10__ +## __AWS SDK for Java v2__ + - ### Features + - Updated endpoint and partition metadata. + +## __AWS SecurityHub__ + - ### Features + - Documentation update for Security Hub + +## __Amazon Chime SDK Voice__ + - ### Features + - Documentation-only update that clarifies the ValidateE911Address action of the Amazon Chime SDK Voice APIs. + +## __Amazon Cognito Identity__ + - ### Features + - This release adds sensitive trait to some required shapes. + +## __Amazon EventBridge Pipes__ + - ### Features + - This release adds support for customer managed KMS keys in Amazon EventBridge Pipe + # __2.27.22__ __2024-09-09__ ## __AWS SDK for Java v2__ - ### Features @@ -106,7 +127,7 @@ ## __Contributors__ Special thanks to the following contributors to this release: -[@shetsa-amzn](https://github.com/shetsa-amzn), [@anirudh9391](https://github.com/anirudh9391) +[@anirudh9391](https://github.com/anirudh9391), [@shetsa-amzn](https://github.com/shetsa-amzn) # __2.27.18__ __2024-09-03__ ## __AWS Elemental MediaLive__ - ### Features diff --git a/README.md b/README.md index 6efb93339065..33443a5e0870 100644 --- a/README.md +++ b/README.md @@ -52,7 +52,7 @@ To automatically manage module versions (currently all modules have the same ver software.amazon.awssdk bom - 2.27.22 + 2.27.23 pom import @@ -86,12 +86,12 @@ Alternatively you can add dependencies for the specific services you use only: software.amazon.awssdk ec2 - 2.27.22 + 2.27.23 software.amazon.awssdk s3 - 2.27.22 + 2.27.23 ``` @@ -103,7 +103,7 @@ You can import the whole SDK into your project (includes *ALL* services). Please software.amazon.awssdk aws-sdk-java - 2.27.22 + 2.27.23 ``` diff --git a/archetypes/archetype-app-quickstart/pom.xml b/archetypes/archetype-app-quickstart/pom.xml index 1fe8c40d15db..b674a3f458f7 100644 --- a/archetypes/archetype-app-quickstart/pom.xml +++ b/archetypes/archetype-app-quickstart/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.23-SNAPSHOT + 2.27.23 4.0.0 diff --git a/archetypes/archetype-lambda/pom.xml b/archetypes/archetype-lambda/pom.xml index 57c1eaf61770..7fe6ded1df4f 100644 --- a/archetypes/archetype-lambda/pom.xml +++ b/archetypes/archetype-lambda/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.23-SNAPSHOT + 2.27.23 4.0.0 archetype-lambda diff --git a/archetypes/archetype-tools/pom.xml b/archetypes/archetype-tools/pom.xml index 729586af3a37..c7eb0846b9e0 100644 --- a/archetypes/archetype-tools/pom.xml +++ b/archetypes/archetype-tools/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.23-SNAPSHOT + 2.27.23 4.0.0 diff --git a/archetypes/pom.xml b/archetypes/pom.xml index 5810ae8f85e3..e3d0a3e5f0c7 100644 --- a/archetypes/pom.xml +++ b/archetypes/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.23-SNAPSHOT + 2.27.23 4.0.0 archetypes diff --git a/aws-sdk-java/pom.xml b/aws-sdk-java/pom.xml index d50b26732b5c..1adeec843c17 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.27.23-SNAPSHOT + 2.27.23 ../pom.xml aws-sdk-java diff --git a/bom-internal/pom.xml b/bom-internal/pom.xml index b26d5101da86..586b197aeb3a 100644 --- a/bom-internal/pom.xml +++ b/bom-internal/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.23-SNAPSHOT + 2.27.23 4.0.0 diff --git a/bom/pom.xml b/bom/pom.xml index 2cafdefd02b5..531783f35d2f 100644 --- a/bom/pom.xml +++ b/bom/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.23-SNAPSHOT + 2.27.23 ../pom.xml bom diff --git a/bundle-logging-bridge/pom.xml b/bundle-logging-bridge/pom.xml index a1ceabe789d6..1d34568f02ed 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.27.23-SNAPSHOT + 2.27.23 bundle-logging-bridge jar diff --git a/bundle-sdk/pom.xml b/bundle-sdk/pom.xml index 12270bc86892..69fc647eceef 100644 --- a/bundle-sdk/pom.xml +++ b/bundle-sdk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.23-SNAPSHOT + 2.27.23 bundle-sdk jar diff --git a/bundle/pom.xml b/bundle/pom.xml index 366a29b033ca..29f70a6cb294 100644 --- a/bundle/pom.xml +++ b/bundle/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.23-SNAPSHOT + 2.27.23 bundle jar diff --git a/codegen-lite-maven-plugin/pom.xml b/codegen-lite-maven-plugin/pom.xml index bda5490921a3..349928c5e2dc 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.27.23-SNAPSHOT + 2.27.23 ../pom.xml codegen-lite-maven-plugin diff --git a/codegen-lite/pom.xml b/codegen-lite/pom.xml index 0cd12e4cf3af..c76aca5c8aa0 100644 --- a/codegen-lite/pom.xml +++ b/codegen-lite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.23-SNAPSHOT + 2.27.23 codegen-lite AWS Java SDK :: Code Generator Lite diff --git a/codegen-maven-plugin/pom.xml b/codegen-maven-plugin/pom.xml index 9846fcda168f..2674a3dc1c17 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.27.23-SNAPSHOT + 2.27.23 ../pom.xml codegen-maven-plugin diff --git a/codegen/pom.xml b/codegen/pom.xml index f27876513b1c..373b1935687d 100644 --- a/codegen/pom.xml +++ b/codegen/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.23-SNAPSHOT + 2.27.23 codegen AWS Java SDK :: Code Generator diff --git a/core/annotations/pom.xml b/core/annotations/pom.xml index b3f569ce7119..3835f243f34f 100644 --- a/core/annotations/pom.xml +++ b/core/annotations/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.23-SNAPSHOT + 2.27.23 4.0.0 diff --git a/core/arns/pom.xml b/core/arns/pom.xml index c92b9277222b..af689f532fc7 100644 --- a/core/arns/pom.xml +++ b/core/arns/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.23-SNAPSHOT + 2.27.23 4.0.0 diff --git a/core/auth-crt/pom.xml b/core/auth-crt/pom.xml index df19ab90ab58..14dbf664b577 100644 --- a/core/auth-crt/pom.xml +++ b/core/auth-crt/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.23-SNAPSHOT + 2.27.23 auth-crt diff --git a/core/auth/pom.xml b/core/auth/pom.xml index cb87260dbf96..157568610b7c 100644 --- a/core/auth/pom.xml +++ b/core/auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.23-SNAPSHOT + 2.27.23 auth diff --git a/core/aws-core/pom.xml b/core/aws-core/pom.xml index dc5712d5e582..cb3253118631 100644 --- a/core/aws-core/pom.xml +++ b/core/aws-core/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.23-SNAPSHOT + 2.27.23 aws-core diff --git a/core/checksums-spi/pom.xml b/core/checksums-spi/pom.xml index de71c605be78..086788f55cb7 100644 --- a/core/checksums-spi/pom.xml +++ b/core/checksums-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.23-SNAPSHOT + 2.27.23 checksums-spi diff --git a/core/checksums/pom.xml b/core/checksums/pom.xml index c9e60039c146..3a7ed3f27014 100644 --- a/core/checksums/pom.xml +++ b/core/checksums/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.23-SNAPSHOT + 2.27.23 checksums diff --git a/core/crt-core/pom.xml b/core/crt-core/pom.xml index b7376ad98bab..f8fa6465b4bf 100644 --- a/core/crt-core/pom.xml +++ b/core/crt-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.27.23-SNAPSHOT + 2.27.23 crt-core diff --git a/core/endpoints-spi/pom.xml b/core/endpoints-spi/pom.xml index cc9b0c469be2..407616695fd5 100644 --- a/core/endpoints-spi/pom.xml +++ b/core/endpoints-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.23-SNAPSHOT + 2.27.23 4.0.0 diff --git a/core/http-auth-aws-crt/pom.xml b/core/http-auth-aws-crt/pom.xml index 22e6a1e0772c..2919f6e728d1 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.27.23-SNAPSHOT + 2.27.23 http-auth-aws-crt diff --git a/core/http-auth-aws-eventstream/pom.xml b/core/http-auth-aws-eventstream/pom.xml index 943254380027..f70b8179b935 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.27.23-SNAPSHOT + 2.27.23 http-auth-aws-eventstream diff --git a/core/http-auth-aws/pom.xml b/core/http-auth-aws/pom.xml index a21b307738a9..191fbcc4202f 100644 --- a/core/http-auth-aws/pom.xml +++ b/core/http-auth-aws/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.23-SNAPSHOT + 2.27.23 http-auth-aws diff --git a/core/http-auth-spi/pom.xml b/core/http-auth-spi/pom.xml index 32905ca2729e..a3bc57466512 100644 --- a/core/http-auth-spi/pom.xml +++ b/core/http-auth-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.23-SNAPSHOT + 2.27.23 http-auth-spi diff --git a/core/http-auth/pom.xml b/core/http-auth/pom.xml index d2bfd565ea18..4cf95e53910c 100644 --- a/core/http-auth/pom.xml +++ b/core/http-auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.23-SNAPSHOT + 2.27.23 http-auth diff --git a/core/identity-spi/pom.xml b/core/identity-spi/pom.xml index 157f58e55fa5..20cfaf5ab496 100644 --- a/core/identity-spi/pom.xml +++ b/core/identity-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.23-SNAPSHOT + 2.27.23 identity-spi diff --git a/core/imds/pom.xml b/core/imds/pom.xml index e28c3159bb69..01cc70678e46 100644 --- a/core/imds/pom.xml +++ b/core/imds/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.23-SNAPSHOT + 2.27.23 4.0.0 imds diff --git a/core/json-utils/pom.xml b/core/json-utils/pom.xml index 3bf91084dded..24d16e89f5d3 100644 --- a/core/json-utils/pom.xml +++ b/core/json-utils/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.23-SNAPSHOT + 2.27.23 4.0.0 diff --git a/core/metrics-spi/pom.xml b/core/metrics-spi/pom.xml index 8c5d527b0ddb..c0665b9b83f7 100644 --- a/core/metrics-spi/pom.xml +++ b/core/metrics-spi/pom.xml @@ -5,7 +5,7 @@ core software.amazon.awssdk - 2.27.23-SNAPSHOT + 2.27.23 4.0.0 diff --git a/core/pom.xml b/core/pom.xml index 6f786bd6d6c1..5deb0d15429a 100644 --- a/core/pom.xml +++ b/core/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.23-SNAPSHOT + 2.27.23 core diff --git a/core/profiles/pom.xml b/core/profiles/pom.xml index 05529934ff3f..6bad98aca354 100644 --- a/core/profiles/pom.xml +++ b/core/profiles/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.23-SNAPSHOT + 2.27.23 profiles diff --git a/core/protocols/aws-cbor-protocol/pom.xml b/core/protocols/aws-cbor-protocol/pom.xml index f4d166949e75..64b43a20c8d2 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.27.23-SNAPSHOT + 2.27.23 4.0.0 diff --git a/core/protocols/aws-json-protocol/pom.xml b/core/protocols/aws-json-protocol/pom.xml index 68321ccd95a5..acbd5e629744 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.27.23-SNAPSHOT + 2.27.23 4.0.0 diff --git a/core/protocols/aws-query-protocol/pom.xml b/core/protocols/aws-query-protocol/pom.xml index a6cdabba741e..0ff46c0e50b1 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.27.23-SNAPSHOT + 2.27.23 4.0.0 diff --git a/core/protocols/aws-xml-protocol/pom.xml b/core/protocols/aws-xml-protocol/pom.xml index ee8c34c7f0fb..3eff6b3308aa 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.27.23-SNAPSHOT + 2.27.23 4.0.0 diff --git a/core/protocols/pom.xml b/core/protocols/pom.xml index 8f98c3bc5076..ac0d801fa9a5 100644 --- a/core/protocols/pom.xml +++ b/core/protocols/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.23-SNAPSHOT + 2.27.23 4.0.0 diff --git a/core/protocols/protocol-core/pom.xml b/core/protocols/protocol-core/pom.xml index df8014f3f45d..31000571cf25 100644 --- a/core/protocols/protocol-core/pom.xml +++ b/core/protocols/protocol-core/pom.xml @@ -20,7 +20,7 @@ protocols software.amazon.awssdk - 2.27.23-SNAPSHOT + 2.27.23 4.0.0 diff --git a/core/regions/pom.xml b/core/regions/pom.xml index 4a27c4cd86a5..bcef65be467d 100644 --- a/core/regions/pom.xml +++ b/core/regions/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.23-SNAPSHOT + 2.27.23 regions diff --git a/core/retries-spi/pom.xml b/core/retries-spi/pom.xml index 1c7fa57e32bb..6b19dc324545 100644 --- a/core/retries-spi/pom.xml +++ b/core/retries-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.23-SNAPSHOT + 2.27.23 4.0.0 diff --git a/core/retries/pom.xml b/core/retries/pom.xml index ddf02579b775..9da72218c9d9 100644 --- a/core/retries/pom.xml +++ b/core/retries/pom.xml @@ -21,7 +21,7 @@ core software.amazon.awssdk - 2.27.23-SNAPSHOT + 2.27.23 4.0.0 diff --git a/core/sdk-core/pom.xml b/core/sdk-core/pom.xml index d736b20e10c0..be9563f8a0a6 100644 --- a/core/sdk-core/pom.xml +++ b/core/sdk-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.27.23-SNAPSHOT + 2.27.23 sdk-core AWS Java SDK :: SDK Core diff --git a/http-client-spi/pom.xml b/http-client-spi/pom.xml index e21d91c3f3a9..8ea851a7f2f4 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.27.23-SNAPSHOT + 2.27.23 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 6ac29087b702..a10b66ca3836 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.27.23-SNAPSHOT + 2.27.23 apache-client diff --git a/http-clients/aws-crt-client/pom.xml b/http-clients/aws-crt-client/pom.xml index 1155224f0580..c0e22f6c960b 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.27.23-SNAPSHOT + 2.27.23 4.0.0 diff --git a/http-clients/netty-nio-client/pom.xml b/http-clients/netty-nio-client/pom.xml index 59e0da9ffb51..2f8e2d387594 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.27.23-SNAPSHOT + 2.27.23 4.0.0 diff --git a/http-clients/pom.xml b/http-clients/pom.xml index 96c31650367f..a32dd311a516 100644 --- a/http-clients/pom.xml +++ b/http-clients/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.23-SNAPSHOT + 2.27.23 4.0.0 diff --git a/http-clients/url-connection-client/pom.xml b/http-clients/url-connection-client/pom.xml index 2ec76f4570fc..7bcd68919add 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.27.23-SNAPSHOT + 2.27.23 4.0.0 diff --git a/metric-publishers/cloudwatch-metric-publisher/pom.xml b/metric-publishers/cloudwatch-metric-publisher/pom.xml index 3c0cb5f98126..d008cf584e51 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.27.23-SNAPSHOT + 2.27.23 cloudwatch-metric-publisher diff --git a/metric-publishers/pom.xml b/metric-publishers/pom.xml index 30eae1cdd59a..281f4ee34a43 100644 --- a/metric-publishers/pom.xml +++ b/metric-publishers/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.23-SNAPSHOT + 2.27.23 metric-publishers diff --git a/pom.xml b/pom.xml index e47e8fdf4f94..6f0a2ebd1c12 100644 --- a/pom.xml +++ b/pom.xml @@ -20,7 +20,7 @@ 4.0.0 software.amazon.awssdk aws-sdk-java-pom - 2.27.23-SNAPSHOT + 2.27.23 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 c2026b019bad..ee372031dd6f 100644 --- a/release-scripts/pom.xml +++ b/release-scripts/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.23-SNAPSHOT + 2.27.23 ../pom.xml release-scripts diff --git a/services-custom/dynamodb-enhanced/pom.xml b/services-custom/dynamodb-enhanced/pom.xml index d5d51ec8964e..d296b0dfde24 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.27.23-SNAPSHOT + 2.27.23 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 cb5c9b8214bc..8df260790011 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.27.23-SNAPSHOT + 2.27.23 ../../pom.xml iam-policy-builder diff --git a/services-custom/pom.xml b/services-custom/pom.xml index f1856474adab..55bf39f7c8fc 100644 --- a/services-custom/pom.xml +++ b/services-custom/pom.xml @@ -19,7 +19,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.23-SNAPSHOT + 2.27.23 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 df76ff24c6ec..cd09ca652f40 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.27.23-SNAPSHOT + 2.27.23 ../../pom.xml s3-event-notifications diff --git a/services-custom/s3-transfer-manager/pom.xml b/services-custom/s3-transfer-manager/pom.xml index 16d8b6133bc7..4b65a7477ff6 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.27.23-SNAPSHOT + 2.27.23 ../../pom.xml s3-transfer-manager diff --git a/services/accessanalyzer/pom.xml b/services/accessanalyzer/pom.xml index 0500ae6e147b..ca671c15e224 100644 --- a/services/accessanalyzer/pom.xml +++ b/services/accessanalyzer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 accessanalyzer AWS Java SDK :: Services :: AccessAnalyzer diff --git a/services/account/pom.xml b/services/account/pom.xml index 73485ddbb36d..711b9e4fc2c6 100644 --- a/services/account/pom.xml +++ b/services/account/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 account AWS Java SDK :: Services :: Account diff --git a/services/acm/pom.xml b/services/acm/pom.xml index 633c038f4e68..540936b31cc2 100644 --- a/services/acm/pom.xml +++ b/services/acm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 acm AWS Java SDK :: Services :: AWS Certificate Manager diff --git a/services/acmpca/pom.xml b/services/acmpca/pom.xml index 122e07607c90..3359bfacfb8b 100644 --- a/services/acmpca/pom.xml +++ b/services/acmpca/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 acmpca AWS Java SDK :: Services :: ACM PCA diff --git a/services/amp/pom.xml b/services/amp/pom.xml index 0ef83fa99568..044ffe9a08e6 100644 --- a/services/amp/pom.xml +++ b/services/amp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 amp AWS Java SDK :: Services :: Amp diff --git a/services/amplify/pom.xml b/services/amplify/pom.xml index 38836cbd3397..194d6aa90550 100644 --- a/services/amplify/pom.xml +++ b/services/amplify/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 amplify AWS Java SDK :: Services :: Amplify diff --git a/services/amplifybackend/pom.xml b/services/amplifybackend/pom.xml index c727bde584a0..4010b4a89cd4 100644 --- a/services/amplifybackend/pom.xml +++ b/services/amplifybackend/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 amplifybackend AWS Java SDK :: Services :: Amplify Backend diff --git a/services/amplifyuibuilder/pom.xml b/services/amplifyuibuilder/pom.xml index 5d74c4390310..fc657b40ed75 100644 --- a/services/amplifyuibuilder/pom.xml +++ b/services/amplifyuibuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 amplifyuibuilder AWS Java SDK :: Services :: Amplify UI Builder diff --git a/services/apigateway/pom.xml b/services/apigateway/pom.xml index dc156905e0cf..c32fb8f3003e 100644 --- a/services/apigateway/pom.xml +++ b/services/apigateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 apigateway AWS Java SDK :: Services :: Amazon API Gateway diff --git a/services/apigatewaymanagementapi/pom.xml b/services/apigatewaymanagementapi/pom.xml index f50851c7e335..3cd9db06989a 100644 --- a/services/apigatewaymanagementapi/pom.xml +++ b/services/apigatewaymanagementapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 apigatewaymanagementapi AWS Java SDK :: Services :: ApiGatewayManagementApi diff --git a/services/apigatewayv2/pom.xml b/services/apigatewayv2/pom.xml index f80ec1ffc8c4..a9c99c5b2266 100644 --- a/services/apigatewayv2/pom.xml +++ b/services/apigatewayv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 apigatewayv2 AWS Java SDK :: Services :: ApiGatewayV2 diff --git a/services/appconfig/pom.xml b/services/appconfig/pom.xml index b15d35ddd310..0e9b3ff0432f 100644 --- a/services/appconfig/pom.xml +++ b/services/appconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 appconfig AWS Java SDK :: Services :: AppConfig diff --git a/services/appconfigdata/pom.xml b/services/appconfigdata/pom.xml index 86bb01f3ffec..7501607e1854 100644 --- a/services/appconfigdata/pom.xml +++ b/services/appconfigdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 appconfigdata AWS Java SDK :: Services :: App Config Data diff --git a/services/appfabric/pom.xml b/services/appfabric/pom.xml index ae4b43191c40..a7f8213ed27f 100644 --- a/services/appfabric/pom.xml +++ b/services/appfabric/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 appfabric AWS Java SDK :: Services :: App Fabric diff --git a/services/appflow/pom.xml b/services/appflow/pom.xml index 5354e907089c..cbc2ea7e9e13 100644 --- a/services/appflow/pom.xml +++ b/services/appflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 appflow AWS Java SDK :: Services :: Appflow diff --git a/services/appintegrations/pom.xml b/services/appintegrations/pom.xml index 4d599f7f6bc8..00ce068ec930 100644 --- a/services/appintegrations/pom.xml +++ b/services/appintegrations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 appintegrations AWS Java SDK :: Services :: App Integrations diff --git a/services/applicationautoscaling/pom.xml b/services/applicationautoscaling/pom.xml index bfea75bd88b9..0522d794f6a7 100644 --- a/services/applicationautoscaling/pom.xml +++ b/services/applicationautoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 applicationautoscaling AWS Java SDK :: Services :: AWS Application Auto Scaling diff --git a/services/applicationcostprofiler/pom.xml b/services/applicationcostprofiler/pom.xml index f6b5e5402c8f..c7a5f50e1cc9 100644 --- a/services/applicationcostprofiler/pom.xml +++ b/services/applicationcostprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 applicationcostprofiler AWS Java SDK :: Services :: Application Cost Profiler diff --git a/services/applicationdiscovery/pom.xml b/services/applicationdiscovery/pom.xml index 25a5c1320296..ac912e821f50 100644 --- a/services/applicationdiscovery/pom.xml +++ b/services/applicationdiscovery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 applicationdiscovery AWS Java SDK :: Services :: AWS Application Discovery Service diff --git a/services/applicationinsights/pom.xml b/services/applicationinsights/pom.xml index 84e9a1fe4377..7f23c6293566 100644 --- a/services/applicationinsights/pom.xml +++ b/services/applicationinsights/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 applicationinsights AWS Java SDK :: Services :: Application Insights diff --git a/services/applicationsignals/pom.xml b/services/applicationsignals/pom.xml index c494ee2b9c24..247dffd77b72 100644 --- a/services/applicationsignals/pom.xml +++ b/services/applicationsignals/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 applicationsignals AWS Java SDK :: Services :: Application Signals diff --git a/services/appmesh/pom.xml b/services/appmesh/pom.xml index 5c9d0268cd3c..384bb0863c47 100644 --- a/services/appmesh/pom.xml +++ b/services/appmesh/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 appmesh AWS Java SDK :: Services :: App Mesh diff --git a/services/apprunner/pom.xml b/services/apprunner/pom.xml index 4da6b199b1fb..02d1d22c3aac 100644 --- a/services/apprunner/pom.xml +++ b/services/apprunner/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 apprunner AWS Java SDK :: Services :: App Runner diff --git a/services/appstream/pom.xml b/services/appstream/pom.xml index 995dc9994c4a..a57574927eb4 100644 --- a/services/appstream/pom.xml +++ b/services/appstream/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 appstream AWS Java SDK :: Services :: Amazon AppStream diff --git a/services/appsync/pom.xml b/services/appsync/pom.xml index 866bada6d108..b6131b300e88 100644 --- a/services/appsync/pom.xml +++ b/services/appsync/pom.xml @@ -21,7 +21,7 @@ services software.amazon.awssdk - 2.27.23-SNAPSHOT + 2.27.23 appsync diff --git a/services/apptest/pom.xml b/services/apptest/pom.xml index 8e4b7270d571..26025f59abbe 100644 --- a/services/apptest/pom.xml +++ b/services/apptest/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 apptest AWS Java SDK :: Services :: App Test diff --git a/services/arczonalshift/pom.xml b/services/arczonalshift/pom.xml index 5c0f2bf2bbd6..0cfe20cade0f 100644 --- a/services/arczonalshift/pom.xml +++ b/services/arczonalshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 arczonalshift AWS Java SDK :: Services :: ARC Zonal Shift diff --git a/services/artifact/pom.xml b/services/artifact/pom.xml index 1ee345aeb28a..8d1ecc88ce11 100644 --- a/services/artifact/pom.xml +++ b/services/artifact/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 artifact AWS Java SDK :: Services :: Artifact diff --git a/services/athena/pom.xml b/services/athena/pom.xml index 2593c0bce1ce..15af6ccfb9c1 100644 --- a/services/athena/pom.xml +++ b/services/athena/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 athena AWS Java SDK :: Services :: Amazon Athena diff --git a/services/auditmanager/pom.xml b/services/auditmanager/pom.xml index d0cedf775f76..305eefd68989 100644 --- a/services/auditmanager/pom.xml +++ b/services/auditmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 auditmanager AWS Java SDK :: Services :: Audit Manager diff --git a/services/autoscaling/pom.xml b/services/autoscaling/pom.xml index d704fe9f402b..b9669035a4be 100644 --- a/services/autoscaling/pom.xml +++ b/services/autoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 autoscaling AWS Java SDK :: Services :: Auto Scaling diff --git a/services/autoscalingplans/pom.xml b/services/autoscalingplans/pom.xml index 7562b61b1041..4feb54d723b6 100644 --- a/services/autoscalingplans/pom.xml +++ b/services/autoscalingplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 autoscalingplans AWS Java SDK :: Services :: Auto Scaling Plans diff --git a/services/b2bi/pom.xml b/services/b2bi/pom.xml index 31b58a6fca77..c1a72f70c111 100644 --- a/services/b2bi/pom.xml +++ b/services/b2bi/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 b2bi AWS Java SDK :: Services :: B2 Bi diff --git a/services/backup/pom.xml b/services/backup/pom.xml index 0d9be0bdd7fb..8603b1bf97d0 100644 --- a/services/backup/pom.xml +++ b/services/backup/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 backup AWS Java SDK :: Services :: Backup diff --git a/services/backupgateway/pom.xml b/services/backupgateway/pom.xml index 6c05a70de096..ce699f57b298 100644 --- a/services/backupgateway/pom.xml +++ b/services/backupgateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 backupgateway AWS Java SDK :: Services :: Backup Gateway diff --git a/services/batch/pom.xml b/services/batch/pom.xml index 8c17bfa28790..afd085a598f4 100644 --- a/services/batch/pom.xml +++ b/services/batch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 batch AWS Java SDK :: Services :: AWS Batch diff --git a/services/bcmdataexports/pom.xml b/services/bcmdataexports/pom.xml index 488e82f62024..337adb7d2a76 100644 --- a/services/bcmdataexports/pom.xml +++ b/services/bcmdataexports/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 bcmdataexports AWS Java SDK :: Services :: BCM Data Exports diff --git a/services/bedrock/pom.xml b/services/bedrock/pom.xml index 70cdf6ca6efe..26a74e587870 100644 --- a/services/bedrock/pom.xml +++ b/services/bedrock/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 bedrock AWS Java SDK :: Services :: Bedrock diff --git a/services/bedrockagent/pom.xml b/services/bedrockagent/pom.xml index 7bf56cccdbbf..6f4fcb4f6e55 100644 --- a/services/bedrockagent/pom.xml +++ b/services/bedrockagent/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 bedrockagent AWS Java SDK :: Services :: Bedrock Agent diff --git a/services/bedrockagentruntime/pom.xml b/services/bedrockagentruntime/pom.xml index c942ebebf2f3..e750c7bd4d3d 100644 --- a/services/bedrockagentruntime/pom.xml +++ b/services/bedrockagentruntime/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 bedrockagentruntime AWS Java SDK :: Services :: Bedrock Agent Runtime diff --git a/services/bedrockruntime/pom.xml b/services/bedrockruntime/pom.xml index 60ba693d96c5..8931f3638e26 100644 --- a/services/bedrockruntime/pom.xml +++ b/services/bedrockruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 bedrockruntime AWS Java SDK :: Services :: Bedrock Runtime diff --git a/services/billingconductor/pom.xml b/services/billingconductor/pom.xml index 7397675bab55..f838b4df07d5 100644 --- a/services/billingconductor/pom.xml +++ b/services/billingconductor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 billingconductor AWS Java SDK :: Services :: Billingconductor diff --git a/services/braket/pom.xml b/services/braket/pom.xml index b164a142283e..7267c70a27aa 100644 --- a/services/braket/pom.xml +++ b/services/braket/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 braket AWS Java SDK :: Services :: Braket diff --git a/services/budgets/pom.xml b/services/budgets/pom.xml index a69c8564d143..a3932c3db108 100644 --- a/services/budgets/pom.xml +++ b/services/budgets/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 budgets AWS Java SDK :: Services :: AWS Budgets diff --git a/services/chatbot/pom.xml b/services/chatbot/pom.xml index 8eac6c25f776..85cbee1ceb77 100644 --- a/services/chatbot/pom.xml +++ b/services/chatbot/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 chatbot AWS Java SDK :: Services :: Chatbot diff --git a/services/chime/pom.xml b/services/chime/pom.xml index 10fe820b5425..e20558efe05b 100644 --- a/services/chime/pom.xml +++ b/services/chime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 chime AWS Java SDK :: Services :: Chime diff --git a/services/chimesdkidentity/pom.xml b/services/chimesdkidentity/pom.xml index 19645ed68314..9b75dc006fcc 100644 --- a/services/chimesdkidentity/pom.xml +++ b/services/chimesdkidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 chimesdkidentity AWS Java SDK :: Services :: Chime SDK Identity diff --git a/services/chimesdkmediapipelines/pom.xml b/services/chimesdkmediapipelines/pom.xml index 6cca3b296e18..1bb6ad92a747 100644 --- a/services/chimesdkmediapipelines/pom.xml +++ b/services/chimesdkmediapipelines/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 chimesdkmediapipelines AWS Java SDK :: Services :: Chime SDK Media Pipelines diff --git a/services/chimesdkmeetings/pom.xml b/services/chimesdkmeetings/pom.xml index bce22b6ebaf8..4f22e7c70f59 100644 --- a/services/chimesdkmeetings/pom.xml +++ b/services/chimesdkmeetings/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 chimesdkmeetings AWS Java SDK :: Services :: Chime SDK Meetings diff --git a/services/chimesdkmessaging/pom.xml b/services/chimesdkmessaging/pom.xml index 5afeee37e6f1..4bc1591666ee 100644 --- a/services/chimesdkmessaging/pom.xml +++ b/services/chimesdkmessaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 chimesdkmessaging AWS Java SDK :: Services :: Chime SDK Messaging diff --git a/services/chimesdkvoice/pom.xml b/services/chimesdkvoice/pom.xml index 0e38fc9925dc..1dd16ffd6637 100644 --- a/services/chimesdkvoice/pom.xml +++ b/services/chimesdkvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 chimesdkvoice AWS Java SDK :: Services :: Chime SDK Voice diff --git a/services/cleanrooms/pom.xml b/services/cleanrooms/pom.xml index 974a7213756b..541c32088bf1 100644 --- a/services/cleanrooms/pom.xml +++ b/services/cleanrooms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 cleanrooms AWS Java SDK :: Services :: Clean Rooms diff --git a/services/cleanroomsml/pom.xml b/services/cleanroomsml/pom.xml index 78fd2d079cb7..e95ae0301d06 100644 --- a/services/cleanroomsml/pom.xml +++ b/services/cleanroomsml/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 cleanroomsml AWS Java SDK :: Services :: Clean Rooms ML diff --git a/services/cloud9/pom.xml b/services/cloud9/pom.xml index c3d11d16c103..11791c9942a3 100644 --- a/services/cloud9/pom.xml +++ b/services/cloud9/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23-SNAPSHOT + 2.27.23 4.0.0 cloud9 diff --git a/services/cloudcontrol/pom.xml b/services/cloudcontrol/pom.xml index ebc300f7c6bc..111f8e18fbc5 100644 --- a/services/cloudcontrol/pom.xml +++ b/services/cloudcontrol/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 cloudcontrol AWS Java SDK :: Services :: Cloud Control diff --git a/services/clouddirectory/pom.xml b/services/clouddirectory/pom.xml index 6c41bcc46a42..c5820e4c1884 100644 --- a/services/clouddirectory/pom.xml +++ b/services/clouddirectory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 clouddirectory AWS Java SDK :: Services :: Amazon CloudDirectory diff --git a/services/cloudformation/pom.xml b/services/cloudformation/pom.xml index 476073aab596..677f8ce6e620 100644 --- a/services/cloudformation/pom.xml +++ b/services/cloudformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 cloudformation AWS Java SDK :: Services :: AWS CloudFormation diff --git a/services/cloudfront/pom.xml b/services/cloudfront/pom.xml index 10b273e70ddc..1932f0819ce0 100644 --- a/services/cloudfront/pom.xml +++ b/services/cloudfront/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 cloudfront AWS Java SDK :: Services :: Amazon CloudFront diff --git a/services/cloudfrontkeyvaluestore/pom.xml b/services/cloudfrontkeyvaluestore/pom.xml index 6d36f42d114d..db281e5d7560 100644 --- a/services/cloudfrontkeyvaluestore/pom.xml +++ b/services/cloudfrontkeyvaluestore/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 cloudfrontkeyvaluestore AWS Java SDK :: Services :: Cloud Front Key Value Store diff --git a/services/cloudhsm/pom.xml b/services/cloudhsm/pom.xml index aa0a73303d47..dc7101142d75 100644 --- a/services/cloudhsm/pom.xml +++ b/services/cloudhsm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 cloudhsm AWS Java SDK :: Services :: AWS CloudHSM diff --git a/services/cloudhsmv2/pom.xml b/services/cloudhsmv2/pom.xml index deb7c40802fa..c15a718afc0a 100644 --- a/services/cloudhsmv2/pom.xml +++ b/services/cloudhsmv2/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23-SNAPSHOT + 2.27.23 4.0.0 cloudhsmv2 diff --git a/services/cloudsearch/pom.xml b/services/cloudsearch/pom.xml index 4afa471b683b..c994ec20b997 100644 --- a/services/cloudsearch/pom.xml +++ b/services/cloudsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 cloudsearch AWS Java SDK :: Services :: Amazon CloudSearch diff --git a/services/cloudsearchdomain/pom.xml b/services/cloudsearchdomain/pom.xml index a457d92a8439..43ee3a8465a2 100644 --- a/services/cloudsearchdomain/pom.xml +++ b/services/cloudsearchdomain/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 cloudsearchdomain AWS Java SDK :: Services :: Amazon CloudSearch Domain diff --git a/services/cloudtrail/pom.xml b/services/cloudtrail/pom.xml index 2de6856d9d9b..21fabf4dd759 100644 --- a/services/cloudtrail/pom.xml +++ b/services/cloudtrail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 cloudtrail AWS Java SDK :: Services :: AWS CloudTrail diff --git a/services/cloudtraildata/pom.xml b/services/cloudtraildata/pom.xml index e65352a8e738..15a9c5b71060 100644 --- a/services/cloudtraildata/pom.xml +++ b/services/cloudtraildata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 cloudtraildata AWS Java SDK :: Services :: Cloud Trail Data diff --git a/services/cloudwatch/pom.xml b/services/cloudwatch/pom.xml index 8036e284a7f6..c374de8b149b 100644 --- a/services/cloudwatch/pom.xml +++ b/services/cloudwatch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 cloudwatch AWS Java SDK :: Services :: Amazon CloudWatch diff --git a/services/cloudwatchevents/pom.xml b/services/cloudwatchevents/pom.xml index 9bdc8781b3be..60d2cda69799 100644 --- a/services/cloudwatchevents/pom.xml +++ b/services/cloudwatchevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 cloudwatchevents AWS Java SDK :: Services :: Amazon CloudWatch Events diff --git a/services/cloudwatchlogs/pom.xml b/services/cloudwatchlogs/pom.xml index 1f1f2307c6cf..e471abdde912 100644 --- a/services/cloudwatchlogs/pom.xml +++ b/services/cloudwatchlogs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 cloudwatchlogs AWS Java SDK :: Services :: Amazon CloudWatch Logs diff --git a/services/codeartifact/pom.xml b/services/codeartifact/pom.xml index 91d4f1a114f4..028734ef4c2b 100644 --- a/services/codeartifact/pom.xml +++ b/services/codeartifact/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 codeartifact AWS Java SDK :: Services :: Codeartifact diff --git a/services/codebuild/pom.xml b/services/codebuild/pom.xml index c9070ca4be43..b81ce36c5cf1 100644 --- a/services/codebuild/pom.xml +++ b/services/codebuild/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 codebuild AWS Java SDK :: Services :: AWS Code Build diff --git a/services/codecatalyst/pom.xml b/services/codecatalyst/pom.xml index f11eb6a1b80e..c0e0a6b7dba7 100644 --- a/services/codecatalyst/pom.xml +++ b/services/codecatalyst/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 codecatalyst AWS Java SDK :: Services :: Code Catalyst diff --git a/services/codecommit/pom.xml b/services/codecommit/pom.xml index 0601939a0a5b..7356bb18bcc2 100644 --- a/services/codecommit/pom.xml +++ b/services/codecommit/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 codecommit AWS Java SDK :: Services :: AWS CodeCommit diff --git a/services/codeconnections/pom.xml b/services/codeconnections/pom.xml index 148da6d7b95a..228f1c9cd9fd 100644 --- a/services/codeconnections/pom.xml +++ b/services/codeconnections/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 codeconnections AWS Java SDK :: Services :: Code Connections diff --git a/services/codedeploy/pom.xml b/services/codedeploy/pom.xml index 2bb92ce8bc05..e83196318566 100644 --- a/services/codedeploy/pom.xml +++ b/services/codedeploy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 codedeploy AWS Java SDK :: Services :: AWS CodeDeploy diff --git a/services/codeguruprofiler/pom.xml b/services/codeguruprofiler/pom.xml index 736dfda1718c..a7e666c8d4ea 100644 --- a/services/codeguruprofiler/pom.xml +++ b/services/codeguruprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 codeguruprofiler AWS Java SDK :: Services :: CodeGuruProfiler diff --git a/services/codegurureviewer/pom.xml b/services/codegurureviewer/pom.xml index 7feed5ee27d1..56f425cdf2c9 100644 --- a/services/codegurureviewer/pom.xml +++ b/services/codegurureviewer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 codegurureviewer AWS Java SDK :: Services :: CodeGuru Reviewer diff --git a/services/codegurusecurity/pom.xml b/services/codegurusecurity/pom.xml index 7117a4b73471..b205a69a9fd4 100644 --- a/services/codegurusecurity/pom.xml +++ b/services/codegurusecurity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 codegurusecurity AWS Java SDK :: Services :: Code Guru Security diff --git a/services/codepipeline/pom.xml b/services/codepipeline/pom.xml index 654a455b04d7..0d74d666cfea 100644 --- a/services/codepipeline/pom.xml +++ b/services/codepipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 codepipeline AWS Java SDK :: Services :: AWS CodePipeline diff --git a/services/codestarconnections/pom.xml b/services/codestarconnections/pom.xml index 0bbb83e65dc4..7b98ab6a78f9 100644 --- a/services/codestarconnections/pom.xml +++ b/services/codestarconnections/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 codestarconnections AWS Java SDK :: Services :: CodeStar connections diff --git a/services/codestarnotifications/pom.xml b/services/codestarnotifications/pom.xml index e22eaa36011d..09ffe99a0a9b 100644 --- a/services/codestarnotifications/pom.xml +++ b/services/codestarnotifications/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 codestarnotifications AWS Java SDK :: Services :: Codestar Notifications diff --git a/services/cognitoidentity/pom.xml b/services/cognitoidentity/pom.xml index 7d5e2199a4f9..afe4b6af840e 100644 --- a/services/cognitoidentity/pom.xml +++ b/services/cognitoidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 cognitoidentity AWS Java SDK :: Services :: Amazon Cognito Identity diff --git a/services/cognitoidentityprovider/pom.xml b/services/cognitoidentityprovider/pom.xml index abaa8419775d..92d14b938fdf 100644 --- a/services/cognitoidentityprovider/pom.xml +++ b/services/cognitoidentityprovider/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 cognitoidentityprovider AWS Java SDK :: Services :: Amazon Cognito Identity Provider Service diff --git a/services/cognitosync/pom.xml b/services/cognitosync/pom.xml index 44b220870188..df43074eee60 100644 --- a/services/cognitosync/pom.xml +++ b/services/cognitosync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 cognitosync AWS Java SDK :: Services :: Amazon Cognito Sync diff --git a/services/comprehend/pom.xml b/services/comprehend/pom.xml index 6f371729cf1b..a83df9409035 100644 --- a/services/comprehend/pom.xml +++ b/services/comprehend/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23-SNAPSHOT + 2.27.23 4.0.0 comprehend diff --git a/services/comprehendmedical/pom.xml b/services/comprehendmedical/pom.xml index a431adacb6ab..e951b74bfacc 100644 --- a/services/comprehendmedical/pom.xml +++ b/services/comprehendmedical/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 comprehendmedical AWS Java SDK :: Services :: ComprehendMedical diff --git a/services/computeoptimizer/pom.xml b/services/computeoptimizer/pom.xml index b576d7ef5e2d..d8169ad763f2 100644 --- a/services/computeoptimizer/pom.xml +++ b/services/computeoptimizer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 computeoptimizer AWS Java SDK :: Services :: Compute Optimizer diff --git a/services/config/pom.xml b/services/config/pom.xml index 9e682e8deb58..30baeb9120d8 100644 --- a/services/config/pom.xml +++ b/services/config/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 config AWS Java SDK :: Services :: AWS Config diff --git a/services/connect/pom.xml b/services/connect/pom.xml index 3bd8b30e91da..1197ed37ea87 100644 --- a/services/connect/pom.xml +++ b/services/connect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 connect AWS Java SDK :: Services :: Connect diff --git a/services/connectcampaigns/pom.xml b/services/connectcampaigns/pom.xml index f10080e35c84..5df06ce64602 100644 --- a/services/connectcampaigns/pom.xml +++ b/services/connectcampaigns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 connectcampaigns AWS Java SDK :: Services :: Connect Campaigns diff --git a/services/connectcases/pom.xml b/services/connectcases/pom.xml index d66040f7c3d2..33e5101d7226 100644 --- a/services/connectcases/pom.xml +++ b/services/connectcases/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 connectcases AWS Java SDK :: Services :: Connect Cases diff --git a/services/connectcontactlens/pom.xml b/services/connectcontactlens/pom.xml index c99e700485d6..f8dc30fa6224 100644 --- a/services/connectcontactlens/pom.xml +++ b/services/connectcontactlens/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 connectcontactlens AWS Java SDK :: Services :: Connect Contact Lens diff --git a/services/connectparticipant/pom.xml b/services/connectparticipant/pom.xml index 59d860776a85..d9efa8955744 100644 --- a/services/connectparticipant/pom.xml +++ b/services/connectparticipant/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 connectparticipant AWS Java SDK :: Services :: ConnectParticipant diff --git a/services/controlcatalog/pom.xml b/services/controlcatalog/pom.xml index d174883ff375..fba9b497d0fe 100644 --- a/services/controlcatalog/pom.xml +++ b/services/controlcatalog/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 controlcatalog AWS Java SDK :: Services :: Control Catalog diff --git a/services/controltower/pom.xml b/services/controltower/pom.xml index b74634d386c4..7981c2a6220a 100644 --- a/services/controltower/pom.xml +++ b/services/controltower/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 controltower AWS Java SDK :: Services :: Control Tower diff --git a/services/costandusagereport/pom.xml b/services/costandusagereport/pom.xml index 465b8b8b540c..3b2ed2e3ea92 100644 --- a/services/costandusagereport/pom.xml +++ b/services/costandusagereport/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 costandusagereport AWS Java SDK :: Services :: AWS Cost and Usage Report diff --git a/services/costexplorer/pom.xml b/services/costexplorer/pom.xml index ab3b092d205b..1918d6a0496d 100644 --- a/services/costexplorer/pom.xml +++ b/services/costexplorer/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23-SNAPSHOT + 2.27.23 4.0.0 costexplorer diff --git a/services/costoptimizationhub/pom.xml b/services/costoptimizationhub/pom.xml index a11b9d773444..58460c9a0a96 100644 --- a/services/costoptimizationhub/pom.xml +++ b/services/costoptimizationhub/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 costoptimizationhub AWS Java SDK :: Services :: Cost Optimization Hub diff --git a/services/customerprofiles/pom.xml b/services/customerprofiles/pom.xml index 63dafb9a8bc4..19fb85f0ea35 100644 --- a/services/customerprofiles/pom.xml +++ b/services/customerprofiles/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 customerprofiles AWS Java SDK :: Services :: Customer Profiles diff --git a/services/databasemigration/pom.xml b/services/databasemigration/pom.xml index 693906d10045..e90093806d2d 100644 --- a/services/databasemigration/pom.xml +++ b/services/databasemigration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 databasemigration AWS Java SDK :: Services :: AWS Database Migration Service diff --git a/services/databrew/pom.xml b/services/databrew/pom.xml index aff9b2228efd..c45db8525aaa 100644 --- a/services/databrew/pom.xml +++ b/services/databrew/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 databrew AWS Java SDK :: Services :: Data Brew diff --git a/services/dataexchange/pom.xml b/services/dataexchange/pom.xml index b668e8a75a1e..321727edbda8 100644 --- a/services/dataexchange/pom.xml +++ b/services/dataexchange/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 dataexchange AWS Java SDK :: Services :: DataExchange diff --git a/services/datapipeline/pom.xml b/services/datapipeline/pom.xml index 204a5f52f0f7..37e61cf63e17 100644 --- a/services/datapipeline/pom.xml +++ b/services/datapipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 datapipeline AWS Java SDK :: Services :: AWS Data Pipeline diff --git a/services/datasync/pom.xml b/services/datasync/pom.xml index 091a3b009c0a..4f88e7de640e 100644 --- a/services/datasync/pom.xml +++ b/services/datasync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 datasync AWS Java SDK :: Services :: DataSync diff --git a/services/datazone/pom.xml b/services/datazone/pom.xml index e86848e650ab..0a7665e3bb83 100644 --- a/services/datazone/pom.xml +++ b/services/datazone/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 datazone AWS Java SDK :: Services :: Data Zone diff --git a/services/dax/pom.xml b/services/dax/pom.xml index 1bcc58259cfe..4b88080ebd3b 100644 --- a/services/dax/pom.xml +++ b/services/dax/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 dax AWS Java SDK :: Services :: Amazon DynamoDB Accelerator (DAX) diff --git a/services/deadline/pom.xml b/services/deadline/pom.xml index 6260645c7017..e10fc811bec4 100644 --- a/services/deadline/pom.xml +++ b/services/deadline/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 deadline AWS Java SDK :: Services :: Deadline diff --git a/services/detective/pom.xml b/services/detective/pom.xml index 41ed8bcad947..2c81ec463ffc 100644 --- a/services/detective/pom.xml +++ b/services/detective/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 detective AWS Java SDK :: Services :: Detective diff --git a/services/devicefarm/pom.xml b/services/devicefarm/pom.xml index 46143f686a37..6de59a319a51 100644 --- a/services/devicefarm/pom.xml +++ b/services/devicefarm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 devicefarm AWS Java SDK :: Services :: AWS Device Farm diff --git a/services/devopsguru/pom.xml b/services/devopsguru/pom.xml index 58fc82d8217f..0aee8e0786b4 100644 --- a/services/devopsguru/pom.xml +++ b/services/devopsguru/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 devopsguru AWS Java SDK :: Services :: Dev Ops Guru diff --git a/services/directconnect/pom.xml b/services/directconnect/pom.xml index 0ac7087e6e6b..52109e55a892 100644 --- a/services/directconnect/pom.xml +++ b/services/directconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 directconnect AWS Java SDK :: Services :: AWS Direct Connect diff --git a/services/directory/pom.xml b/services/directory/pom.xml index b318b614d7bb..0f323b23e6cd 100644 --- a/services/directory/pom.xml +++ b/services/directory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 directory AWS Java SDK :: Services :: AWS Directory Service diff --git a/services/dlm/pom.xml b/services/dlm/pom.xml index 5f785e0e7388..bd2bc9403fd0 100644 --- a/services/dlm/pom.xml +++ b/services/dlm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 dlm AWS Java SDK :: Services :: DLM diff --git a/services/docdb/pom.xml b/services/docdb/pom.xml index 84c89fa2d2f2..07cf23846470 100644 --- a/services/docdb/pom.xml +++ b/services/docdb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 docdb AWS Java SDK :: Services :: DocDB diff --git a/services/docdbelastic/pom.xml b/services/docdbelastic/pom.xml index b48e7267449c..ead5200c25e0 100644 --- a/services/docdbelastic/pom.xml +++ b/services/docdbelastic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 docdbelastic AWS Java SDK :: Services :: Doc DB Elastic diff --git a/services/drs/pom.xml b/services/drs/pom.xml index 6906d49a7c83..30d0a50932aa 100644 --- a/services/drs/pom.xml +++ b/services/drs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 drs AWS Java SDK :: Services :: Drs diff --git a/services/dynamodb/pom.xml b/services/dynamodb/pom.xml index 6133f7e7ef3c..276e2742b34c 100644 --- a/services/dynamodb/pom.xml +++ b/services/dynamodb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 dynamodb AWS Java SDK :: Services :: Amazon DynamoDB diff --git a/services/ebs/pom.xml b/services/ebs/pom.xml index 7ba3f0811d18..21d78e935855 100644 --- a/services/ebs/pom.xml +++ b/services/ebs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 ebs AWS Java SDK :: Services :: EBS diff --git a/services/ec2/pom.xml b/services/ec2/pom.xml index 31d82793024c..d216915112ad 100644 --- a/services/ec2/pom.xml +++ b/services/ec2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 ec2 AWS Java SDK :: Services :: Amazon EC2 diff --git a/services/ec2instanceconnect/pom.xml b/services/ec2instanceconnect/pom.xml index 06e3675d965c..f570cb1f82de 100644 --- a/services/ec2instanceconnect/pom.xml +++ b/services/ec2instanceconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 ec2instanceconnect AWS Java SDK :: Services :: EC2 Instance Connect diff --git a/services/ecr/pom.xml b/services/ecr/pom.xml index a585c7cb5fd0..4025cac48818 100644 --- a/services/ecr/pom.xml +++ b/services/ecr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 ecr AWS Java SDK :: Services :: Amazon EC2 Container Registry diff --git a/services/ecrpublic/pom.xml b/services/ecrpublic/pom.xml index 08049241d681..3e4a46c69652 100644 --- a/services/ecrpublic/pom.xml +++ b/services/ecrpublic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 ecrpublic AWS Java SDK :: Services :: ECR PUBLIC diff --git a/services/ecs/pom.xml b/services/ecs/pom.xml index 55e1a9490838..17822b281130 100644 --- a/services/ecs/pom.xml +++ b/services/ecs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 ecs AWS Java SDK :: Services :: Amazon EC2 Container Service diff --git a/services/efs/pom.xml b/services/efs/pom.xml index c8c897ff3cfc..b8ca572073dd 100644 --- a/services/efs/pom.xml +++ b/services/efs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 efs AWS Java SDK :: Services :: Amazon Elastic File System diff --git a/services/eks/pom.xml b/services/eks/pom.xml index 47b16ef80c8f..1d3bc81d7027 100644 --- a/services/eks/pom.xml +++ b/services/eks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 eks AWS Java SDK :: Services :: EKS diff --git a/services/eksauth/pom.xml b/services/eksauth/pom.xml index bf9a21c3bae9..9ae627dc607f 100644 --- a/services/eksauth/pom.xml +++ b/services/eksauth/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 eksauth AWS Java SDK :: Services :: EKS Auth diff --git a/services/elasticache/pom.xml b/services/elasticache/pom.xml index 439863f314c0..7505fd7dfb78 100644 --- a/services/elasticache/pom.xml +++ b/services/elasticache/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 elasticache AWS Java SDK :: Services :: Amazon ElastiCache diff --git a/services/elasticbeanstalk/pom.xml b/services/elasticbeanstalk/pom.xml index 6dcc391e8228..0bddae8e81e0 100644 --- a/services/elasticbeanstalk/pom.xml +++ b/services/elasticbeanstalk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 elasticbeanstalk AWS Java SDK :: Services :: AWS Elastic Beanstalk diff --git a/services/elasticinference/pom.xml b/services/elasticinference/pom.xml index af115b6f4f3e..9a491869f13d 100644 --- a/services/elasticinference/pom.xml +++ b/services/elasticinference/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 elasticinference AWS Java SDK :: Services :: Elastic Inference diff --git a/services/elasticloadbalancing/pom.xml b/services/elasticloadbalancing/pom.xml index 4cc387af2415..9a210b03a40a 100644 --- a/services/elasticloadbalancing/pom.xml +++ b/services/elasticloadbalancing/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 elasticloadbalancing AWS Java SDK :: Services :: Elastic Load Balancing diff --git a/services/elasticloadbalancingv2/pom.xml b/services/elasticloadbalancingv2/pom.xml index 120ea4dad489..cfac8349cf00 100644 --- a/services/elasticloadbalancingv2/pom.xml +++ b/services/elasticloadbalancingv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 elasticloadbalancingv2 AWS Java SDK :: Services :: Elastic Load Balancing V2 diff --git a/services/elasticsearch/pom.xml b/services/elasticsearch/pom.xml index b1058e0c36c0..a165f474de63 100644 --- a/services/elasticsearch/pom.xml +++ b/services/elasticsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 elasticsearch AWS Java SDK :: Services :: Amazon Elasticsearch Service diff --git a/services/elastictranscoder/pom.xml b/services/elastictranscoder/pom.xml index 1677a176abbd..36be70990bce 100644 --- a/services/elastictranscoder/pom.xml +++ b/services/elastictranscoder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 elastictranscoder AWS Java SDK :: Services :: Amazon Elastic Transcoder diff --git a/services/emr/pom.xml b/services/emr/pom.xml index 50a614f7f963..173818d6cf2a 100644 --- a/services/emr/pom.xml +++ b/services/emr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 emr AWS Java SDK :: Services :: Amazon EMR diff --git a/services/emrcontainers/pom.xml b/services/emrcontainers/pom.xml index ec780654a6cd..502aa868fbc7 100644 --- a/services/emrcontainers/pom.xml +++ b/services/emrcontainers/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 emrcontainers AWS Java SDK :: Services :: EMR Containers diff --git a/services/emrserverless/pom.xml b/services/emrserverless/pom.xml index 53799ec3bf32..8d6357dd4604 100644 --- a/services/emrserverless/pom.xml +++ b/services/emrserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 emrserverless AWS Java SDK :: Services :: EMR Serverless diff --git a/services/entityresolution/pom.xml b/services/entityresolution/pom.xml index 1e483af17179..9c223783384c 100644 --- a/services/entityresolution/pom.xml +++ b/services/entityresolution/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 entityresolution AWS Java SDK :: Services :: Entity Resolution diff --git a/services/eventbridge/pom.xml b/services/eventbridge/pom.xml index 3877b4cb1b4b..2e4b65ba0080 100644 --- a/services/eventbridge/pom.xml +++ b/services/eventbridge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 eventbridge AWS Java SDK :: Services :: EventBridge diff --git a/services/evidently/pom.xml b/services/evidently/pom.xml index 0f0969a6eb6b..25ecc587b5b2 100644 --- a/services/evidently/pom.xml +++ b/services/evidently/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 evidently AWS Java SDK :: Services :: Evidently diff --git a/services/finspace/pom.xml b/services/finspace/pom.xml index 4c8944d445d1..87d8097f2078 100644 --- a/services/finspace/pom.xml +++ b/services/finspace/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 finspace AWS Java SDK :: Services :: Finspace diff --git a/services/finspacedata/pom.xml b/services/finspacedata/pom.xml index be5bd539c599..ad43fbeebf9f 100644 --- a/services/finspacedata/pom.xml +++ b/services/finspacedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 finspacedata AWS Java SDK :: Services :: Finspace Data diff --git a/services/firehose/pom.xml b/services/firehose/pom.xml index ab96e5d8f5e2..2489c483c755 100644 --- a/services/firehose/pom.xml +++ b/services/firehose/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 firehose AWS Java SDK :: Services :: Amazon Kinesis Firehose diff --git a/services/fis/pom.xml b/services/fis/pom.xml index b7d5f7366fcc..563a423e93b1 100644 --- a/services/fis/pom.xml +++ b/services/fis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 fis AWS Java SDK :: Services :: Fis diff --git a/services/fms/pom.xml b/services/fms/pom.xml index 48b80f2ddce3..309de666089a 100644 --- a/services/fms/pom.xml +++ b/services/fms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 fms AWS Java SDK :: Services :: FMS diff --git a/services/forecast/pom.xml b/services/forecast/pom.xml index 4f90d70d4c69..8d3aac54a10b 100644 --- a/services/forecast/pom.xml +++ b/services/forecast/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 forecast AWS Java SDK :: Services :: Forecast diff --git a/services/forecastquery/pom.xml b/services/forecastquery/pom.xml index ead6fcf800b9..b6d700c8df0d 100644 --- a/services/forecastquery/pom.xml +++ b/services/forecastquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 forecastquery AWS Java SDK :: Services :: Forecastquery diff --git a/services/frauddetector/pom.xml b/services/frauddetector/pom.xml index 3ae1a4f0e7e0..1130713cad09 100644 --- a/services/frauddetector/pom.xml +++ b/services/frauddetector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 frauddetector AWS Java SDK :: Services :: FraudDetector diff --git a/services/freetier/pom.xml b/services/freetier/pom.xml index ee59412d7aee..e69ed027fe55 100644 --- a/services/freetier/pom.xml +++ b/services/freetier/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 freetier AWS Java SDK :: Services :: Free Tier diff --git a/services/fsx/pom.xml b/services/fsx/pom.xml index c171771c8b3e..cf1e84373fc5 100644 --- a/services/fsx/pom.xml +++ b/services/fsx/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 fsx AWS Java SDK :: Services :: FSx diff --git a/services/gamelift/pom.xml b/services/gamelift/pom.xml index 08665c5b6c9d..87a0996689d4 100644 --- a/services/gamelift/pom.xml +++ b/services/gamelift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 gamelift AWS Java SDK :: Services :: AWS GameLift diff --git a/services/glacier/pom.xml b/services/glacier/pom.xml index 01ba2e8a7426..488c2247d571 100644 --- a/services/glacier/pom.xml +++ b/services/glacier/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 glacier AWS Java SDK :: Services :: Amazon Glacier diff --git a/services/globalaccelerator/pom.xml b/services/globalaccelerator/pom.xml index cfc305420eae..d6da8efcfa03 100644 --- a/services/globalaccelerator/pom.xml +++ b/services/globalaccelerator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 globalaccelerator AWS Java SDK :: Services :: Global Accelerator diff --git a/services/glue/pom.xml b/services/glue/pom.xml index 0f01dec7ff35..11578206fba9 100644 --- a/services/glue/pom.xml +++ b/services/glue/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23-SNAPSHOT + 2.27.23 4.0.0 glue diff --git a/services/grafana/pom.xml b/services/grafana/pom.xml index bf43a5f782e7..ea8b6d055f74 100644 --- a/services/grafana/pom.xml +++ b/services/grafana/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 grafana AWS Java SDK :: Services :: Grafana diff --git a/services/greengrass/pom.xml b/services/greengrass/pom.xml index b1aed1cd0310..aaa516a8b58b 100644 --- a/services/greengrass/pom.xml +++ b/services/greengrass/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 greengrass AWS Java SDK :: Services :: AWS Greengrass diff --git a/services/greengrassv2/pom.xml b/services/greengrassv2/pom.xml index 39e3b6db39e8..463723589ba7 100644 --- a/services/greengrassv2/pom.xml +++ b/services/greengrassv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 greengrassv2 AWS Java SDK :: Services :: Greengrass V2 diff --git a/services/groundstation/pom.xml b/services/groundstation/pom.xml index 860f3a01a7d6..c187a29c30e0 100644 --- a/services/groundstation/pom.xml +++ b/services/groundstation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 groundstation AWS Java SDK :: Services :: GroundStation diff --git a/services/guardduty/pom.xml b/services/guardduty/pom.xml index 2d5ecbd1ef71..fdc8c90884da 100644 --- a/services/guardduty/pom.xml +++ b/services/guardduty/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23-SNAPSHOT + 2.27.23 4.0.0 guardduty diff --git a/services/health/pom.xml b/services/health/pom.xml index a5cc808020a9..21a45d01516c 100644 --- a/services/health/pom.xml +++ b/services/health/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 health AWS Java SDK :: Services :: AWS Health APIs and Notifications diff --git a/services/healthlake/pom.xml b/services/healthlake/pom.xml index 2d9cd0fe7bfe..8b956f6722f8 100644 --- a/services/healthlake/pom.xml +++ b/services/healthlake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 healthlake AWS Java SDK :: Services :: Health Lake diff --git a/services/iam/pom.xml b/services/iam/pom.xml index 8cb2a880e697..b72783bd4101 100644 --- a/services/iam/pom.xml +++ b/services/iam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 iam AWS Java SDK :: Services :: AWS IAM diff --git a/services/identitystore/pom.xml b/services/identitystore/pom.xml index 134192a0c9a6..7abdd4eaa67b 100644 --- a/services/identitystore/pom.xml +++ b/services/identitystore/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 identitystore AWS Java SDK :: Services :: Identitystore diff --git a/services/imagebuilder/pom.xml b/services/imagebuilder/pom.xml index 47d86adbeaf5..5832fadcaf3e 100644 --- a/services/imagebuilder/pom.xml +++ b/services/imagebuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 imagebuilder AWS Java SDK :: Services :: Imagebuilder diff --git a/services/inspector/pom.xml b/services/inspector/pom.xml index 20db1135fe44..602d199aaefa 100644 --- a/services/inspector/pom.xml +++ b/services/inspector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 inspector AWS Java SDK :: Services :: Amazon Inspector Service diff --git a/services/inspector2/pom.xml b/services/inspector2/pom.xml index 1438ede7f94a..8ba5fae1f618 100644 --- a/services/inspector2/pom.xml +++ b/services/inspector2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 inspector2 AWS Java SDK :: Services :: Inspector2 diff --git a/services/inspectorscan/pom.xml b/services/inspectorscan/pom.xml index edb022b6a4b4..166cde2afc6f 100644 --- a/services/inspectorscan/pom.xml +++ b/services/inspectorscan/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 inspectorscan AWS Java SDK :: Services :: Inspector Scan diff --git a/services/internetmonitor/pom.xml b/services/internetmonitor/pom.xml index 43b952693f34..82f77cc0466e 100644 --- a/services/internetmonitor/pom.xml +++ b/services/internetmonitor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 internetmonitor AWS Java SDK :: Services :: Internet Monitor diff --git a/services/iot/pom.xml b/services/iot/pom.xml index 4b2f0253b5c5..a8e59ef21883 100644 --- a/services/iot/pom.xml +++ b/services/iot/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 iot AWS Java SDK :: Services :: AWS IoT diff --git a/services/iot1clickdevices/pom.xml b/services/iot1clickdevices/pom.xml index ab2dd38c3766..397fc573b9f9 100644 --- a/services/iot1clickdevices/pom.xml +++ b/services/iot1clickdevices/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 iot1clickdevices AWS Java SDK :: Services :: IoT 1Click Devices Service diff --git a/services/iot1clickprojects/pom.xml b/services/iot1clickprojects/pom.xml index 28398ac18992..1301b1fb2e3d 100644 --- a/services/iot1clickprojects/pom.xml +++ b/services/iot1clickprojects/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 iot1clickprojects AWS Java SDK :: Services :: IoT 1Click Projects diff --git a/services/iotanalytics/pom.xml b/services/iotanalytics/pom.xml index 5aab4c227c6c..82cc3af92e2b 100644 --- a/services/iotanalytics/pom.xml +++ b/services/iotanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 iotanalytics AWS Java SDK :: Services :: IoTAnalytics diff --git a/services/iotdataplane/pom.xml b/services/iotdataplane/pom.xml index 2919d5c36787..132ec5e27485 100644 --- a/services/iotdataplane/pom.xml +++ b/services/iotdataplane/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 iotdataplane AWS Java SDK :: Services :: AWS IoT Data Plane diff --git a/services/iotdeviceadvisor/pom.xml b/services/iotdeviceadvisor/pom.xml index 3545c330ab4f..d419b6d605b3 100644 --- a/services/iotdeviceadvisor/pom.xml +++ b/services/iotdeviceadvisor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 iotdeviceadvisor AWS Java SDK :: Services :: Iot Device Advisor diff --git a/services/iotevents/pom.xml b/services/iotevents/pom.xml index 7a3580d541dc..f5155cfac1e8 100644 --- a/services/iotevents/pom.xml +++ b/services/iotevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 iotevents AWS Java SDK :: Services :: IoT Events diff --git a/services/ioteventsdata/pom.xml b/services/ioteventsdata/pom.xml index ee9e36940f09..658efaeb3283 100644 --- a/services/ioteventsdata/pom.xml +++ b/services/ioteventsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 ioteventsdata AWS Java SDK :: Services :: IoT Events Data diff --git a/services/iotfleethub/pom.xml b/services/iotfleethub/pom.xml index 51bc522db00f..db2684f8ea8a 100644 --- a/services/iotfleethub/pom.xml +++ b/services/iotfleethub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 iotfleethub AWS Java SDK :: Services :: Io T Fleet Hub diff --git a/services/iotfleetwise/pom.xml b/services/iotfleetwise/pom.xml index f32f117d4934..7450d78bddb6 100644 --- a/services/iotfleetwise/pom.xml +++ b/services/iotfleetwise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 iotfleetwise AWS Java SDK :: Services :: Io T Fleet Wise diff --git a/services/iotjobsdataplane/pom.xml b/services/iotjobsdataplane/pom.xml index 6a4eecd29eb8..f5e03181338a 100644 --- a/services/iotjobsdataplane/pom.xml +++ b/services/iotjobsdataplane/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 iotjobsdataplane AWS Java SDK :: Services :: IoT Jobs Data Plane diff --git a/services/iotsecuretunneling/pom.xml b/services/iotsecuretunneling/pom.xml index 5a99aa1edc04..bf3836addeb1 100644 --- a/services/iotsecuretunneling/pom.xml +++ b/services/iotsecuretunneling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 iotsecuretunneling AWS Java SDK :: Services :: IoTSecureTunneling diff --git a/services/iotsitewise/pom.xml b/services/iotsitewise/pom.xml index 5d71c87df5f0..988edb1ce089 100644 --- a/services/iotsitewise/pom.xml +++ b/services/iotsitewise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 iotsitewise AWS Java SDK :: Services :: Io T Site Wise diff --git a/services/iotthingsgraph/pom.xml b/services/iotthingsgraph/pom.xml index f5bebc73b53e..ec76de62f511 100644 --- a/services/iotthingsgraph/pom.xml +++ b/services/iotthingsgraph/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 iotthingsgraph AWS Java SDK :: Services :: IoTThingsGraph diff --git a/services/iottwinmaker/pom.xml b/services/iottwinmaker/pom.xml index 09f87854f150..19f9e4c2cd17 100644 --- a/services/iottwinmaker/pom.xml +++ b/services/iottwinmaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 iottwinmaker AWS Java SDK :: Services :: Io T Twin Maker diff --git a/services/iotwireless/pom.xml b/services/iotwireless/pom.xml index d66eaa5c1a2a..c682ad424362 100644 --- a/services/iotwireless/pom.xml +++ b/services/iotwireless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 iotwireless AWS Java SDK :: Services :: IoT Wireless diff --git a/services/ivs/pom.xml b/services/ivs/pom.xml index 430a3b3d3db9..27677e951cad 100644 --- a/services/ivs/pom.xml +++ b/services/ivs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 ivs AWS Java SDK :: Services :: Ivs diff --git a/services/ivschat/pom.xml b/services/ivschat/pom.xml index 9eee99f25e76..ecf8c594b13e 100644 --- a/services/ivschat/pom.xml +++ b/services/ivschat/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 ivschat AWS Java SDK :: Services :: Ivschat diff --git a/services/ivsrealtime/pom.xml b/services/ivsrealtime/pom.xml index cd1b4cd8ddc7..543314ed70ab 100644 --- a/services/ivsrealtime/pom.xml +++ b/services/ivsrealtime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 ivsrealtime AWS Java SDK :: Services :: IVS Real Time diff --git a/services/kafka/pom.xml b/services/kafka/pom.xml index e5b4ddeff340..b7ce82bca410 100644 --- a/services/kafka/pom.xml +++ b/services/kafka/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 kafka AWS Java SDK :: Services :: Kafka diff --git a/services/kafkaconnect/pom.xml b/services/kafkaconnect/pom.xml index d0b6e3a8133f..ce14fd17ab8e 100644 --- a/services/kafkaconnect/pom.xml +++ b/services/kafkaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 kafkaconnect AWS Java SDK :: Services :: Kafka Connect diff --git a/services/kendra/pom.xml b/services/kendra/pom.xml index 1f0f46ea8992..bdca951a8276 100644 --- a/services/kendra/pom.xml +++ b/services/kendra/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 kendra AWS Java SDK :: Services :: Kendra diff --git a/services/kendraranking/pom.xml b/services/kendraranking/pom.xml index badcfb9d7004..9a067f5834bf 100644 --- a/services/kendraranking/pom.xml +++ b/services/kendraranking/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 kendraranking AWS Java SDK :: Services :: Kendra Ranking diff --git a/services/keyspaces/pom.xml b/services/keyspaces/pom.xml index 844a2d431487..63acddd2fda8 100644 --- a/services/keyspaces/pom.xml +++ b/services/keyspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 keyspaces AWS Java SDK :: Services :: Keyspaces diff --git a/services/kinesis/pom.xml b/services/kinesis/pom.xml index 26bdebbf5125..c1f02587326c 100644 --- a/services/kinesis/pom.xml +++ b/services/kinesis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 kinesis AWS Java SDK :: Services :: Amazon Kinesis diff --git a/services/kinesisanalytics/pom.xml b/services/kinesisanalytics/pom.xml index 6b9491f2e407..2ad393c86970 100644 --- a/services/kinesisanalytics/pom.xml +++ b/services/kinesisanalytics/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 kinesisanalytics AWS Java SDK :: Services :: Amazon Kinesis Analytics diff --git a/services/kinesisanalyticsv2/pom.xml b/services/kinesisanalyticsv2/pom.xml index 0b08d20da0e2..a6c540cb7ec3 100644 --- a/services/kinesisanalyticsv2/pom.xml +++ b/services/kinesisanalyticsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 kinesisanalyticsv2 AWS Java SDK :: Services :: Kinesis Analytics V2 diff --git a/services/kinesisvideo/pom.xml b/services/kinesisvideo/pom.xml index 8985a80a7eff..22f4fbb4ddeb 100644 --- a/services/kinesisvideo/pom.xml +++ b/services/kinesisvideo/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23-SNAPSHOT + 2.27.23 4.0.0 kinesisvideo diff --git a/services/kinesisvideoarchivedmedia/pom.xml b/services/kinesisvideoarchivedmedia/pom.xml index 3dde71ac5191..c7e50279774c 100644 --- a/services/kinesisvideoarchivedmedia/pom.xml +++ b/services/kinesisvideoarchivedmedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 kinesisvideoarchivedmedia AWS Java SDK :: Services :: Kinesis Video Archived Media diff --git a/services/kinesisvideomedia/pom.xml b/services/kinesisvideomedia/pom.xml index 59005bf5123b..02575021e7e4 100644 --- a/services/kinesisvideomedia/pom.xml +++ b/services/kinesisvideomedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 kinesisvideomedia AWS Java SDK :: Services :: Kinesis Video Media diff --git a/services/kinesisvideosignaling/pom.xml b/services/kinesisvideosignaling/pom.xml index ab5d19a9b2b3..6655a6662592 100644 --- a/services/kinesisvideosignaling/pom.xml +++ b/services/kinesisvideosignaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 kinesisvideosignaling AWS Java SDK :: Services :: Kinesis Video Signaling diff --git a/services/kinesisvideowebrtcstorage/pom.xml b/services/kinesisvideowebrtcstorage/pom.xml index b0b2c120068d..f724fcf3339a 100644 --- a/services/kinesisvideowebrtcstorage/pom.xml +++ b/services/kinesisvideowebrtcstorage/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 kinesisvideowebrtcstorage AWS Java SDK :: Services :: Kinesis Video Web RTC Storage diff --git a/services/kms/pom.xml b/services/kms/pom.xml index 95ec9fd0b487..37d504214c66 100644 --- a/services/kms/pom.xml +++ b/services/kms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 kms AWS Java SDK :: Services :: AWS KMS diff --git a/services/lakeformation/pom.xml b/services/lakeformation/pom.xml index fcba3be6447d..1d253932e492 100644 --- a/services/lakeformation/pom.xml +++ b/services/lakeformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 lakeformation AWS Java SDK :: Services :: LakeFormation diff --git a/services/lambda/pom.xml b/services/lambda/pom.xml index 7e310226b780..4674933d066d 100644 --- a/services/lambda/pom.xml +++ b/services/lambda/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 lambda AWS Java SDK :: Services :: AWS Lambda diff --git a/services/launchwizard/pom.xml b/services/launchwizard/pom.xml index 76a91a41704f..3ae732af366c 100644 --- a/services/launchwizard/pom.xml +++ b/services/launchwizard/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 launchwizard AWS Java SDK :: Services :: Launch Wizard diff --git a/services/lexmodelbuilding/pom.xml b/services/lexmodelbuilding/pom.xml index 97e8def6ae52..a26ee5f6b67c 100644 --- a/services/lexmodelbuilding/pom.xml +++ b/services/lexmodelbuilding/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 lexmodelbuilding AWS Java SDK :: Services :: Amazon Lex Model Building diff --git a/services/lexmodelsv2/pom.xml b/services/lexmodelsv2/pom.xml index 49502a63b9ab..676857d3c345 100644 --- a/services/lexmodelsv2/pom.xml +++ b/services/lexmodelsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 lexmodelsv2 AWS Java SDK :: Services :: Lex Models V2 diff --git a/services/lexruntime/pom.xml b/services/lexruntime/pom.xml index 22b29deaecef..335376ab07fd 100644 --- a/services/lexruntime/pom.xml +++ b/services/lexruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 lexruntime AWS Java SDK :: Services :: Amazon Lex Runtime diff --git a/services/lexruntimev2/pom.xml b/services/lexruntimev2/pom.xml index f054238f0494..a1f51c0e5f2e 100644 --- a/services/lexruntimev2/pom.xml +++ b/services/lexruntimev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 lexruntimev2 AWS Java SDK :: Services :: Lex Runtime V2 diff --git a/services/licensemanager/pom.xml b/services/licensemanager/pom.xml index cc8fb5aa26d2..506615a35f30 100644 --- a/services/licensemanager/pom.xml +++ b/services/licensemanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 licensemanager AWS Java SDK :: Services :: License Manager diff --git a/services/licensemanagerlinuxsubscriptions/pom.xml b/services/licensemanagerlinuxsubscriptions/pom.xml index 8927cfc9e236..0ce563a88aae 100644 --- a/services/licensemanagerlinuxsubscriptions/pom.xml +++ b/services/licensemanagerlinuxsubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 licensemanagerlinuxsubscriptions AWS Java SDK :: Services :: License Manager Linux Subscriptions diff --git a/services/licensemanagerusersubscriptions/pom.xml b/services/licensemanagerusersubscriptions/pom.xml index 3a772f2229f4..e11c28006886 100644 --- a/services/licensemanagerusersubscriptions/pom.xml +++ b/services/licensemanagerusersubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 licensemanagerusersubscriptions AWS Java SDK :: Services :: License Manager User Subscriptions diff --git a/services/lightsail/pom.xml b/services/lightsail/pom.xml index e43011db3840..b5566c9f4303 100644 --- a/services/lightsail/pom.xml +++ b/services/lightsail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 lightsail AWS Java SDK :: Services :: Amazon Lightsail diff --git a/services/location/pom.xml b/services/location/pom.xml index b785dfa93154..9ba7d79c6958 100644 --- a/services/location/pom.xml +++ b/services/location/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 location AWS Java SDK :: Services :: Location diff --git a/services/lookoutequipment/pom.xml b/services/lookoutequipment/pom.xml index 63552e796ed8..f520a9d74fea 100644 --- a/services/lookoutequipment/pom.xml +++ b/services/lookoutequipment/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 lookoutequipment AWS Java SDK :: Services :: Lookout Equipment diff --git a/services/lookoutmetrics/pom.xml b/services/lookoutmetrics/pom.xml index 59694865e31f..bed94284af74 100644 --- a/services/lookoutmetrics/pom.xml +++ b/services/lookoutmetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 lookoutmetrics AWS Java SDK :: Services :: Lookout Metrics diff --git a/services/lookoutvision/pom.xml b/services/lookoutvision/pom.xml index 3beceaefd244..1d2c1635c033 100644 --- a/services/lookoutvision/pom.xml +++ b/services/lookoutvision/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 lookoutvision AWS Java SDK :: Services :: Lookout Vision diff --git a/services/m2/pom.xml b/services/m2/pom.xml index 390266c65ae3..f4ab39ab9167 100644 --- a/services/m2/pom.xml +++ b/services/m2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 m2 AWS Java SDK :: Services :: M2 diff --git a/services/machinelearning/pom.xml b/services/machinelearning/pom.xml index 70c038c18af3..9de1c27f0fe8 100644 --- a/services/machinelearning/pom.xml +++ b/services/machinelearning/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 machinelearning AWS Java SDK :: Services :: Amazon Machine Learning diff --git a/services/macie2/pom.xml b/services/macie2/pom.xml index 6b50ef3deca1..b5c75f8713cc 100644 --- a/services/macie2/pom.xml +++ b/services/macie2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 macie2 AWS Java SDK :: Services :: Macie2 diff --git a/services/mailmanager/pom.xml b/services/mailmanager/pom.xml index 00712009e8d7..b61a37fc7a93 100644 --- a/services/mailmanager/pom.xml +++ b/services/mailmanager/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 mailmanager AWS Java SDK :: Services :: Mail Manager diff --git a/services/managedblockchain/pom.xml b/services/managedblockchain/pom.xml index 530f902b83f1..470f3b5ee6dd 100644 --- a/services/managedblockchain/pom.xml +++ b/services/managedblockchain/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 managedblockchain AWS Java SDK :: Services :: ManagedBlockchain diff --git a/services/managedblockchainquery/pom.xml b/services/managedblockchainquery/pom.xml index 164263dca191..23068088a388 100644 --- a/services/managedblockchainquery/pom.xml +++ b/services/managedblockchainquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 managedblockchainquery AWS Java SDK :: Services :: Managed Blockchain Query diff --git a/services/marketplaceagreement/pom.xml b/services/marketplaceagreement/pom.xml index ddcee5a344d9..0b9729e99762 100644 --- a/services/marketplaceagreement/pom.xml +++ b/services/marketplaceagreement/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 marketplaceagreement AWS Java SDK :: Services :: Marketplace Agreement diff --git a/services/marketplacecatalog/pom.xml b/services/marketplacecatalog/pom.xml index b170c8cf2d6a..a2b7112c6646 100644 --- a/services/marketplacecatalog/pom.xml +++ b/services/marketplacecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 marketplacecatalog AWS Java SDK :: Services :: Marketplace Catalog diff --git a/services/marketplacecommerceanalytics/pom.xml b/services/marketplacecommerceanalytics/pom.xml index 1f20ea9b4c3e..6d0ec462ff5b 100644 --- a/services/marketplacecommerceanalytics/pom.xml +++ b/services/marketplacecommerceanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 marketplacecommerceanalytics AWS Java SDK :: Services :: AWS Marketplace Commerce Analytics diff --git a/services/marketplacedeployment/pom.xml b/services/marketplacedeployment/pom.xml index 186c4fdacd89..d193daa371c3 100644 --- a/services/marketplacedeployment/pom.xml +++ b/services/marketplacedeployment/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 marketplacedeployment AWS Java SDK :: Services :: Marketplace Deployment diff --git a/services/marketplaceentitlement/pom.xml b/services/marketplaceentitlement/pom.xml index c12803792c3c..ada6a391f3a4 100644 --- a/services/marketplaceentitlement/pom.xml +++ b/services/marketplaceentitlement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 marketplaceentitlement AWS Java SDK :: Services :: AWS Marketplace Entitlement diff --git a/services/marketplacemetering/pom.xml b/services/marketplacemetering/pom.xml index bf5dbd69d42e..62e3d720e3ad 100644 --- a/services/marketplacemetering/pom.xml +++ b/services/marketplacemetering/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 marketplacemetering AWS Java SDK :: Services :: AWS Marketplace Metering Service diff --git a/services/mediaconnect/pom.xml b/services/mediaconnect/pom.xml index b9903cfd6c4d..bbdce49c1eda 100644 --- a/services/mediaconnect/pom.xml +++ b/services/mediaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 mediaconnect AWS Java SDK :: Services :: MediaConnect diff --git a/services/mediaconvert/pom.xml b/services/mediaconvert/pom.xml index e12c2238fbed..b8b62586d7c3 100644 --- a/services/mediaconvert/pom.xml +++ b/services/mediaconvert/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23-SNAPSHOT + 2.27.23 4.0.0 mediaconvert diff --git a/services/medialive/pom.xml b/services/medialive/pom.xml index 38537c156603..d10b32919513 100644 --- a/services/medialive/pom.xml +++ b/services/medialive/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23-SNAPSHOT + 2.27.23 4.0.0 medialive diff --git a/services/mediapackage/pom.xml b/services/mediapackage/pom.xml index 882311402438..1de96e4fb0ee 100644 --- a/services/mediapackage/pom.xml +++ b/services/mediapackage/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23-SNAPSHOT + 2.27.23 4.0.0 mediapackage diff --git a/services/mediapackagev2/pom.xml b/services/mediapackagev2/pom.xml index a95fb878273d..3e4e7c7adbd7 100644 --- a/services/mediapackagev2/pom.xml +++ b/services/mediapackagev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 mediapackagev2 AWS Java SDK :: Services :: Media Package V2 diff --git a/services/mediapackagevod/pom.xml b/services/mediapackagevod/pom.xml index 0bb7ea5c01ab..2ea81c1fb29e 100644 --- a/services/mediapackagevod/pom.xml +++ b/services/mediapackagevod/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 mediapackagevod AWS Java SDK :: Services :: MediaPackage Vod diff --git a/services/mediastore/pom.xml b/services/mediastore/pom.xml index 80f8de045614..0e2a8853a3ed 100644 --- a/services/mediastore/pom.xml +++ b/services/mediastore/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23-SNAPSHOT + 2.27.23 4.0.0 mediastore diff --git a/services/mediastoredata/pom.xml b/services/mediastoredata/pom.xml index 3d7bd85d1aee..47c22697241c 100644 --- a/services/mediastoredata/pom.xml +++ b/services/mediastoredata/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23-SNAPSHOT + 2.27.23 4.0.0 mediastoredata diff --git a/services/mediatailor/pom.xml b/services/mediatailor/pom.xml index 8e561aa6ac37..9c7bbba0e909 100644 --- a/services/mediatailor/pom.xml +++ b/services/mediatailor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 mediatailor AWS Java SDK :: Services :: MediaTailor diff --git a/services/medicalimaging/pom.xml b/services/medicalimaging/pom.xml index 1df6357188be..c8589c2eafc2 100644 --- a/services/medicalimaging/pom.xml +++ b/services/medicalimaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 medicalimaging AWS Java SDK :: Services :: Medical Imaging diff --git a/services/memorydb/pom.xml b/services/memorydb/pom.xml index 95f8ae41781f..ccbeff3e796f 100644 --- a/services/memorydb/pom.xml +++ b/services/memorydb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 memorydb AWS Java SDK :: Services :: Memory DB diff --git a/services/mgn/pom.xml b/services/mgn/pom.xml index efb205d54a8e..4a2ca5f1804f 100644 --- a/services/mgn/pom.xml +++ b/services/mgn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 mgn AWS Java SDK :: Services :: Mgn diff --git a/services/migrationhub/pom.xml b/services/migrationhub/pom.xml index be962837af0a..9099a27a21b9 100644 --- a/services/migrationhub/pom.xml +++ b/services/migrationhub/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23-SNAPSHOT + 2.27.23 4.0.0 migrationhub diff --git a/services/migrationhubconfig/pom.xml b/services/migrationhubconfig/pom.xml index 76d0b86fb555..c93687bd78f9 100644 --- a/services/migrationhubconfig/pom.xml +++ b/services/migrationhubconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 migrationhubconfig AWS Java SDK :: Services :: MigrationHub Config diff --git a/services/migrationhuborchestrator/pom.xml b/services/migrationhuborchestrator/pom.xml index c0fa2ee22a3f..27b0261fe1d8 100644 --- a/services/migrationhuborchestrator/pom.xml +++ b/services/migrationhuborchestrator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 migrationhuborchestrator AWS Java SDK :: Services :: Migration Hub Orchestrator diff --git a/services/migrationhubrefactorspaces/pom.xml b/services/migrationhubrefactorspaces/pom.xml index 6e3198c30c45..1cb3df1316da 100644 --- a/services/migrationhubrefactorspaces/pom.xml +++ b/services/migrationhubrefactorspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 migrationhubrefactorspaces AWS Java SDK :: Services :: Migration Hub Refactor Spaces diff --git a/services/migrationhubstrategy/pom.xml b/services/migrationhubstrategy/pom.xml index 7e91ea49ede0..3a8cbbc662e5 100644 --- a/services/migrationhubstrategy/pom.xml +++ b/services/migrationhubstrategy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 migrationhubstrategy AWS Java SDK :: Services :: Migration Hub Strategy diff --git a/services/mq/pom.xml b/services/mq/pom.xml index 1444cc212994..7ce673dd9183 100644 --- a/services/mq/pom.xml +++ b/services/mq/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23-SNAPSHOT + 2.27.23 4.0.0 mq diff --git a/services/mturk/pom.xml b/services/mturk/pom.xml index 00a64edee699..4a9dca23178a 100644 --- a/services/mturk/pom.xml +++ b/services/mturk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 mturk AWS Java SDK :: Services :: Amazon Mechanical Turk Requester diff --git a/services/mwaa/pom.xml b/services/mwaa/pom.xml index c6f3cd17fbd3..1a4de0f58fe5 100644 --- a/services/mwaa/pom.xml +++ b/services/mwaa/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 mwaa AWS Java SDK :: Services :: MWAA diff --git a/services/neptune/pom.xml b/services/neptune/pom.xml index 8fbe59b9ac10..69ba7b680f00 100644 --- a/services/neptune/pom.xml +++ b/services/neptune/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 neptune AWS Java SDK :: Services :: Neptune diff --git a/services/neptunedata/pom.xml b/services/neptunedata/pom.xml index c65129f08fbe..2229bd952f80 100644 --- a/services/neptunedata/pom.xml +++ b/services/neptunedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 neptunedata AWS Java SDK :: Services :: Neptunedata diff --git a/services/neptunegraph/pom.xml b/services/neptunegraph/pom.xml index f7ded06af152..869d4e6ef939 100644 --- a/services/neptunegraph/pom.xml +++ b/services/neptunegraph/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 neptunegraph AWS Java SDK :: Services :: Neptune Graph diff --git a/services/networkfirewall/pom.xml b/services/networkfirewall/pom.xml index 49bceefb1517..a0be23ccec96 100644 --- a/services/networkfirewall/pom.xml +++ b/services/networkfirewall/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 networkfirewall AWS Java SDK :: Services :: Network Firewall diff --git a/services/networkmanager/pom.xml b/services/networkmanager/pom.xml index ae178876cc9b..b5b138aeea51 100644 --- a/services/networkmanager/pom.xml +++ b/services/networkmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 networkmanager AWS Java SDK :: Services :: NetworkManager diff --git a/services/networkmonitor/pom.xml b/services/networkmonitor/pom.xml index c2953d42e5ae..2c90e4fed014 100644 --- a/services/networkmonitor/pom.xml +++ b/services/networkmonitor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 networkmonitor AWS Java SDK :: Services :: Network Monitor diff --git a/services/nimble/pom.xml b/services/nimble/pom.xml index 7156986d6c55..66c89492dc90 100644 --- a/services/nimble/pom.xml +++ b/services/nimble/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 nimble AWS Java SDK :: Services :: Nimble diff --git a/services/oam/pom.xml b/services/oam/pom.xml index c52a818adc13..5ba6d044297f 100644 --- a/services/oam/pom.xml +++ b/services/oam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 oam AWS Java SDK :: Services :: OAM diff --git a/services/omics/pom.xml b/services/omics/pom.xml index 1bef5224a46f..d38a07980c2f 100644 --- a/services/omics/pom.xml +++ b/services/omics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 omics AWS Java SDK :: Services :: Omics diff --git a/services/opensearch/pom.xml b/services/opensearch/pom.xml index 6c519b464bc5..ffda65433dca 100644 --- a/services/opensearch/pom.xml +++ b/services/opensearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 opensearch AWS Java SDK :: Services :: Open Search diff --git a/services/opensearchserverless/pom.xml b/services/opensearchserverless/pom.xml index 1c1109c952ab..5805277f72db 100644 --- a/services/opensearchserverless/pom.xml +++ b/services/opensearchserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 opensearchserverless AWS Java SDK :: Services :: Open Search Serverless diff --git a/services/opsworks/pom.xml b/services/opsworks/pom.xml index 3f9c37d1016f..b3ccd1bbd287 100644 --- a/services/opsworks/pom.xml +++ b/services/opsworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 opsworks AWS Java SDK :: Services :: AWS OpsWorks diff --git a/services/opsworkscm/pom.xml b/services/opsworkscm/pom.xml index a41997b4d5d2..20efb5015f0e 100644 --- a/services/opsworkscm/pom.xml +++ b/services/opsworkscm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 opsworkscm AWS Java SDK :: Services :: AWS OpsWorks for Chef Automate diff --git a/services/organizations/pom.xml b/services/organizations/pom.xml index 05b02c3021ed..cc515a9bf8b1 100644 --- a/services/organizations/pom.xml +++ b/services/organizations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 organizations AWS Java SDK :: Services :: AWS Organizations diff --git a/services/osis/pom.xml b/services/osis/pom.xml index ada317541f2b..71bd8f9ed9b2 100644 --- a/services/osis/pom.xml +++ b/services/osis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 osis AWS Java SDK :: Services :: OSIS diff --git a/services/outposts/pom.xml b/services/outposts/pom.xml index 832d90e609cb..f58ce2130672 100644 --- a/services/outposts/pom.xml +++ b/services/outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 outposts AWS Java SDK :: Services :: Outposts diff --git a/services/panorama/pom.xml b/services/panorama/pom.xml index 9b5422f04f8a..910c2972974c 100644 --- a/services/panorama/pom.xml +++ b/services/panorama/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 panorama AWS Java SDK :: Services :: Panorama diff --git a/services/paymentcryptography/pom.xml b/services/paymentcryptography/pom.xml index 90ed7d3939ba..a7a7e4c582bc 100644 --- a/services/paymentcryptography/pom.xml +++ b/services/paymentcryptography/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 paymentcryptography AWS Java SDK :: Services :: Payment Cryptography diff --git a/services/paymentcryptographydata/pom.xml b/services/paymentcryptographydata/pom.xml index 634ed309085d..c81af5750381 100644 --- a/services/paymentcryptographydata/pom.xml +++ b/services/paymentcryptographydata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 paymentcryptographydata AWS Java SDK :: Services :: Payment Cryptography Data diff --git a/services/pcaconnectorad/pom.xml b/services/pcaconnectorad/pom.xml index 7ba5ff8907f9..24cd1b9b1b92 100644 --- a/services/pcaconnectorad/pom.xml +++ b/services/pcaconnectorad/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 pcaconnectorad AWS Java SDK :: Services :: Pca Connector Ad diff --git a/services/pcaconnectorscep/pom.xml b/services/pcaconnectorscep/pom.xml index ba765d4cb522..64b30f6a2a17 100644 --- a/services/pcaconnectorscep/pom.xml +++ b/services/pcaconnectorscep/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 pcaconnectorscep AWS Java SDK :: Services :: Pca Connector Scep diff --git a/services/pcs/pom.xml b/services/pcs/pom.xml index d07fb4c95a46..75037d9cee86 100644 --- a/services/pcs/pom.xml +++ b/services/pcs/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 pcs AWS Java SDK :: Services :: PCS diff --git a/services/personalize/pom.xml b/services/personalize/pom.xml index d3825656c9d5..ed7254693363 100644 --- a/services/personalize/pom.xml +++ b/services/personalize/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 personalize AWS Java SDK :: Services :: Personalize diff --git a/services/personalizeevents/pom.xml b/services/personalizeevents/pom.xml index 745ca5b55651..3d071fece328 100644 --- a/services/personalizeevents/pom.xml +++ b/services/personalizeevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 personalizeevents AWS Java SDK :: Services :: Personalize Events diff --git a/services/personalizeruntime/pom.xml b/services/personalizeruntime/pom.xml index 27a8d53e8a1a..3cf183d78d91 100644 --- a/services/personalizeruntime/pom.xml +++ b/services/personalizeruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 personalizeruntime AWS Java SDK :: Services :: Personalize Runtime diff --git a/services/pi/pom.xml b/services/pi/pom.xml index 472f4b0f255a..189488292594 100644 --- a/services/pi/pom.xml +++ b/services/pi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 pi AWS Java SDK :: Services :: PI diff --git a/services/pinpoint/pom.xml b/services/pinpoint/pom.xml index 4a30497a1cff..c5e8c46290d9 100644 --- a/services/pinpoint/pom.xml +++ b/services/pinpoint/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 pinpoint AWS Java SDK :: Services :: Amazon Pinpoint diff --git a/services/pinpointemail/pom.xml b/services/pinpointemail/pom.xml index d5f55e9e8123..0081c05beb5f 100644 --- a/services/pinpointemail/pom.xml +++ b/services/pinpointemail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 pinpointemail AWS Java SDK :: Services :: Pinpoint Email diff --git a/services/pinpointsmsvoice/pom.xml b/services/pinpointsmsvoice/pom.xml index 0d84e1083774..030f5d26dba9 100644 --- a/services/pinpointsmsvoice/pom.xml +++ b/services/pinpointsmsvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 pinpointsmsvoice AWS Java SDK :: Services :: Pinpoint SMS Voice diff --git a/services/pinpointsmsvoicev2/pom.xml b/services/pinpointsmsvoicev2/pom.xml index 8a0973cd1fe7..8383b261201a 100644 --- a/services/pinpointsmsvoicev2/pom.xml +++ b/services/pinpointsmsvoicev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 pinpointsmsvoicev2 AWS Java SDK :: Services :: Pinpoint SMS Voice V2 diff --git a/services/pipes/pom.xml b/services/pipes/pom.xml index 49dd89b8894f..217f2277d2e3 100644 --- a/services/pipes/pom.xml +++ b/services/pipes/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 pipes AWS Java SDK :: Services :: Pipes diff --git a/services/polly/pom.xml b/services/polly/pom.xml index dca9aec619c6..91aa63ee41cb 100644 --- a/services/polly/pom.xml +++ b/services/polly/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 polly AWS Java SDK :: Services :: Amazon Polly diff --git a/services/pom.xml b/services/pom.xml index 79fca441a85a..a43949d43016 100644 --- a/services/pom.xml +++ b/services/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.23-SNAPSHOT + 2.27.23 services AWS Java SDK :: Services diff --git a/services/pricing/pom.xml b/services/pricing/pom.xml index a064025da028..989f403feb21 100644 --- a/services/pricing/pom.xml +++ b/services/pricing/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23-SNAPSHOT + 2.27.23 4.0.0 pricing diff --git a/services/privatenetworks/pom.xml b/services/privatenetworks/pom.xml index c385f2057e01..edb3fa281fb5 100644 --- a/services/privatenetworks/pom.xml +++ b/services/privatenetworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 privatenetworks AWS Java SDK :: Services :: Private Networks diff --git a/services/proton/pom.xml b/services/proton/pom.xml index 8410c7f0e117..4bdf66e58296 100644 --- a/services/proton/pom.xml +++ b/services/proton/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 proton AWS Java SDK :: Services :: Proton diff --git a/services/qapps/pom.xml b/services/qapps/pom.xml index 58bad9fdb359..22d38ca6c542 100644 --- a/services/qapps/pom.xml +++ b/services/qapps/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 qapps AWS Java SDK :: Services :: Q Apps diff --git a/services/qbusiness/pom.xml b/services/qbusiness/pom.xml index 0886e7c5428e..568592da274d 100644 --- a/services/qbusiness/pom.xml +++ b/services/qbusiness/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 qbusiness AWS Java SDK :: Services :: Q Business diff --git a/services/qconnect/pom.xml b/services/qconnect/pom.xml index 547823ab2892..a05d7dfa9819 100644 --- a/services/qconnect/pom.xml +++ b/services/qconnect/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 qconnect AWS Java SDK :: Services :: Q Connect diff --git a/services/qldb/pom.xml b/services/qldb/pom.xml index fa4a345a6e1d..c3df9d6febf8 100644 --- a/services/qldb/pom.xml +++ b/services/qldb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 qldb AWS Java SDK :: Services :: QLDB diff --git a/services/qldbsession/pom.xml b/services/qldbsession/pom.xml index 61dab04f6eb4..5ac14da8689a 100644 --- a/services/qldbsession/pom.xml +++ b/services/qldbsession/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 qldbsession AWS Java SDK :: Services :: QLDB Session diff --git a/services/quicksight/pom.xml b/services/quicksight/pom.xml index 9ab203868a93..18442c0695fc 100644 --- a/services/quicksight/pom.xml +++ b/services/quicksight/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 quicksight AWS Java SDK :: Services :: QuickSight diff --git a/services/ram/pom.xml b/services/ram/pom.xml index 14e9f56c51e7..7bf49c177ddc 100644 --- a/services/ram/pom.xml +++ b/services/ram/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 ram AWS Java SDK :: Services :: RAM diff --git a/services/rbin/pom.xml b/services/rbin/pom.xml index d5ef93ec8ea4..b788669eed1d 100644 --- a/services/rbin/pom.xml +++ b/services/rbin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 rbin AWS Java SDK :: Services :: Rbin diff --git a/services/rds/pom.xml b/services/rds/pom.xml index 4c24b7d1bda7..6345ec6379b0 100644 --- a/services/rds/pom.xml +++ b/services/rds/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 rds AWS Java SDK :: Services :: Amazon RDS diff --git a/services/rdsdata/pom.xml b/services/rdsdata/pom.xml index b4d8f5067b80..f42f6b79378f 100644 --- a/services/rdsdata/pom.xml +++ b/services/rdsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 rdsdata AWS Java SDK :: Services :: RDS Data diff --git a/services/redshift/pom.xml b/services/redshift/pom.xml index 5fc48204d775..d82e392df9f8 100644 --- a/services/redshift/pom.xml +++ b/services/redshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 redshift AWS Java SDK :: Services :: Amazon Redshift diff --git a/services/redshiftdata/pom.xml b/services/redshiftdata/pom.xml index d516a02ecbcf..34c9f9007374 100644 --- a/services/redshiftdata/pom.xml +++ b/services/redshiftdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 redshiftdata AWS Java SDK :: Services :: Redshift Data diff --git a/services/redshiftserverless/pom.xml b/services/redshiftserverless/pom.xml index f9a38c927271..fe2b2318f9f9 100644 --- a/services/redshiftserverless/pom.xml +++ b/services/redshiftserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 redshiftserverless AWS Java SDK :: Services :: Redshift Serverless diff --git a/services/rekognition/pom.xml b/services/rekognition/pom.xml index 34111e954999..5c11068f9684 100644 --- a/services/rekognition/pom.xml +++ b/services/rekognition/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 rekognition AWS Java SDK :: Services :: Amazon Rekognition diff --git a/services/repostspace/pom.xml b/services/repostspace/pom.xml index 83f70ec352b5..6259032335ea 100644 --- a/services/repostspace/pom.xml +++ b/services/repostspace/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 repostspace AWS Java SDK :: Services :: Repostspace diff --git a/services/resiliencehub/pom.xml b/services/resiliencehub/pom.xml index 2ac6845ab52f..12913b6cf04c 100644 --- a/services/resiliencehub/pom.xml +++ b/services/resiliencehub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 resiliencehub AWS Java SDK :: Services :: Resiliencehub diff --git a/services/resourceexplorer2/pom.xml b/services/resourceexplorer2/pom.xml index 2b38cbd06ada..1c5ac45a4685 100644 --- a/services/resourceexplorer2/pom.xml +++ b/services/resourceexplorer2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 resourceexplorer2 AWS Java SDK :: Services :: Resource Explorer 2 diff --git a/services/resourcegroups/pom.xml b/services/resourcegroups/pom.xml index c19f18f106e4..5ab51f475ec7 100644 --- a/services/resourcegroups/pom.xml +++ b/services/resourcegroups/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23-SNAPSHOT + 2.27.23 4.0.0 resourcegroups diff --git a/services/resourcegroupstaggingapi/pom.xml b/services/resourcegroupstaggingapi/pom.xml index 539a68f4479f..e763e54c1826 100644 --- a/services/resourcegroupstaggingapi/pom.xml +++ b/services/resourcegroupstaggingapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 resourcegroupstaggingapi AWS Java SDK :: Services :: AWS Resource Groups Tagging API diff --git a/services/robomaker/pom.xml b/services/robomaker/pom.xml index 0c104545a3e7..242cf72fdde4 100644 --- a/services/robomaker/pom.xml +++ b/services/robomaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 robomaker AWS Java SDK :: Services :: RoboMaker diff --git a/services/rolesanywhere/pom.xml b/services/rolesanywhere/pom.xml index a4ded2d90e47..2a84e1986f76 100644 --- a/services/rolesanywhere/pom.xml +++ b/services/rolesanywhere/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 rolesanywhere AWS Java SDK :: Services :: Roles Anywhere diff --git a/services/route53/pom.xml b/services/route53/pom.xml index d6f68e18be07..72dd90771662 100644 --- a/services/route53/pom.xml +++ b/services/route53/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 route53 AWS Java SDK :: Services :: Amazon Route53 diff --git a/services/route53domains/pom.xml b/services/route53domains/pom.xml index 5d8072f66b64..f6be9be1b4e5 100644 --- a/services/route53domains/pom.xml +++ b/services/route53domains/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 route53domains AWS Java SDK :: Services :: Amazon Route53 Domains diff --git a/services/route53profiles/pom.xml b/services/route53profiles/pom.xml index ca879eb50c82..9c02f9b20701 100644 --- a/services/route53profiles/pom.xml +++ b/services/route53profiles/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 route53profiles AWS Java SDK :: Services :: Route53 Profiles diff --git a/services/route53recoverycluster/pom.xml b/services/route53recoverycluster/pom.xml index 99d611157515..f995f5812f7f 100644 --- a/services/route53recoverycluster/pom.xml +++ b/services/route53recoverycluster/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 route53recoverycluster AWS Java SDK :: Services :: Route53 Recovery Cluster diff --git a/services/route53recoverycontrolconfig/pom.xml b/services/route53recoverycontrolconfig/pom.xml index 552b56bcff49..6756b49ac8ae 100644 --- a/services/route53recoverycontrolconfig/pom.xml +++ b/services/route53recoverycontrolconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 route53recoverycontrolconfig AWS Java SDK :: Services :: Route53 Recovery Control Config diff --git a/services/route53recoveryreadiness/pom.xml b/services/route53recoveryreadiness/pom.xml index 3659f2bf0f42..0a654162b410 100644 --- a/services/route53recoveryreadiness/pom.xml +++ b/services/route53recoveryreadiness/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 route53recoveryreadiness AWS Java SDK :: Services :: Route53 Recovery Readiness diff --git a/services/route53resolver/pom.xml b/services/route53resolver/pom.xml index e546bfd0a720..423457362a44 100644 --- a/services/route53resolver/pom.xml +++ b/services/route53resolver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 route53resolver AWS Java SDK :: Services :: Route53Resolver diff --git a/services/rum/pom.xml b/services/rum/pom.xml index 2978484e7cc0..76b570a2da5c 100644 --- a/services/rum/pom.xml +++ b/services/rum/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 rum AWS Java SDK :: Services :: RUM diff --git a/services/s3/pom.xml b/services/s3/pom.xml index 2c73a5b650b3..fb7310accf65 100644 --- a/services/s3/pom.xml +++ b/services/s3/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 s3 AWS Java SDK :: Services :: Amazon S3 diff --git a/services/s3control/pom.xml b/services/s3control/pom.xml index f015beb0427e..1ac91ca87b77 100644 --- a/services/s3control/pom.xml +++ b/services/s3control/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 s3control AWS Java SDK :: Services :: Amazon S3 Control diff --git a/services/s3outposts/pom.xml b/services/s3outposts/pom.xml index 154c52002f76..e5ca3d8735da 100644 --- a/services/s3outposts/pom.xml +++ b/services/s3outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 s3outposts AWS Java SDK :: Services :: S3 Outposts diff --git a/services/sagemaker/pom.xml b/services/sagemaker/pom.xml index 5d07c529442e..a7a0977d2b50 100644 --- a/services/sagemaker/pom.xml +++ b/services/sagemaker/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23-SNAPSHOT + 2.27.23 4.0.0 sagemaker diff --git a/services/sagemakera2iruntime/pom.xml b/services/sagemakera2iruntime/pom.xml index cf10be439b81..ccbb2f5a8b7f 100644 --- a/services/sagemakera2iruntime/pom.xml +++ b/services/sagemakera2iruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 sagemakera2iruntime AWS Java SDK :: Services :: SageMaker A2I Runtime diff --git a/services/sagemakeredge/pom.xml b/services/sagemakeredge/pom.xml index 752ed1f39778..14b9b25e7816 100644 --- a/services/sagemakeredge/pom.xml +++ b/services/sagemakeredge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 sagemakeredge AWS Java SDK :: Services :: Sagemaker Edge diff --git a/services/sagemakerfeaturestoreruntime/pom.xml b/services/sagemakerfeaturestoreruntime/pom.xml index e857580dc4e4..8a64eb5052db 100644 --- a/services/sagemakerfeaturestoreruntime/pom.xml +++ b/services/sagemakerfeaturestoreruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 sagemakerfeaturestoreruntime AWS Java SDK :: Services :: Sage Maker Feature Store Runtime diff --git a/services/sagemakergeospatial/pom.xml b/services/sagemakergeospatial/pom.xml index 70d3a267d1b9..64be35dd9855 100644 --- a/services/sagemakergeospatial/pom.xml +++ b/services/sagemakergeospatial/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 sagemakergeospatial AWS Java SDK :: Services :: Sage Maker Geospatial diff --git a/services/sagemakermetrics/pom.xml b/services/sagemakermetrics/pom.xml index 26bd0d6c7207..e6d9414394fe 100644 --- a/services/sagemakermetrics/pom.xml +++ b/services/sagemakermetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 sagemakermetrics AWS Java SDK :: Services :: Sage Maker Metrics diff --git a/services/sagemakerruntime/pom.xml b/services/sagemakerruntime/pom.xml index d4bf592cc9f3..949893b7b613 100644 --- a/services/sagemakerruntime/pom.xml +++ b/services/sagemakerruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 sagemakerruntime AWS Java SDK :: Services :: SageMaker Runtime diff --git a/services/savingsplans/pom.xml b/services/savingsplans/pom.xml index 32c28e675ce5..e5e19f856e54 100644 --- a/services/savingsplans/pom.xml +++ b/services/savingsplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 savingsplans AWS Java SDK :: Services :: Savingsplans diff --git a/services/scheduler/pom.xml b/services/scheduler/pom.xml index 08838fd36315..47429cc93c4c 100644 --- a/services/scheduler/pom.xml +++ b/services/scheduler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 scheduler AWS Java SDK :: Services :: Scheduler diff --git a/services/schemas/pom.xml b/services/schemas/pom.xml index 47c0c26f0261..1b0505ac4bc6 100644 --- a/services/schemas/pom.xml +++ b/services/schemas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 schemas AWS Java SDK :: Services :: Schemas diff --git a/services/secretsmanager/pom.xml b/services/secretsmanager/pom.xml index 05ec333f02ee..362f260171af 100644 --- a/services/secretsmanager/pom.xml +++ b/services/secretsmanager/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 secretsmanager AWS Java SDK :: Services :: AWS Secrets Manager diff --git a/services/securityhub/pom.xml b/services/securityhub/pom.xml index 13d1fa8a34e3..65efea30811c 100644 --- a/services/securityhub/pom.xml +++ b/services/securityhub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 securityhub AWS Java SDK :: Services :: SecurityHub diff --git a/services/securitylake/pom.xml b/services/securitylake/pom.xml index a592fbd01533..33aeab3469c6 100644 --- a/services/securitylake/pom.xml +++ b/services/securitylake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 securitylake AWS Java SDK :: Services :: Security Lake diff --git a/services/serverlessapplicationrepository/pom.xml b/services/serverlessapplicationrepository/pom.xml index e07cd56bd953..b162a8aebd11 100644 --- a/services/serverlessapplicationrepository/pom.xml +++ b/services/serverlessapplicationrepository/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23-SNAPSHOT + 2.27.23 4.0.0 serverlessapplicationrepository diff --git a/services/servicecatalog/pom.xml b/services/servicecatalog/pom.xml index 491d690d7977..de14ff581638 100644 --- a/services/servicecatalog/pom.xml +++ b/services/servicecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 servicecatalog AWS Java SDK :: Services :: AWS Service Catalog diff --git a/services/servicecatalogappregistry/pom.xml b/services/servicecatalogappregistry/pom.xml index 8212a96e687a..23f19a38019e 100644 --- a/services/servicecatalogappregistry/pom.xml +++ b/services/servicecatalogappregistry/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 servicecatalogappregistry AWS Java SDK :: Services :: Service Catalog App Registry diff --git a/services/servicediscovery/pom.xml b/services/servicediscovery/pom.xml index e0a000f35367..2d9c552401d4 100644 --- a/services/servicediscovery/pom.xml +++ b/services/servicediscovery/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23-SNAPSHOT + 2.27.23 4.0.0 servicediscovery diff --git a/services/servicequotas/pom.xml b/services/servicequotas/pom.xml index 84d89e4ce8a4..53001af6ea29 100644 --- a/services/servicequotas/pom.xml +++ b/services/servicequotas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 servicequotas AWS Java SDK :: Services :: Service Quotas diff --git a/services/ses/pom.xml b/services/ses/pom.xml index 0c2a5efccbc9..cae785c4985c 100644 --- a/services/ses/pom.xml +++ b/services/ses/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 ses AWS Java SDK :: Services :: Amazon SES diff --git a/services/sesv2/pom.xml b/services/sesv2/pom.xml index 1d8526bd4026..57c9bee3a198 100644 --- a/services/sesv2/pom.xml +++ b/services/sesv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 sesv2 AWS Java SDK :: Services :: SESv2 diff --git a/services/sfn/pom.xml b/services/sfn/pom.xml index 4cff78a88dc4..f59ab909a534 100644 --- a/services/sfn/pom.xml +++ b/services/sfn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 sfn AWS Java SDK :: Services :: AWS Step Functions diff --git a/services/shield/pom.xml b/services/shield/pom.xml index 798433d6f145..4e5835e4d512 100644 --- a/services/shield/pom.xml +++ b/services/shield/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 shield AWS Java SDK :: Services :: AWS Shield diff --git a/services/signer/pom.xml b/services/signer/pom.xml index 9164393c164c..e77fabd8eb28 100644 --- a/services/signer/pom.xml +++ b/services/signer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 signer AWS Java SDK :: Services :: Signer diff --git a/services/simspaceweaver/pom.xml b/services/simspaceweaver/pom.xml index 998762fbf3e5..b913ae4cb4e8 100644 --- a/services/simspaceweaver/pom.xml +++ b/services/simspaceweaver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 simspaceweaver AWS Java SDK :: Services :: Sim Space Weaver diff --git a/services/sms/pom.xml b/services/sms/pom.xml index 1b73b07e6b7f..d7be9b4e5144 100644 --- a/services/sms/pom.xml +++ b/services/sms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 sms AWS Java SDK :: Services :: AWS Server Migration diff --git a/services/snowball/pom.xml b/services/snowball/pom.xml index 56a170157e23..12d9fcd681d8 100644 --- a/services/snowball/pom.xml +++ b/services/snowball/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 snowball AWS Java SDK :: Services :: Amazon Snowball diff --git a/services/snowdevicemanagement/pom.xml b/services/snowdevicemanagement/pom.xml index 6edbaf15822f..24ba681126d8 100644 --- a/services/snowdevicemanagement/pom.xml +++ b/services/snowdevicemanagement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 snowdevicemanagement AWS Java SDK :: Services :: Snow Device Management diff --git a/services/sns/pom.xml b/services/sns/pom.xml index f7355eddda28..4a09601797bd 100644 --- a/services/sns/pom.xml +++ b/services/sns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 sns AWS Java SDK :: Services :: Amazon SNS diff --git a/services/sqs/pom.xml b/services/sqs/pom.xml index 5a639d275883..29b90953e505 100644 --- a/services/sqs/pom.xml +++ b/services/sqs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 sqs AWS Java SDK :: Services :: Amazon SQS diff --git a/services/ssm/pom.xml b/services/ssm/pom.xml index 0a596c93e48b..86d350efb857 100644 --- a/services/ssm/pom.xml +++ b/services/ssm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 ssm AWS Java SDK :: Services :: AWS Simple Systems Management (SSM) diff --git a/services/ssmcontacts/pom.xml b/services/ssmcontacts/pom.xml index b3a4333056b1..0f185be00b27 100644 --- a/services/ssmcontacts/pom.xml +++ b/services/ssmcontacts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 ssmcontacts AWS Java SDK :: Services :: SSM Contacts diff --git a/services/ssmincidents/pom.xml b/services/ssmincidents/pom.xml index 4a15f5d76e00..58b1f7503555 100644 --- a/services/ssmincidents/pom.xml +++ b/services/ssmincidents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 ssmincidents AWS Java SDK :: Services :: SSM Incidents diff --git a/services/ssmquicksetup/pom.xml b/services/ssmquicksetup/pom.xml index cd18a18b986c..898a12b4e822 100644 --- a/services/ssmquicksetup/pom.xml +++ b/services/ssmquicksetup/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 ssmquicksetup AWS Java SDK :: Services :: SSM Quick Setup diff --git a/services/ssmsap/pom.xml b/services/ssmsap/pom.xml index f31435a00399..127e8f31350a 100644 --- a/services/ssmsap/pom.xml +++ b/services/ssmsap/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 ssmsap AWS Java SDK :: Services :: Ssm Sap diff --git a/services/sso/pom.xml b/services/sso/pom.xml index f10984367ae2..c32b74a05ebf 100644 --- a/services/sso/pom.xml +++ b/services/sso/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 sso AWS Java SDK :: Services :: SSO diff --git a/services/ssoadmin/pom.xml b/services/ssoadmin/pom.xml index 8e9d7cf73eeb..80fa5b536121 100644 --- a/services/ssoadmin/pom.xml +++ b/services/ssoadmin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 ssoadmin AWS Java SDK :: Services :: SSO Admin diff --git a/services/ssooidc/pom.xml b/services/ssooidc/pom.xml index ae8166b47573..094bbe4a5c21 100644 --- a/services/ssooidc/pom.xml +++ b/services/ssooidc/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 ssooidc AWS Java SDK :: Services :: SSO OIDC diff --git a/services/storagegateway/pom.xml b/services/storagegateway/pom.xml index 273095e92008..86961e5261d9 100644 --- a/services/storagegateway/pom.xml +++ b/services/storagegateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 storagegateway AWS Java SDK :: Services :: AWS Storage Gateway diff --git a/services/sts/pom.xml b/services/sts/pom.xml index da5c3226942e..dc44096e2aa0 100644 --- a/services/sts/pom.xml +++ b/services/sts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 sts AWS Java SDK :: Services :: AWS STS diff --git a/services/supplychain/pom.xml b/services/supplychain/pom.xml index 4f8a243053cb..a5e9a74d2ecd 100644 --- a/services/supplychain/pom.xml +++ b/services/supplychain/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 supplychain AWS Java SDK :: Services :: Supply Chain diff --git a/services/support/pom.xml b/services/support/pom.xml index c57573d7e181..dc59fc0ce4a1 100644 --- a/services/support/pom.xml +++ b/services/support/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 support AWS Java SDK :: Services :: AWS Support diff --git a/services/supportapp/pom.xml b/services/supportapp/pom.xml index 3622c4cdead6..2064ebb45cf2 100644 --- a/services/supportapp/pom.xml +++ b/services/supportapp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 supportapp AWS Java SDK :: Services :: Support App diff --git a/services/swf/pom.xml b/services/swf/pom.xml index 36fc9fc67825..721f633028f7 100644 --- a/services/swf/pom.xml +++ b/services/swf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 swf AWS Java SDK :: Services :: Amazon SWF diff --git a/services/synthetics/pom.xml b/services/synthetics/pom.xml index 112487562d11..72975ce8a3fa 100644 --- a/services/synthetics/pom.xml +++ b/services/synthetics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 synthetics AWS Java SDK :: Services :: Synthetics diff --git a/services/taxsettings/pom.xml b/services/taxsettings/pom.xml index c050c914d17d..c512911a2e9f 100644 --- a/services/taxsettings/pom.xml +++ b/services/taxsettings/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 taxsettings AWS Java SDK :: Services :: Tax Settings diff --git a/services/textract/pom.xml b/services/textract/pom.xml index adbabad7bc45..612dea470910 100644 --- a/services/textract/pom.xml +++ b/services/textract/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 textract AWS Java SDK :: Services :: Textract diff --git a/services/timestreaminfluxdb/pom.xml b/services/timestreaminfluxdb/pom.xml index 12ba50f7cbb7..ef5e8455d927 100644 --- a/services/timestreaminfluxdb/pom.xml +++ b/services/timestreaminfluxdb/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 timestreaminfluxdb AWS Java SDK :: Services :: Timestream Influx DB diff --git a/services/timestreamquery/pom.xml b/services/timestreamquery/pom.xml index 640766e34d57..bab593ef73cb 100644 --- a/services/timestreamquery/pom.xml +++ b/services/timestreamquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 timestreamquery AWS Java SDK :: Services :: Timestream Query diff --git a/services/timestreamwrite/pom.xml b/services/timestreamwrite/pom.xml index 8cd5f6a294f4..2fa2652656ef 100644 --- a/services/timestreamwrite/pom.xml +++ b/services/timestreamwrite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 timestreamwrite AWS Java SDK :: Services :: Timestream Write diff --git a/services/tnb/pom.xml b/services/tnb/pom.xml index 757b19b3980b..548f91281009 100644 --- a/services/tnb/pom.xml +++ b/services/tnb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 tnb AWS Java SDK :: Services :: Tnb diff --git a/services/transcribe/pom.xml b/services/transcribe/pom.xml index 4eb24a09362a..b08eb634cc8d 100644 --- a/services/transcribe/pom.xml +++ b/services/transcribe/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 transcribe AWS Java SDK :: Services :: Transcribe diff --git a/services/transcribestreaming/pom.xml b/services/transcribestreaming/pom.xml index 825d1b7ef06e..7dc7fc296403 100644 --- a/services/transcribestreaming/pom.xml +++ b/services/transcribestreaming/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 transcribestreaming AWS Java SDK :: Services :: AWS Transcribe Streaming diff --git a/services/transfer/pom.xml b/services/transfer/pom.xml index 36a435e52f2e..5a5296d0230f 100644 --- a/services/transfer/pom.xml +++ b/services/transfer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 transfer AWS Java SDK :: Services :: Transfer diff --git a/services/translate/pom.xml b/services/translate/pom.xml index 22ccc2b27b90..fd428b8646fc 100644 --- a/services/translate/pom.xml +++ b/services/translate/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23-SNAPSHOT + 2.27.23 4.0.0 translate diff --git a/services/trustedadvisor/pom.xml b/services/trustedadvisor/pom.xml index 21fe59c6a888..4ba205f95a6a 100644 --- a/services/trustedadvisor/pom.xml +++ b/services/trustedadvisor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 trustedadvisor AWS Java SDK :: Services :: Trusted Advisor diff --git a/services/verifiedpermissions/pom.xml b/services/verifiedpermissions/pom.xml index 4ed5715e157c..a5b051be0f16 100644 --- a/services/verifiedpermissions/pom.xml +++ b/services/verifiedpermissions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 verifiedpermissions AWS Java SDK :: Services :: Verified Permissions diff --git a/services/voiceid/pom.xml b/services/voiceid/pom.xml index 920678eb46d6..6edcbcc1a74a 100644 --- a/services/voiceid/pom.xml +++ b/services/voiceid/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 voiceid AWS Java SDK :: Services :: Voice ID diff --git a/services/vpclattice/pom.xml b/services/vpclattice/pom.xml index d64d793158aa..cf0c0c6777c8 100644 --- a/services/vpclattice/pom.xml +++ b/services/vpclattice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 vpclattice AWS Java SDK :: Services :: VPC Lattice diff --git a/services/waf/pom.xml b/services/waf/pom.xml index 5303853abadc..0a09b4ff9aa4 100644 --- a/services/waf/pom.xml +++ b/services/waf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 waf AWS Java SDK :: Services :: AWS WAF diff --git a/services/wafv2/pom.xml b/services/wafv2/pom.xml index a38a05148ed9..e3979c4ac99e 100644 --- a/services/wafv2/pom.xml +++ b/services/wafv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 wafv2 AWS Java SDK :: Services :: WAFV2 diff --git a/services/wellarchitected/pom.xml b/services/wellarchitected/pom.xml index 67e7700c50f6..60c9a795de2b 100644 --- a/services/wellarchitected/pom.xml +++ b/services/wellarchitected/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 wellarchitected AWS Java SDK :: Services :: Well Architected diff --git a/services/wisdom/pom.xml b/services/wisdom/pom.xml index a2ed79fd91f6..a2d6ea3eccd8 100644 --- a/services/wisdom/pom.xml +++ b/services/wisdom/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 wisdom AWS Java SDK :: Services :: Wisdom diff --git a/services/workdocs/pom.xml b/services/workdocs/pom.xml index 2994c59c81c6..e9c47661ee05 100644 --- a/services/workdocs/pom.xml +++ b/services/workdocs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 workdocs AWS Java SDK :: Services :: Amazon WorkDocs diff --git a/services/worklink/pom.xml b/services/worklink/pom.xml index 7ad29812b2e1..0d7ba9819fc3 100644 --- a/services/worklink/pom.xml +++ b/services/worklink/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 worklink AWS Java SDK :: Services :: WorkLink diff --git a/services/workmail/pom.xml b/services/workmail/pom.xml index b30350ebc844..927d9862229f 100644 --- a/services/workmail/pom.xml +++ b/services/workmail/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23-SNAPSHOT + 2.27.23 4.0.0 workmail diff --git a/services/workmailmessageflow/pom.xml b/services/workmailmessageflow/pom.xml index 8073ee4f73ea..57824b9a7874 100644 --- a/services/workmailmessageflow/pom.xml +++ b/services/workmailmessageflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 workmailmessageflow AWS Java SDK :: Services :: WorkMailMessageFlow diff --git a/services/workspaces/pom.xml b/services/workspaces/pom.xml index 017d51eed82d..06cf9d14e78e 100644 --- a/services/workspaces/pom.xml +++ b/services/workspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 workspaces AWS Java SDK :: Services :: Amazon WorkSpaces diff --git a/services/workspacesthinclient/pom.xml b/services/workspacesthinclient/pom.xml index 7814d0024150..421495c12945 100644 --- a/services/workspacesthinclient/pom.xml +++ b/services/workspacesthinclient/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 workspacesthinclient AWS Java SDK :: Services :: Work Spaces Thin Client diff --git a/services/workspacesweb/pom.xml b/services/workspacesweb/pom.xml index c9b0dc354b11..58234632d33a 100644 --- a/services/workspacesweb/pom.xml +++ b/services/workspacesweb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 workspacesweb AWS Java SDK :: Services :: Work Spaces Web diff --git a/services/xray/pom.xml b/services/xray/pom.xml index 5fc104e2fe92..2b8a381bb6ef 100644 --- a/services/xray/pom.xml +++ b/services/xray/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23-SNAPSHOT + 2.27.23 xray AWS Java SDK :: Services :: AWS X-Ray diff --git a/test/auth-tests/pom.xml b/test/auth-tests/pom.xml index 9b91f0c9522c..2489cdee9869 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.27.23-SNAPSHOT + 2.27.23 ../../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 f2f12fdf07f3..e7be5fda737d 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.27.23-SNAPSHOT + 2.27.23 ../../pom.xml 4.0.0 diff --git a/test/bundle-shading-tests/pom.xml b/test/bundle-shading-tests/pom.xml index 6042a2bdc870..2a9050ca44fe 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.27.23-SNAPSHOT + 2.27.23 ../../pom.xml 4.0.0 diff --git a/test/codegen-generated-classes-test/pom.xml b/test/codegen-generated-classes-test/pom.xml index be26969824af..c784c9abe6b7 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.27.23-SNAPSHOT + 2.27.23 ../../pom.xml diff --git a/test/crt-unavailable-tests/pom.xml b/test/crt-unavailable-tests/pom.xml index 63250412c806..00d6ae610edb 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.27.23-SNAPSHOT + 2.27.23 ../../pom.xml 4.0.0 diff --git a/test/http-client-tests/pom.xml b/test/http-client-tests/pom.xml index 38ff3a5b4b7d..705b928a710c 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.27.23-SNAPSHOT + 2.27.23 ../../pom.xml http-client-tests diff --git a/test/module-path-tests/pom.xml b/test/module-path-tests/pom.xml index 621e110655e6..df60058c2b1a 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.27.23-SNAPSHOT + 2.27.23 ../../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 06b2dd697539..8d026a1ca8e2 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.27.23-SNAPSHOT + 2.27.23 ../../pom.xml diff --git a/test/protocol-tests-core/pom.xml b/test/protocol-tests-core/pom.xml index 8bd543c52de3..d53326eba265 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.27.23-SNAPSHOT + 2.27.23 ../../pom.xml 4.0.0 diff --git a/test/protocol-tests/pom.xml b/test/protocol-tests/pom.xml index a779aeb316e4..e2ef5e3ade63 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.27.23-SNAPSHOT + 2.27.23 ../../pom.xml 4.0.0 diff --git a/test/region-testing/pom.xml b/test/region-testing/pom.xml index ae6d377db59c..685a70ad7b29 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.27.23-SNAPSHOT + 2.27.23 ../../pom.xml 4.0.0 diff --git a/test/ruleset-testing-core/pom.xml b/test/ruleset-testing-core/pom.xml index 198ba4c0a12b..a02767ade78a 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.27.23-SNAPSHOT + 2.27.23 ../../pom.xml 4.0.0 diff --git a/test/s3-benchmarks/pom.xml b/test/s3-benchmarks/pom.xml index 2ebc623b758c..899b0b09f7ec 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.27.23-SNAPSHOT + 2.27.23 ../../pom.xml 4.0.0 diff --git a/test/sdk-benchmarks/pom.xml b/test/sdk-benchmarks/pom.xml index cb8100bf734e..e6c49c6db740 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.27.23-SNAPSHOT + 2.27.23 ../../pom.xml diff --git a/test/sdk-native-image-test/pom.xml b/test/sdk-native-image-test/pom.xml index 600795a1a62a..50e326f4a765 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.27.23-SNAPSHOT + 2.27.23 ../../pom.xml 4.0.0 diff --git a/test/service-test-utils/pom.xml b/test/service-test-utils/pom.xml index 7c4756069494..a0e01ac9cfcb 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.27.23-SNAPSHOT + 2.27.23 ../../pom.xml service-test-utils diff --git a/test/stability-tests/pom.xml b/test/stability-tests/pom.xml index 235b99063b5a..b76f55c30dfb 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.27.23-SNAPSHOT + 2.27.23 ../../pom.xml 4.0.0 diff --git a/test/test-utils/pom.xml b/test/test-utils/pom.xml index 20a3c6d8ac24..778307dabaf9 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.27.23-SNAPSHOT + 2.27.23 ../../pom.xml test-utils diff --git a/test/tests-coverage-reporting/pom.xml b/test/tests-coverage-reporting/pom.xml index 4454a3e89bc9..57b6bc01c842 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.27.23-SNAPSHOT + 2.27.23 ../../pom.xml 4.0.0 diff --git a/test/v2-migration-tests/pom.xml b/test/v2-migration-tests/pom.xml index ad9c0080205b..ae17ed990e73 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.27.23-SNAPSHOT + 2.27.23 ../.. diff --git a/third-party/pom.xml b/third-party/pom.xml index 9221bade0d26..986d2e8215c7 100644 --- a/third-party/pom.xml +++ b/third-party/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.23-SNAPSHOT + 2.27.23 third-party diff --git a/third-party/third-party-jackson-core/pom.xml b/third-party/third-party-jackson-core/pom.xml index a32b7ce6f3fc..04dfa979291a 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.27.23-SNAPSHOT + 2.27.23 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 e66d6c25d676..1825b6c88f09 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.27.23-SNAPSHOT + 2.27.23 4.0.0 diff --git a/third-party/third-party-slf4j-api/pom.xml b/third-party/third-party-slf4j-api/pom.xml index e0f22afcfb52..05f00b0bf2fe 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.27.23-SNAPSHOT + 2.27.23 4.0.0 diff --git a/utils/pom.xml b/utils/pom.xml index 6758fcd04ebb..f6b4f3567aaa 100644 --- a/utils/pom.xml +++ b/utils/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.23-SNAPSHOT + 2.27.23 4.0.0 diff --git a/v2-migration/pom.xml b/v2-migration/pom.xml index 982832e94732..59067eac49fb 100644 --- a/v2-migration/pom.xml +++ b/v2-migration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.23-SNAPSHOT + 2.27.23 ../pom.xml From f28042d91a31fb4a2f16a2ddab29a8664203f38d Mon Sep 17 00:00:00 2001 From: Matthew Miller Date: Tue, 10 Sep 2024 12:05:11 -0700 Subject: [PATCH 051/108] =?UTF-8?q?Fixed=20a=20bug=20in=20AttributeMap,=20?= =?UTF-8?q?which=20causes=20a=20ConcurrentModificationException=E2=80=A6?= =?UTF-8?q?=20(#5559)?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit * Fixed a bug in AttributeMap, which causes a ConcurrentModificationException when lazy properties depend on lazy properties that depend on any other property. This is achieved by changing a `compute` into a `get` followed by a `put`. * Addressed PR comments. --- .../amazon/awssdk/utils/AttributeMap.java | 20 +++++++++---------- .../amazon/awssdk/utils/AttributeMapTest.java | 15 +++++++++++++- 2 files changed, 24 insertions(+), 11 deletions(-) diff --git a/utils/src/main/java/software/amazon/awssdk/utils/AttributeMap.java b/utils/src/main/java/software/amazon/awssdk/utils/AttributeMap.java index 12eee34f0842..7c9f29a2d053 100644 --- a/utils/src/main/java/software/amazon/awssdk/utils/AttributeMap.java +++ b/utils/src/main/java/software/amazon/awssdk/utils/AttributeMap.java @@ -327,17 +327,17 @@ private void internalPut(Key key, Value value) { */ private Value internalComputeIfAbsent(Key key, Supplier> value) { checkCopyOnUpdate(); - return attributes.compute(key, (k, v) -> { - if (v == null || resolveValue(v) == null) { - Value newValue = value.get(); - Validate.notNull(newValue, "Supplied value must not be null."); - if (v != null) { - dependencyGraph.valueUpdated(v, newValue); - } - return newValue; + Value currentValue = attributes.get(key); + if (currentValue == null || resolveValue(currentValue) == null) { + Value newValue = value.get(); + Validate.notNull(newValue, "Supplied value must not be null."); + if (currentValue != null) { + dependencyGraph.valueUpdated(currentValue, newValue); } - return v; - }); + attributes.put(key, newValue); + return newValue; + } + return currentValue; } private void checkCopyOnUpdate() { diff --git a/utils/src/test/java/software/amazon/awssdk/utils/AttributeMapTest.java b/utils/src/test/java/software/amazon/awssdk/utils/AttributeMapTest.java index fc5a1c2a9d9b..2392996ddf2f 100644 --- a/utils/src/test/java/software/amazon/awssdk/utils/AttributeMapTest.java +++ b/utils/src/test/java/software/amazon/awssdk/utils/AttributeMapTest.java @@ -30,7 +30,6 @@ import java.util.concurrent.TimeUnit; import org.junit.Test; import org.mockito.Mockito; -import org.w3c.dom.Attr; public class AttributeMapTest { @@ -158,6 +157,20 @@ public void lazyAttributes_notReResolvedAfterToBuilderBuild() { verify(lazyRead, Mockito.times(1)).run(); } + @Test + public void lazyAttributes_canUpdateTheMap_andBeUpdatedWithPutLazyIfAbsent() { + AttributeMap.Builder map = AttributeMap.builder(); + map.putLazyIfAbsent(STRING_KEY, c -> { + // Force a modification to the underlying map. We wouldn't usually do this so explicitly, but + // this can happen internally within AttributeMap when resolving uncached lazy values, + // so it needs to be possible. + map.put(INTEGER_KEY, 0); + return "string"; + }); + map.putLazyIfAbsent(STRING_KEY, c -> "string"); // Force the value to be resolved within the putLazyIfAbsent + assertThat(map.get(STRING_KEY)).isEqualTo("string"); + } + @Test public void changesInBuilder_doNotAffectBuiltMap() { AttributeMap.Builder builder = mapBuilderWithLazyString(); From b2d5bcb5e2995e3322230399e82d3a0562076881 Mon Sep 17 00:00:00 2001 From: Dongie Agnir <261310+dagnir@users.noreply.github.com> Date: Tue, 10 Sep 2024 12:51:22 -0700 Subject: [PATCH 052/108] Fix S3/Control dualstack config resolution (#5579) Fix an issue in S3 and S3 Control client's dualstack config resolution where the default value in S3Configuration and S3ControlConfiguration prevents the client from correctly falling back to the environment variable/system property value when the dualstack configuration is not set on the client or on configuration object. --- .../poet/builder/BaseClientBuilderClass.java | 6 +- .../sra/test-client-builder-class.java | 54 +- .../builder/test-client-builder-class.java | 58 +- ...otocolRestJsonWithConfigConfiguration.java | 95 ++ .../serviceconfig/customization.config | 9 + .../serviceconfig/endpoint-rule-set.json | 355 +++++ .../serviceconfig/endpoint-tests.json | 5 + .../serviceconfig/paginators-1.json | 16 + .../serviceconfig/service-2.json | 1150 +++++++++++++++++ .../services/DualstackEndpointTest.java | 70 +- 10 files changed, 1734 insertions(+), 84 deletions(-) create mode 100644 test/codegen-generated-classes-test/src/main/java/software/amazon/awssdk/services/protocolrestjsonwithconfig/ProtocolRestJsonWithConfigConfiguration.java create mode 100644 test/codegen-generated-classes-test/src/main/resources/codegen-resources/serviceconfig/customization.config create mode 100644 test/codegen-generated-classes-test/src/main/resources/codegen-resources/serviceconfig/endpoint-rule-set.json create mode 100644 test/codegen-generated-classes-test/src/main/resources/codegen-resources/serviceconfig/endpoint-tests.json create mode 100644 test/codegen-generated-classes-test/src/main/resources/codegen-resources/serviceconfig/paginators-1.json create mode 100644 test/codegen-generated-classes-test/src/main/resources/codegen-resources/serviceconfig/service-2.json diff --git a/codegen/src/main/java/software/amazon/awssdk/codegen/poet/builder/BaseClientBuilderClass.java b/codegen/src/main/java/software/amazon/awssdk/codegen/poet/builder/BaseClientBuilderClass.java index 696f00da8e06..386f3b267887 100644 --- a/codegen/src/main/java/software/amazon/awssdk/codegen/poet/builder/BaseClientBuilderClass.java +++ b/codegen/src/main/java/software/amazon/awssdk/codegen/poet/builder/BaseClientBuilderClass.java @@ -406,7 +406,11 @@ private MethodSpec finalizeServiceConfigurationMethod() { builder.addStatement("builder.option($1T.EXECUTION_INTERCEPTORS, interceptors)", SdkClientOption.class); if (model.getCustomizationConfig().getServiceConfig().hasDualstackProperty()) { - builder.addStatement("builder.option($T.DUALSTACK_ENDPOINT_ENABLED, finalServiceConfig.dualstackEnabled())", + // NOTE: usage of serviceConfigBuilder and not finalServiceConfig is intentional. We need the nullable boolean here + // to ensure fallback resolution of the dualstack configuration if dualstack was not explicitly configured on + // serviceConfigBuilder; the service configuration classes (e.g. S3Configuration) return primitive booleans that + // have a default when not present. + builder.addStatement("builder.option($T.DUALSTACK_ENDPOINT_ENABLED, serviceConfigBuilder.dualstackEnabled())", AwsClientOption.class); } diff --git a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/sra/test-client-builder-class.java b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/sra/test-client-builder-class.java index 37466b090bbc..95d364ad82a6 100644 --- a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/sra/test-client-builder-class.java +++ b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/sra/test-client-builder-class.java @@ -64,14 +64,14 @@ protected final String serviceName() { @Override protected final SdkClientConfiguration mergeServiceDefaults(SdkClientConfiguration config) { return config.merge(c -> c - .option(SdkClientOption.ENDPOINT_PROVIDER, defaultEndpointProvider()) - .option(SdkClientOption.AUTH_SCHEME_PROVIDER, defaultAuthSchemeProvider()) - .option(SdkClientOption.AUTH_SCHEMES, authSchemes()) - .option(SdkClientOption.CRC32_FROM_COMPRESSED_DATA_ENABLED, false) - .option(SdkClientOption.SERVICE_CONFIGURATION, ServiceConfiguration.builder().build()) - .lazyOption(AwsClientOption.TOKEN_PROVIDER, + .option(SdkClientOption.ENDPOINT_PROVIDER, defaultEndpointProvider()) + .option(SdkClientOption.AUTH_SCHEME_PROVIDER, defaultAuthSchemeProvider()) + .option(SdkClientOption.AUTH_SCHEMES, authSchemes()) + .option(SdkClientOption.CRC32_FROM_COMPRESSED_DATA_ENABLED, false) + .option(SdkClientOption.SERVICE_CONFIGURATION, ServiceConfiguration.builder().build()) + .lazyOption(AwsClientOption.TOKEN_PROVIDER, p -> TokenUtils.toSdkTokenProvider(p.get(AwsClientOption.TOKEN_IDENTITY_PROVIDER))) - .option(AwsClientOption.TOKEN_IDENTITY_PROVIDER, defaultTokenProvider())); + .option(AwsClientOption.TOKEN_IDENTITY_PROVIDER, defaultTokenProvider())); } @Override @@ -82,64 +82,64 @@ protected final SdkClientConfiguration finalizeServiceConfiguration(SdkClientCon endpointInterceptors.add(new JsonRequestSetEndpointInterceptor()); ClasspathInterceptorChainFactory interceptorFactory = new ClasspathInterceptorChainFactory(); List interceptors = interceptorFactory - .getInterceptors("software/amazon/awssdk/services/json/execution.interceptors"); + .getInterceptors("software/amazon/awssdk/services/json/execution.interceptors"); List additionalInterceptors = new ArrayList<>(); interceptors = CollectionUtils.mergeLists(endpointInterceptors, interceptors); interceptors = CollectionUtils.mergeLists(interceptors, additionalInterceptors); interceptors = CollectionUtils.mergeLists(interceptors, config.option(SdkClientOption.EXECUTION_INTERCEPTORS)); ServiceConfiguration.Builder serviceConfigBuilder = ((ServiceConfiguration) config - .option(SdkClientOption.SERVICE_CONFIGURATION)).toBuilder(); + .option(SdkClientOption.SERVICE_CONFIGURATION)).toBuilder(); serviceConfigBuilder.profileFile(serviceConfigBuilder.profileFileSupplier() != null ? serviceConfigBuilder - .profileFileSupplier() : config.option(SdkClientOption.PROFILE_FILE_SUPPLIER)); + .profileFileSupplier() : config.option(SdkClientOption.PROFILE_FILE_SUPPLIER)); serviceConfigBuilder.profileName(serviceConfigBuilder.profileName() != null ? serviceConfigBuilder.profileName() : config - .option(SdkClientOption.PROFILE_NAME)); + .option(SdkClientOption.PROFILE_NAME)); if (serviceConfigBuilder.dualstackEnabled() != null) { Validate.validState( - config.option(AwsClientOption.DUALSTACK_ENDPOINT_ENABLED) == null, - "Dualstack has been configured on both ServiceConfiguration and the client/global level. Please limit dualstack configuration to one location."); + config.option(AwsClientOption.DUALSTACK_ENDPOINT_ENABLED) == null, + "Dualstack has been configured on both ServiceConfiguration and the client/global level. Please limit dualstack configuration to one location."); } else { serviceConfigBuilder.dualstackEnabled(config.option(AwsClientOption.DUALSTACK_ENDPOINT_ENABLED)); } if (serviceConfigBuilder.fipsModeEnabled() != null) { Validate.validState( - config.option(AwsClientOption.FIPS_ENDPOINT_ENABLED) == null, - "Fips has been configured on both ServiceConfiguration and the client/global level. Please limit fips configuration to one location."); + config.option(AwsClientOption.FIPS_ENDPOINT_ENABLED) == null, + "Fips has been configured on both ServiceConfiguration and the client/global level. Please limit fips configuration to one location."); } else { serviceConfigBuilder.fipsModeEnabled(config.option(AwsClientOption.FIPS_ENDPOINT_ENABLED)); } if (serviceConfigBuilder.useArnRegionEnabled() != null) { Validate.validState( - clientContextParams.get(JsonClientContextParams.USE_ARN_REGION) == null, - "UseArnRegion has been configured on both ServiceConfiguration and the client/global level. Please limit UseArnRegion configuration to one location."); + clientContextParams.get(JsonClientContextParams.USE_ARN_REGION) == null, + "UseArnRegion has been configured on both ServiceConfiguration and the client/global level. Please limit UseArnRegion configuration to one location."); } else { serviceConfigBuilder.useArnRegionEnabled(clientContextParams.get(JsonClientContextParams.USE_ARN_REGION)); } if (serviceConfigBuilder.multiRegionEnabled() != null) { Validate.validState( - clientContextParams.get(JsonClientContextParams.DISABLE_MULTI_REGION_ACCESS_POINTS) == null, - "DisableMultiRegionAccessPoints has been configured on both ServiceConfiguration and the client/global level. Please limit DisableMultiRegionAccessPoints configuration to one location."); + clientContextParams.get(JsonClientContextParams.DISABLE_MULTI_REGION_ACCESS_POINTS) == null, + "DisableMultiRegionAccessPoints has been configured on both ServiceConfiguration and the client/global level. Please limit DisableMultiRegionAccessPoints configuration to one location."); } else if (clientContextParams.get(JsonClientContextParams.DISABLE_MULTI_REGION_ACCESS_POINTS) != null) { serviceConfigBuilder.multiRegionEnabled(!clientContextParams - .get(JsonClientContextParams.DISABLE_MULTI_REGION_ACCESS_POINTS)); + .get(JsonClientContextParams.DISABLE_MULTI_REGION_ACCESS_POINTS)); } if (serviceConfigBuilder.pathStyleAccessEnabled() != null) { Validate.validState( - clientContextParams.get(JsonClientContextParams.FORCE_PATH_STYLE) == null, - "ForcePathStyle has been configured on both ServiceConfiguration and the client/global level. Please limit ForcePathStyle configuration to one location."); + clientContextParams.get(JsonClientContextParams.FORCE_PATH_STYLE) == null, + "ForcePathStyle has been configured on both ServiceConfiguration and the client/global level. Please limit ForcePathStyle configuration to one location."); } else { serviceConfigBuilder.pathStyleAccessEnabled(clientContextParams.get(JsonClientContextParams.FORCE_PATH_STYLE)); } if (serviceConfigBuilder.accelerateModeEnabled() != null) { Validate.validState( - clientContextParams.get(JsonClientContextParams.ACCELERATE) == null, - "Accelerate has been configured on both ServiceConfiguration and the client/global level. Please limit Accelerate configuration to one location."); + clientContextParams.get(JsonClientContextParams.ACCELERATE) == null, + "Accelerate has been configured on both ServiceConfiguration and the client/global level. Please limit Accelerate configuration to one location."); } else { serviceConfigBuilder.accelerateModeEnabled(clientContextParams.get(JsonClientContextParams.ACCELERATE)); } ServiceConfiguration finalServiceConfig = serviceConfigBuilder.build(); clientContextParams.put(JsonClientContextParams.USE_ARN_REGION, finalServiceConfig.useArnRegionEnabled()); clientContextParams.put(JsonClientContextParams.DISABLE_MULTI_REGION_ACCESS_POINTS, - !finalServiceConfig.multiRegionEnabled()); + !finalServiceConfig.multiRegionEnabled()); clientContextParams.put(JsonClientContextParams.FORCE_PATH_STYLE, finalServiceConfig.pathStyleAccessEnabled()); clientContextParams.put(JsonClientContextParams.ACCELERATE, finalServiceConfig.accelerateModeEnabled()); SdkClientConfiguration.Builder builder = config.toBuilder(); @@ -156,7 +156,7 @@ protected final SdkClientConfiguration finalizeServiceConfiguration(SdkClientCon return result.build(); }); builder.option(SdkClientOption.EXECUTION_INTERCEPTORS, interceptors); - builder.option(AwsClientOption.DUALSTACK_ENDPOINT_ENABLED, finalServiceConfig.dualstackEnabled()); + builder.option(AwsClientOption.DUALSTACK_ENDPOINT_ENABLED, serviceConfigBuilder.dualstackEnabled()); builder.option(AwsClientOption.FIPS_ENDPOINT_ENABLED, finalServiceConfig.fipsModeEnabled()); builder.option(SdkClientOption.RETRY_STRATEGY, MyServiceRetryStrategy.resolveRetryStrategy(config)); if (builder.option(SdkClientOption.RETRY_STRATEGY) == null) { @@ -270,6 +270,6 @@ private List internalPlugins(SdkClientConfiguration config) { protected static void validateClientOptions(SdkClientConfiguration c) { Validate.notNull(c.option(AwsClientOption.TOKEN_IDENTITY_PROVIDER), - "The 'tokenProvider' must be configured in the client builder."); + "The 'tokenProvider' must be configured in the client builder."); } } diff --git a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/test-client-builder-class.java b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/test-client-builder-class.java index f5a9b1dddbf8..a43c9c8548b2 100644 --- a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/test-client-builder-class.java +++ b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/test-client-builder-class.java @@ -58,14 +58,14 @@ protected final String serviceName() { @Override protected final SdkClientConfiguration mergeServiceDefaults(SdkClientConfiguration config) { return config.merge(c -> c - .option(SdkClientOption.ENDPOINT_PROVIDER, defaultEndpointProvider()) - .option(SdkAdvancedClientOption.SIGNER, defaultSigner()) - .option(SdkClientOption.CRC32_FROM_COMPRESSED_DATA_ENABLED, false) - .option(SdkClientOption.SERVICE_CONFIGURATION, ServiceConfiguration.builder().build()) - .lazyOption(AwsClientOption.TOKEN_PROVIDER, + .option(SdkClientOption.ENDPOINT_PROVIDER, defaultEndpointProvider()) + .option(SdkAdvancedClientOption.SIGNER, defaultSigner()) + .option(SdkClientOption.CRC32_FROM_COMPRESSED_DATA_ENABLED, false) + .option(SdkClientOption.SERVICE_CONFIGURATION, ServiceConfiguration.builder().build()) + .lazyOption(AwsClientOption.TOKEN_PROVIDER, p -> TokenUtils.toSdkTokenProvider(p.get(AwsClientOption.TOKEN_IDENTITY_PROVIDER))) - .option(AwsClientOption.TOKEN_IDENTITY_PROVIDER, defaultTokenProvider()) - .option(SdkAdvancedClientOption.TOKEN_SIGNER, defaultTokenSigner())); + .option(AwsClientOption.TOKEN_IDENTITY_PROVIDER, defaultTokenProvider()) + .option(SdkAdvancedClientOption.TOKEN_SIGNER, defaultTokenSigner())); } @Override @@ -75,64 +75,64 @@ protected final SdkClientConfiguration finalizeServiceConfiguration(SdkClientCon endpointInterceptors.add(new JsonRequestSetEndpointInterceptor()); ClasspathInterceptorChainFactory interceptorFactory = new ClasspathInterceptorChainFactory(); List interceptors = interceptorFactory - .getInterceptors("software/amazon/awssdk/services/json/execution.interceptors"); + .getInterceptors("software/amazon/awssdk/services/json/execution.interceptors"); List additionalInterceptors = new ArrayList<>(); interceptors = CollectionUtils.mergeLists(endpointInterceptors, interceptors); interceptors = CollectionUtils.mergeLists(interceptors, additionalInterceptors); interceptors = CollectionUtils.mergeLists(interceptors, config.option(SdkClientOption.EXECUTION_INTERCEPTORS)); ServiceConfiguration.Builder serviceConfigBuilder = ((ServiceConfiguration) config - .option(SdkClientOption.SERVICE_CONFIGURATION)).toBuilder(); + .option(SdkClientOption.SERVICE_CONFIGURATION)).toBuilder(); serviceConfigBuilder.profileFile(serviceConfigBuilder.profileFileSupplier() != null ? serviceConfigBuilder - .profileFileSupplier() : config.option(SdkClientOption.PROFILE_FILE_SUPPLIER)); + .profileFileSupplier() : config.option(SdkClientOption.PROFILE_FILE_SUPPLIER)); serviceConfigBuilder.profileName(serviceConfigBuilder.profileName() != null ? serviceConfigBuilder.profileName() : config - .option(SdkClientOption.PROFILE_NAME)); + .option(SdkClientOption.PROFILE_NAME)); if (serviceConfigBuilder.dualstackEnabled() != null) { Validate.validState( - config.option(AwsClientOption.DUALSTACK_ENDPOINT_ENABLED) == null, - "Dualstack has been configured on both ServiceConfiguration and the client/global level. Please limit dualstack configuration to one location."); + config.option(AwsClientOption.DUALSTACK_ENDPOINT_ENABLED) == null, + "Dualstack has been configured on both ServiceConfiguration and the client/global level. Please limit dualstack configuration to one location."); } else { serviceConfigBuilder.dualstackEnabled(config.option(AwsClientOption.DUALSTACK_ENDPOINT_ENABLED)); } if (serviceConfigBuilder.fipsModeEnabled() != null) { Validate.validState( - config.option(AwsClientOption.FIPS_ENDPOINT_ENABLED) == null, - "Fips has been configured on both ServiceConfiguration and the client/global level. Please limit fips configuration to one location."); + config.option(AwsClientOption.FIPS_ENDPOINT_ENABLED) == null, + "Fips has been configured on both ServiceConfiguration and the client/global level. Please limit fips configuration to one location."); } else { serviceConfigBuilder.fipsModeEnabled(config.option(AwsClientOption.FIPS_ENDPOINT_ENABLED)); } if (serviceConfigBuilder.useArnRegionEnabled() != null) { Validate.validState( - clientContextParams.get(JsonClientContextParams.USE_ARN_REGION) == null, - "UseArnRegion has been configured on both ServiceConfiguration and the client/global level. Please limit UseArnRegion configuration to one location."); + clientContextParams.get(JsonClientContextParams.USE_ARN_REGION) == null, + "UseArnRegion has been configured on both ServiceConfiguration and the client/global level. Please limit UseArnRegion configuration to one location."); } else { serviceConfigBuilder.useArnRegionEnabled(clientContextParams.get(JsonClientContextParams.USE_ARN_REGION)); } if (serviceConfigBuilder.multiRegionEnabled() != null) { Validate.validState( - clientContextParams.get(JsonClientContextParams.DISABLE_MULTI_REGION_ACCESS_POINTS) == null, - "DisableMultiRegionAccessPoints has been configured on both ServiceConfiguration and the client/global level. Please limit DisableMultiRegionAccessPoints configuration to one location."); + clientContextParams.get(JsonClientContextParams.DISABLE_MULTI_REGION_ACCESS_POINTS) == null, + "DisableMultiRegionAccessPoints has been configured on both ServiceConfiguration and the client/global level. Please limit DisableMultiRegionAccessPoints configuration to one location."); } else if (clientContextParams.get(JsonClientContextParams.DISABLE_MULTI_REGION_ACCESS_POINTS) != null) { serviceConfigBuilder.multiRegionEnabled(!clientContextParams - .get(JsonClientContextParams.DISABLE_MULTI_REGION_ACCESS_POINTS)); + .get(JsonClientContextParams.DISABLE_MULTI_REGION_ACCESS_POINTS)); } if (serviceConfigBuilder.pathStyleAccessEnabled() != null) { Validate.validState( - clientContextParams.get(JsonClientContextParams.FORCE_PATH_STYLE) == null, - "ForcePathStyle has been configured on both ServiceConfiguration and the client/global level. Please limit ForcePathStyle configuration to one location."); + clientContextParams.get(JsonClientContextParams.FORCE_PATH_STYLE) == null, + "ForcePathStyle has been configured on both ServiceConfiguration and the client/global level. Please limit ForcePathStyle configuration to one location."); } else { serviceConfigBuilder.pathStyleAccessEnabled(clientContextParams.get(JsonClientContextParams.FORCE_PATH_STYLE)); } if (serviceConfigBuilder.accelerateModeEnabled() != null) { Validate.validState( - clientContextParams.get(JsonClientContextParams.ACCELERATE) == null, - "Accelerate has been configured on both ServiceConfiguration and the client/global level. Please limit Accelerate configuration to one location."); + clientContextParams.get(JsonClientContextParams.ACCELERATE) == null, + "Accelerate has been configured on both ServiceConfiguration and the client/global level. Please limit Accelerate configuration to one location."); } else { serviceConfigBuilder.accelerateModeEnabled(clientContextParams.get(JsonClientContextParams.ACCELERATE)); } ServiceConfiguration finalServiceConfig = serviceConfigBuilder.build(); clientContextParams.put(JsonClientContextParams.USE_ARN_REGION, finalServiceConfig.useArnRegionEnabled()); clientContextParams.put(JsonClientContextParams.DISABLE_MULTI_REGION_ACCESS_POINTS, - !finalServiceConfig.multiRegionEnabled()); + !finalServiceConfig.multiRegionEnabled()); clientContextParams.put(JsonClientContextParams.FORCE_PATH_STYLE, finalServiceConfig.pathStyleAccessEnabled()); clientContextParams.put(JsonClientContextParams.ACCELERATE, finalServiceConfig.accelerateModeEnabled()); SdkClientConfiguration.Builder builder = config.toBuilder(); @@ -149,7 +149,7 @@ protected final SdkClientConfiguration finalizeServiceConfiguration(SdkClientCon return result.build(); }); builder.option(SdkClientOption.EXECUTION_INTERCEPTORS, interceptors); - builder.option(AwsClientOption.DUALSTACK_ENDPOINT_ENABLED, finalServiceConfig.dualstackEnabled()); + builder.option(AwsClientOption.DUALSTACK_ENDPOINT_ENABLED, serviceConfigBuilder.dualstackEnabled()); builder.option(AwsClientOption.FIPS_ENDPOINT_ENABLED, finalServiceConfig.fipsModeEnabled()); builder.option(SdkClientOption.RETRY_STRATEGY, MyServiceRetryStrategy.resolveRetryStrategy(config)); if (builder.option(SdkClientOption.RETRY_STRATEGY) == null) { @@ -244,10 +244,10 @@ private List internalPlugins(SdkClientConfiguration config) { protected static void validateClientOptions(SdkClientConfiguration c) { Validate.notNull(c.option(SdkAdvancedClientOption.SIGNER), - "The 'overrideConfiguration.advancedOption[SIGNER]' must be configured in the client builder."); + "The 'overrideConfiguration.advancedOption[SIGNER]' must be configured in the client builder."); Validate.notNull(c.option(SdkAdvancedClientOption.TOKEN_SIGNER), - "The 'overrideConfiguration.advancedOption[TOKEN_SIGNER]' must be configured in the client builder."); + "The 'overrideConfiguration.advancedOption[TOKEN_SIGNER]' must be configured in the client builder."); Validate.notNull(c.option(AwsClientOption.TOKEN_IDENTITY_PROVIDER), - "The 'tokenProvider' must be configured in the client builder."); + "The 'tokenProvider' must be configured in the client builder."); } } diff --git a/test/codegen-generated-classes-test/src/main/java/software/amazon/awssdk/services/protocolrestjsonwithconfig/ProtocolRestJsonWithConfigConfiguration.java b/test/codegen-generated-classes-test/src/main/java/software/amazon/awssdk/services/protocolrestjsonwithconfig/ProtocolRestJsonWithConfigConfiguration.java new file mode 100644 index 000000000000..5f9505868ac2 --- /dev/null +++ b/test/codegen-generated-classes-test/src/main/java/software/amazon/awssdk/services/protocolrestjsonwithconfig/ProtocolRestJsonWithConfigConfiguration.java @@ -0,0 +1,95 @@ +/* + * 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.protocolrestjsonwithconfig; + +import java.util.function.Supplier; +import software.amazon.awssdk.annotations.SdkPublicApi; +import software.amazon.awssdk.core.ServiceConfiguration; +import software.amazon.awssdk.profiles.ProfileFile; +import software.amazon.awssdk.utils.builder.CopyableBuilder; +import software.amazon.awssdk.utils.builder.ToCopyableBuilder; + +@SdkPublicApi +public class ProtocolRestJsonWithConfigConfiguration + implements ServiceConfiguration, + ToCopyableBuilder { + private final Boolean dualstackEnabled; + + private ProtocolRestJsonWithConfigConfiguration(Builder b) { + this.dualstackEnabled = b.dualstackEnabled; + } + + public boolean dualstackEnabled() { + if (dualstackEnabled != null) { + return dualstackEnabled; + } + + return false; + } + + public Builder toBuilder() { + return new Builder(this); + } + + public static Builder builder() { + return new Builder(); + } + + public static class Builder implements CopyableBuilder { + private Boolean dualstackEnabled; + + private Builder() { + } + + private Builder(ProtocolRestJsonWithConfigConfiguration config) { + this.dualstackEnabled = config.dualstackEnabled; + } + + public Builder dualstackEnabled(Boolean dualstackEnabled) { + this.dualstackEnabled = dualstackEnabled; + return this; + } + + + public Boolean dualstackEnabled() { + return dualstackEnabled; + } + + // no-op + public Builder profileFile(Supplier profileFile) { + return this; + } + + // no-op + public Builder profileName(String profileName) { + return this; + } + + // no-op + public String profileName() { + return null; + } + + // no-op + public Supplier profileFileSupplier() { + return null; + } + + public ProtocolRestJsonWithConfigConfiguration build() { + return new ProtocolRestJsonWithConfigConfiguration(this); + } + } +} diff --git a/test/codegen-generated-classes-test/src/main/resources/codegen-resources/serviceconfig/customization.config b/test/codegen-generated-classes-test/src/main/resources/codegen-resources/serviceconfig/customization.config new file mode 100644 index 000000000000..17a346db4f7d --- /dev/null +++ b/test/codegen-generated-classes-test/src/main/resources/codegen-resources/serviceconfig/customization.config @@ -0,0 +1,9 @@ +{ + "verifiedSimpleMethods" : [ + "allTypes" + ], + "serviceConfig": { + "className": "ProtocolRestJsonWithConfigConfiguration", + "hasDualstackProperty": true + } +} diff --git a/test/codegen-generated-classes-test/src/main/resources/codegen-resources/serviceconfig/endpoint-rule-set.json b/test/codegen-generated-classes-test/src/main/resources/codegen-resources/serviceconfig/endpoint-rule-set.json new file mode 100644 index 000000000000..ae3f6859343b --- /dev/null +++ b/test/codegen-generated-classes-test/src/main/resources/codegen-resources/serviceconfig/endpoint-rule-set.json @@ -0,0 +1,355 @@ +{ + "version": "1.3", + "parameters": { + "Region": { + "builtIn": "AWS::Region", + "required": true, + "documentation": "The AWS region used to dispatch the request.", + "type": "String" + }, + "UseDualStack": { + "builtIn": "AWS::UseDualStack", + "required": true, + "default": false, + "documentation": "When true, use the dual-stack endpoint. If the configured endpoint does not support dual-stack, dispatching the request MAY return an error.", + "type": "Boolean" + }, + "UseFIPS": { + "builtIn": "AWS::UseFIPS", + "required": true, + "default": false, + "documentation": "When true, send this request to the FIPS-compliant regional endpoint. If the configured endpoint does not have a FIPS compliant endpoint, dispatching the request will return an error.", + "type": "Boolean" + }, + "Endpoint": { + "builtIn": "SDK::Endpoint", + "required": false, + "documentation": "Override the endpoint used to send this request", + "type": "String" + } + }, + "rules": [ + { + "conditions": [ + { + "fn": "aws.partition", + "argv": [ + { + "ref": "Region" + } + ], + "assign": "PartitionResult" + } + ], + "type": "tree", + "rules": [ + { + "conditions": [ + { + "fn": "isSet", + "argv": [ + { + "ref": "Endpoint" + } + ] + }, + { + "fn": "parseURL", + "argv": [ + { + "ref": "Endpoint" + } + ], + "assign": "url" + } + ], + "type": "tree", + "rules": [ + { + "conditions": [ + { + "fn": "booleanEquals", + "argv": [ + { + "ref": "UseFIPS" + }, + true + ] + } + ], + "error": "Invalid Configuration: FIPS and custom endpoint are not supported", + "type": "error" + }, + { + "conditions": [], + "type": "tree", + "rules": [ + { + "conditions": [ + { + "fn": "booleanEquals", + "argv": [ + { + "ref": "UseDualStack" + }, + true + ] + } + ], + "error": "Invalid Configuration: Dualstack and custom endpoint are not supported", + "type": "error" + }, + { + "conditions": [], + "endpoint": { + "url": { + "ref": "Endpoint" + }, + "properties": { + "authSchemes": [ + { + "name": "sigv4", + "signingRegion": "{Region}", + "signingName": "customresponsemetadata" + } + ] + }, + "headers": {} + }, + "type": "endpoint" + } + ] + } + ] + }, + { + "conditions": [ + { + "fn": "booleanEquals", + "argv": [ + { + "ref": "UseFIPS" + }, + true + ] + }, + { + "fn": "booleanEquals", + "argv": [ + { + "ref": "UseDualStack" + }, + true + ] + } + ], + "type": "tree", + "rules": [ + { + "conditions": [ + { + "fn": "booleanEquals", + "argv": [ + true, + { + "fn": "getAttr", + "argv": [ + { + "ref": "PartitionResult" + }, + "supportsFIPS" + ] + } + ] + }, + { + "fn": "booleanEquals", + "argv": [ + true, + { + "fn": "getAttr", + "argv": [ + { + "ref": "PartitionResult" + }, + "supportsDualStack" + ] + } + ] + } + ], + "type": "tree", + "rules": [ + { + "conditions": [], + "endpoint": { + "url": "https://customresponsemetadata-fips.{Region}.{PartitionResult#dualStackDnsSuffix}", + "properties": { + "authSchemes": [ + { + "name": "sigv4", + "signingRegion": "{Region}", + "signingName": "customresponsemetadata" + } + ] + }, + "headers": {} + }, + "type": "endpoint" + } + ] + }, + { + "conditions": [], + "error": "FIPS and DualStack are enabled, but this partition does not support one or both", + "type": "error" + } + ] + }, + { + "conditions": [ + { + "fn": "booleanEquals", + "argv": [ + { + "ref": "UseFIPS" + }, + true + ] + } + ], + "type": "tree", + "rules": [ + { + "conditions": [ + { + "fn": "booleanEquals", + "argv": [ + true, + { + "fn": "getAttr", + "argv": [ + { + "ref": "PartitionResult" + }, + "supportsFIPS" + ] + } + ] + } + ], + "type": "tree", + "rules": [ + { + "conditions": [], + "type": "tree", + "rules": [ + { + "conditions": [], + "endpoint": { + "url": "https://customresponsemetadata-fips.{Region}.{PartitionResult#dnsSuffix}", + "properties": { + "authSchemes": [ + { + "name": "sigv4", + "signingRegion": "{Region}", + "signingName": "customresponsemetadata" + } + ] + }, + "headers": {} + }, + "type": "endpoint" + } + ] + } + ] + }, + { + "conditions": [], + "error": "FIPS is enabled but this partition does not support FIPS", + "type": "error" + } + ] + }, + { + "conditions": [ + { + "fn": "booleanEquals", + "argv": [ + { + "ref": "UseDualStack" + }, + true + ] + } + ], + "type": "tree", + "rules": [ + { + "conditions": [ + { + "fn": "booleanEquals", + "argv": [ + true, + { + "fn": "getAttr", + "argv": [ + { + "ref": "PartitionResult" + }, + "supportsDualStack" + ] + } + ] + } + ], + "type": "tree", + "rules": [ + { + "conditions": [], + "endpoint": { + "url": "https://customresponsemetadata.{Region}.{PartitionResult#dualStackDnsSuffix}", + "properties": { + "authSchemes": [ + { + "name": "sigv4", + "signingRegion": "{Region}", + "signingName": "customresponsemetadata" + } + ] + }, + "headers": {} + }, + "type": "endpoint" + } + ] + }, + { + "conditions": [], + "error": "DualStack is enabled but this partition does not support DualStack", + "type": "error" + } + ] + }, + { + "conditions": [], + "endpoint": { + "url": "https://customresponsemetadata.{Region}.{PartitionResult#dnsSuffix}", + "properties": { + "authSchemes": [ + { + "name": "sigv4", + "signingRegion": "{Region}", + "signingName": "customresponsemetadata" + } + ] + }, + "headers": {} + }, + "type": "endpoint" + } + ] + } + ] +} \ No newline at end of file diff --git a/test/codegen-generated-classes-test/src/main/resources/codegen-resources/serviceconfig/endpoint-tests.json b/test/codegen-generated-classes-test/src/main/resources/codegen-resources/serviceconfig/endpoint-tests.json new file mode 100644 index 000000000000..f94902ff9d99 --- /dev/null +++ b/test/codegen-generated-classes-test/src/main/resources/codegen-resources/serviceconfig/endpoint-tests.json @@ -0,0 +1,5 @@ +{ + "testCases": [ + ], + "version": "1.0" +} \ No newline at end of file diff --git a/test/codegen-generated-classes-test/src/main/resources/codegen-resources/serviceconfig/paginators-1.json b/test/codegen-generated-classes-test/src/main/resources/codegen-resources/serviceconfig/paginators-1.json new file mode 100644 index 000000000000..f6f6464ba4ff --- /dev/null +++ b/test/codegen-generated-classes-test/src/main/resources/codegen-resources/serviceconfig/paginators-1.json @@ -0,0 +1,16 @@ +{ + "pagination": { + "PaginatedOperationWithResultKey": { + "input_token": "NextToken", + "output_token": "NextToken", + "limit_key": "MaxResults", + "result_key": "Items" + }, + "PaginatedOperationWithMoreResults": { + "input_token": "NextToken", + "output_token": "NextToken", + "more_results": "Truncated", + "limit_key": "MaxResults" + } + } +} \ No newline at end of file diff --git a/test/codegen-generated-classes-test/src/main/resources/codegen-resources/serviceconfig/service-2.json b/test/codegen-generated-classes-test/src/main/resources/codegen-resources/serviceconfig/service-2.json new file mode 100644 index 000000000000..9d49f50b6809 --- /dev/null +++ b/test/codegen-generated-classes-test/src/main/resources/codegen-resources/serviceconfig/service-2.json @@ -0,0 +1,1150 @@ +{ + "version":"2.0", + "metadata":{ + "apiVersion":"2016-03-11", + "endpointPrefix":"customresponsemetadata", + "jsonVersion":"1.1", + "protocol":"rest-json", + "serviceAbbreviation":"AmazonProtocolRestJson", + "serviceFullName":"Amazon Protocol Rest Json", + "serviceId":"AmazonProtocolRestJsonWithConfig", + "signatureVersion":"v4", + "targetPrefix":"ProtocolTestsService", + "timestampFormat":"unixTimestamp", + "uid":"restjson-2016-03-11" + }, + "operations":{ + "AllTypes":{ + "name":"AllTypes", + "http":{ + "method":"POST", + "requestUri":"/2016-03-11/allTypes" + }, + "input":{"shape":"AllTypesStructure"}, + "output":{"shape":"AllTypesStructure"}, + "errors":[ + {"shape":"EmptyModeledException"} + ] + }, + "DeleteOperation":{ + "name":"DeleteOperation", + "http":{ + "method":"DELETE", + "requestUri":"/2016-03-11/deleteOperation" + } + }, + "HeadOperation":{ + "name":"HeadOperation", + "http":{ + "method":"HEAD", + "requestUri":"/2016-03-11/headOperation" + } + }, + "IdempotentOperation":{ + "name":"IdempotentOperation", + "http":{ + "method":"POST", + "requestUri":"/2016-03-11/idempotentOperation/{PathParam}" + }, + "input":{"shape":"IdempotentOperationStructure"} + }, + "JsonValuesOperation":{ + "name":"JsonValuesOperation", + "http":{ + "method":"POST", + "requestUri":"/2016-03-11/JsonValuesStructure" + }, + "input":{"shape":"JsonValuesStructure"}, + "output":{"shape":"JsonValuesStructure"}, + "errors":[ + {"shape":"EmptyModeledException"} + ] + }, + "MapOfStringToListOfStringInQueryParams":{ + "name":"MapOfStringToListOfStringInQueryParams", + "http":{ + "method":"POST", + "requestUri":"/2016-03-11/mapOfStringToListOfStringInQueryParams" + }, + "input":{"shape":"MapOfStringToListOfStringInQueryParamsInput"} + }, + "MembersInHeaders":{ + "name":"MembersInHeaders", + "http":{ + "method":"POST", + "requestUri":"/2016-03-11/membersInHeaders" + }, + "input":{"shape":"MembersInHeadersInput"}, + "output":{"shape":"MembersInHeadersInput"} + }, + "MembersInQueryParams":{ + "name":"MembersInQueryParams", + "http":{ + "method":"POST", + "requestUri":"/2016-03-11/membersInQueryParams?StaticQueryParam=foo" + }, + "input":{"shape":"MembersInQueryParamsInput"} + }, + "MultiLocationOperation":{ + "name":"MultiLocationOperation", + "http":{ + "method":"POST", + "requestUri":"/2016-03-11/multiLocationOperation/{PathParam}" + }, + "input":{"shape":"MultiLocationOperationInput"} + }, + "NestedContainers":{ + "name":"NestedContainers", + "http":{ + "method":"POST", + "requestUri":"/2016-03-11/nestedContainers" + }, + "input":{"shape":"NestedContainersStructure"}, + "output":{"shape":"NestedContainersStructure"} + }, + "OperationWithExplicitPayloadBlob":{ + "name":"OperationWithExplicitPayloadBlob", + "http":{ + "method":"POST", + "requestUri":"/2016-03-11/operationWithExplicitPayloadBlob" + }, + "input":{"shape":"OperationWithExplicitPayloadBlobInput"}, + "output":{"shape":"OperationWithExplicitPayloadBlobInput"} + }, + "OperationWithExplicitPayloadString":{ + "name":"OperationWithExplicitPayloadString", + "http":{ + "method":"POST", + "requestUri":"/2016-03-11/operationWithExplicitPayloadString" + }, + "input":{"shape":"OperationWithExplicitPayloadStringInput"}, + "output":{"shape":"OperationWithExplicitPayloadStringInput"} + }, + "OperationWithExplicitPayloadStructure":{ + "name":"OperationWithExplicitPayloadStructure", + "http":{ + "method":"POST", + "requestUri":"/2016-03-11/operationWithExplicitPayloadStructure" + }, + "input":{"shape":"OperationWithExplicitPayloadStructureInput"}, + "output":{"shape":"OperationWithExplicitPayloadStructureInput"} + }, + "OperationWithGreedyLabel":{ + "name":"OperationWithGreedyLabel", + "http":{ + "method":"POST", + "requestUri":"/2016-03-11/operationWithGreedyLabel/{NonGreedyPathParam}/{GreedyPathParam+}" + }, + "input":{"shape":"OperationWithGreedyLabelInput"} + }, + "OperationWithModeledContentType":{ + "name":"OperationWithModeledContentType", + "http":{ + "method":"POST", + "requestUri":"/2016-03-11/operationWithModeledContentType" + }, + "input":{"shape":"OperationWithModeledContentTypeInput"} + }, + "OperationWithNoInputOrOutput":{ + "name":"OperationWithNoInputOrOutput", + "http":{ + "method":"POST", + "requestUri":"/2016-03-11/operationWithNoInputOrOutput" + } + }, + "PaginatedOperationWithResultKey": { + "name": "PaginatedOperationWithResultKey", + "http": { + "method": "POST", + "requestUri": "/" + }, + "input": { + "shape": "PaginatedOperationWithResultKeyRequest" + }, + "output": { + "shape": "PaginatedOperationWithResultKeyResponse" + }, + "documentation": "Some paginated operation with result_key in paginators.json file" + }, + "PaginatedOperationWithMoreResults": { + "name": "PaginatedOperationWithMoreResults", + "http": { + "method": "POST", + "requestUri": "/" + }, + "input": { + "shape": "PaginatedOperationWithMoreResultsRequest" + }, + "output": { + "shape": "PaginatedOperationWithMoreResultsResponse" + }, + "documentation": "Some paginated operation with more_results in paginators.json file" + }, + "QueryParamWithoutValue":{ + "name":"QueryParamWithoutValue", + "http":{ + "method":"POST", + "requestUri":"/2016-03-11/queryParamWithoutValue?param" + }, + "input":{"shape":"QueryParamWithoutValueInput"} + }, + "StreamingInputOperationWithRequiredChecksum":{ + "name":"OperationWithRequiredChecksum", + "http":{ + "method":"POST", + "requestUri":"/2016-03-11/allTypes" + }, + "input":{"shape":"StructureWithStreamingMember"}, + "output":{"shape":"AllTypesStructure"}, + "httpChecksumRequired": true + }, + "OperationWithRequiredChecksum":{ + "name":"OperationWithRequiredChecksum", + "http":{ + "method":"POST", + "requestUri":"/2016-03-11/allTypes" + }, + "input":{"shape":"AllTypesStructure"}, + "output":{"shape":"AllTypesStructure"}, + "httpChecksumRequired": true + }, + "OperationWithNoneAuthType":{ + "name":"OperationWithNoneAuthType", + "http":{ + "method":"POST", + "requestUri":"/2016-03-11/allTypes" + }, + "input":{"shape":"AllTypesStructure"}, + "output":{"shape":"AllTypesStructure"}, + "authtype": "none" + }, + "OperationWithRequestChecksumRequired":{ + "name":"OperationWithRequestChecksumRequired", + "http":{ + "method":"POST", + "requestUri":"/2016-03-11/allTypes" + }, + "input":{"shape":"AllTypesStructure"}, + "output":{"shape":"AllTypesStructure"}, + "httpChecksum" : { + "requestChecksumRequired" : true + } + }, + "OperationWithCustomRequestChecksum":{ + "name":"OperationWithRequestChecksumRequired", + "http":{ + "method":"POST", + "requestUri":"/2016-03-11/allTypes" + }, + "input":{"shape":"ChecksumStructure"}, + "output":{"shape":"ChecksumStructure"}, + "httpChecksum" : { + "requestChecksumRequired" : true, + "requestAlgorithmMember": "ChecksumAlgorithm", + "requestValidationModeMember" : "ChecksumMode", + "responseAlgorithms": ["crc32", "crc32c", "sha256", "sha1"] + } + }, + "StreamingInputOperation":{ + "name":"StreamingInputOperation", + "http":{ + "method":"POST", + "requestUri":"/2016-03-11/streamingInputOperation" + }, + "input":{"shape":"StructureWithStreamingMember"} + }, + "StreamingOutputOperation":{ + "name":"StreamingOutputOperation", + "http":{ + "method":"POST", + "requestUri":"/2016-03-11/streamingOutputOperation" + }, + "output":{"shape":"StructureWithStreamingMember"} + }, + "EventStreamOperation": { + "name": "EventStreamOperation", + "http": { + "method": "POST", + "requestUri": "/2016-03-11/eventStreamOperation" + }, + "input": { + "shape": "EventStreamOperationRequest" + }, + "output": { + "shape": "EventStreamOutput" + } + }, + "OperationWithHostPrefix": { + "name": "OperationWithHostPrefix", + "http": { + "method": "POST", + "requestUri": "/2016-03-11/OperationWithHostPrefix" + }, + "endpoint": { + "hostPrefix": "{StringMember}-foo." + }, + "input": { + "shape": "AllTypesStructure" + } + }, + "PutOperationWithChecksum":{ + "name":"PutOperationWithChecksum", + "http":{ + "method":"PUT", + "requestUri":"/" + }, + "input":{"shape":"ChecksumStructureWithStreaming"}, + "output":{"shape":"ChecksumStructureWithStreaming"}, + "httpChecksum" : { + "requestChecksumRequired": true, + "requestAlgorithmMember": "ChecksumAlgorithm" + } + }, + "PutOperationWithRequestCompression":{ + "name":"PutOperationWithRequestCompression", + "http":{ + "method":"PUT", + "requestUri":"/" + }, + "input":{"shape":"RequestCompressionStructure"}, + "output":{"shape":"RequestCompressionStructure"}, + "requestcompression": { + "encodings": ["gzip"] + } + }, + "PutOperationWithStreamingRequestCompression":{ + "name":"PutOperationWithStreamingRequestCompression", + "http":{ + "method":"PUT", + "requestUri":"/" + }, + "input":{"shape":"RequestCompressionStructureWithStreaming"}, + "output":{"shape":"RequestCompressionStructureWithStreaming"}, + "requestcompression": { + "encodings": ["gzip"] + }, + "authtype":"v4-unsigned-body" + }, + "GetOperationWithChecksum":{ + "name":"GetOperationWithChecksum", + "http":{ + "method":"GET", + "requestUri":"/" + }, + "input":{"shape":"ChecksumStructure"}, + "output":{"shape":"ChecksumStructureWithStreaming"}, + "httpChecksum" : { + "requestValidationModeMember": "ChecksumMode", + "responseAlgorithms": ["CRC32C", "CRC32", "SHA1", "SHA256"] + } + }, + "GetOperationWithMapEndpointParam":{ + "name":"GetOperationWithMapEndpointParam", + "http":{ + "method":"GET", + "requestUri":"/" + }, + "input":{"shape":"GetOperationWithMapEndpointParamInput"}, + "output":{"shape":"GetOperationWithMapEndpointParamOutput"} + }, + "OperationWithChecksumNonStreaming":{ + "name":"OperationWithChecksumNonStreaming", + "http":{ + "method":"POST", + "requestUri":"/" + }, + "input":{"shape":"ChecksumStructure"}, + "output":{"shape":"ChecksumStructure"}, + "httpChecksum" : { + "requestChecksumRequired": true, + "requestAlgorithmMember": "ChecksumAlgorithm", + "requestValidationModeMember": "ChecksumMode", + "responseAlgorithms": ["CRC32C", "CRC32", "SHA1", "SHA256"] + } + }, + "QueryParameterOperation":{ + "name":"QueryParameterOperation", + "http":{ + "method":"DELETE", + "requestUri":"/2016-03-11/queryParameterOperation/{PathParam}" + }, + "input":{"shape":"QueryParameterOperationRequest"} + } + }, + "shapes":{ + "AllTypesStructure":{ + "type":"structure", + "members":{ + "StringMember":{"shape":"String"}, + "IntegerMember":{"shape":"Integer"}, + "BooleanMember":{"shape":"Boolean"}, + "FloatMember":{"shape":"Float"}, + "DoubleMember":{"shape":"Double"}, + "LongMember":{"shape":"Long"}, + "ShortMember":{"shape":"Short"}, + "EnumMember":{"shape":"EnumType"}, + "SimpleList":{"shape":"ListOfStrings"}, + "ListOfEnums":{"shape":"ListOfEnums"}, + "ListOfMaps":{"shape":"ListOfMapStringToString"}, + "ListOfListOfMapsOfStringToStruct":{"shape":"ListOfListOfMapOfStringToSimpleStruct"}, + "ListOfMapsOfStringToStruct":{"shape":"ListOfMapOfStringToSimpleStruct"}, + "ListOfStructs":{"shape":"ListOfSimpleStructs"}, + "MapOfStringToIntegerList":{"shape":"MapOfStringToIntegerList"}, + "MapOfStringToString":{"shape":"MapOfStringToString"}, + "MapOfStringToStruct":{"shape":"MapOfStringToSimpleStruct"}, + "MapOfEnumToEnum":{"shape":"MapOfEnumToEnum"}, + "TimestampMember":{"shape":"Timestamp"}, + "StructWithNestedTimestampMember":{"shape":"StructWithTimestamp"}, + "BlobArg":{"shape":"BlobType"}, + "StructWithNestedBlob":{"shape":"StructWithNestedBlobType"}, + "BlobMap":{"shape":"BlobMapType"}, + "ListOfBlobs":{"shape":"ListOfBlobsType"}, + "RecursiveStruct":{"shape":"RecursiveStructType"}, + "PolymorphicTypeWithSubTypes":{"shape":"BaseType"}, + "PolymorphicTypeWithoutSubTypes":{"shape":"SubTypeOne"}, + "SetPrefixedMember":{"shape":"String"}, + "UnionMember":{"shape":"AllTypesUnionStructure"} + } + }, + "AllTypesUnionStructure":{ + "type":"structure", + "union":true, + "members":{ + "StringMember":{"shape":"String"}, + "IntegerMember":{"shape":"Integer"}, + "BooleanMember":{"shape":"Boolean"}, + "FloatMember":{"shape":"Float"}, + "DoubleMember":{"shape":"Double"}, + "LongMember":{"shape":"Long"}, + "ShortMember":{"shape":"Short"}, + "EnumMember":{"shape":"EnumType"}, + "SimpleList":{"shape":"ListOfStrings"}, + "ListOfEnums":{"shape":"ListOfEnums"}, + "ListOfMaps":{"shape":"ListOfMapStringToString"}, + "ListOfListOfMapsOfStringToStruct":{"shape":"ListOfListOfMapOfStringToSimpleStruct"}, + "ListOfMapsOfStringToStruct":{"shape":"ListOfMapOfStringToSimpleStruct"}, + "ListOfStructs":{"shape":"ListOfSimpleStructs"}, + "MapOfStringToIntegerList":{"shape":"MapOfStringToIntegerList"}, + "MapOfStringToString":{"shape":"MapOfStringToString"}, + "MapOfStringToStruct":{"shape":"MapOfStringToSimpleStruct"}, + "MapOfEnumToEnum":{"shape":"MapOfEnumToEnum"}, + "TimestampMember":{"shape":"Timestamp"}, + "StructWithNestedTimestampMember":{"shape":"StructWithTimestamp"}, + "BlobArg":{"shape":"BlobType"}, + "StructWithNestedBlob":{"shape":"StructWithNestedBlobType"}, + "BlobMap":{"shape":"BlobMapType"}, + "ListOfBlobs":{"shape":"ListOfBlobsType"}, + "RecursiveStruct":{"shape":"RecursiveStructType"}, + "PolymorphicTypeWithSubTypes":{"shape":"BaseType"}, + "PolymorphicTypeWithoutSubTypes":{"shape":"SubTypeOne"}, + "SetPrefixedMember":{"shape":"String"}, + "UnionMember":{"shape":"AllTypesUnionStructure"} + } + }, + "BaseType":{ + "type":"structure", + "members":{ + "BaseMember":{"shape":"String"} + } + }, + "BlobMapType":{ + "type":"map", + "key":{"shape":"String"}, + "value":{"shape":"BlobType"} + }, + "BlobType":{"type":"blob"}, + "Boolean":{"type":"boolean"}, + "Double":{"type":"double"}, + "EmptyModeledException":{ + "type":"structure", + "members":{ + }, + "exception":true + }, + "Float":{"type":"float"}, + "IdempotentOperationStructure":{ + "type":"structure", + "required":["PathIdempotentToken"], + "members":{ + "PathIdempotentToken":{ + "shape":"String", + "idempotencyToken":true, + "location":"uri", + "locationName":"PathParam" + }, + "QueryIdempotentToken":{ + "shape":"String", + "idempotencyToken":true, + "location":"querystring", + "locationName":"QueryParam" + }, + "HeaderIdempotentToken":{ + "shape":"String", + "idempotencyToken":true, + "location":"header", + "locationName":"x-amz-idempotent-header" + } + } + }, + "Integer":{"type":"integer"}, + "JsonValuesStructure":{ + "type":"structure", + "members":{ + "JsonValueHeaderMember":{ + "shape":"String", + "jsonvalue":true, + "location":"header", + "locationName":"Encoded-Header" + }, + "JsonValueMember":{ + "shape":"String", + "jsonvalue":true + } + } + }, + "ListOfBlobsType":{ + "type":"list", + "member":{"shape":"BlobType"} + }, + "ListOfIntegers":{ + "type":"list", + "member":{"shape":"Integer"} + }, + "ListOfListOfListsOfStrings":{ + "type":"list", + "member":{"shape":"ListOfListsOfStrings"} + }, + "ListOfListsOfStrings":{ + "type":"list", + "member":{"shape":"ListOfStrings"} + }, + "ListOfMapStringToString":{ + "type":"list", + "member":{"shape":"MapOfStringToString"} + }, + "ListOfListOfMapOfStringToSimpleStruct":{ + "type":"list", + "member":{"shape":"ListOfMapOfStringToSimpleStruct"} + }, + "ListOfMapOfStringToSimpleStruct":{ + "type":"list", + "member":{"shape":"MapOfStringToSimpleStruct"} + }, + "ListOfSimpleStructs":{ + "type":"list", + "member":{"shape":"SimpleStruct"} + }, + "ListOfStrings":{ + "type":"list", + "member":{"shape":"String"} + }, + "ListOfEnums":{ + "type":"list", + "member":{"shape":"EnumType"} + }, + "Long":{"type":"long"}, + "Short":{"type":"short"}, + "MapOfStringToIntegerList":{ + "type":"map", + "key":{"shape":"String"}, + "value":{"shape":"ListOfIntegers"} + }, + "MapOfStringToListOfListsOfStrings":{ + "type":"map", + "key":{"shape":"String"}, + "value":{"shape":"ListOfListsOfStrings"} + }, + "MapOfStringToListOfStringInQueryParamsInput":{ + "type":"structure", + "members":{ + "MapOfStringToListOfStrings":{ + "shape":"MapOfStringToListOfStrings", + "location":"querystring" + } + } + }, + "MapOfStringToListOfStrings":{ + "type":"map", + "key":{"shape":"String"}, + "value":{"shape":"ListOfStrings"} + }, + "MapOfStringToSimpleStruct":{ + "type":"map", + "key":{"shape":"String"}, + "value":{"shape":"SimpleStruct"} + }, + "MapOfStringToString":{ + "type":"map", + "key":{"shape":"String"}, + "value":{"shape":"String"} + }, + "MapOfEnumToEnum":{ + "type":"map", + "key":{"shape":"EnumType"}, + "value":{"shape":"EnumType"} + }, + "MembersInHeadersInput":{ + "type":"structure", + "members":{ + "StringMember":{ + "shape":"String", + "location":"header", + "locationName":"x-amz-string" + }, + "BooleanMember":{ + "shape":"Boolean", + "location":"header", + "locationName":"x-amz-boolean" + }, + "IntegerMember":{ + "shape":"Integer", + "location":"header", + "locationName":"x-amz-integer" + }, + "LongMember":{ + "shape":"Long", + "location":"header", + "locationName":"x-amz-long" + }, + "ShortMember":{ + "shape":"Short", + "location":"header", + "locationName":"x-amz-short" + }, + "FloatMember":{ + "shape":"Float", + "location":"header", + "locationName":"x-amz-float" + }, + "DoubleMember":{ + "shape":"Double", + "location":"header", + "locationName":"x-amz-double" + }, + "TimestampMember":{ + "shape":"Timestamp", + "location":"header", + "locationName":"x-amz-timestamp" + } + } + }, + "MembersInQueryParamsInput":{ + "type":"structure", + "members":{ + "StringQueryParam":{ + "shape":"String", + "location":"querystring", + "locationName":"String" + }, + "BooleanQueryParam":{ + "shape":"Boolean", + "location":"querystring", + "locationName":"Boolean" + }, + "IntegerQueryParam":{ + "shape":"Integer", + "location":"querystring", + "locationName":"Integer" + }, + "LongQueryParam":{ + "shape":"Long", + "location":"querystring", + "locationName":"Long" + }, + "ShortQueryParam":{ + "shape":"Short", + "location":"querystring", + "locationName":"Short" + }, + "FloatQueryParam":{ + "shape":"Float", + "location":"querystring", + "locationName":"Float" + }, + "DoubleQueryParam":{ + "shape":"Double", + "location":"querystring", + "locationName":"Double" + }, + "TimestampQueryParam":{ + "shape":"Timestamp", + "location":"querystring", + "locationName":"Timestamp" + }, + "ListOfStrings":{ + "shape":"ListOfStrings", + "location":"querystring", + "locationName":"item" + }, + "MapOfStringToString":{ + "shape":"MapOfStringToString", + "location":"querystring" + } + } + }, + "MultiLocationOperationInput":{ + "type":"structure", + "required":["PathParam"], + "members":{ + "PathParam":{ + "shape":"String", + "location":"uri", + "locationName":"PathParam" + }, + "QueryParamOne":{ + "shape":"String", + "location":"querystring", + "locationName":"QueryParamOne" + }, + "QueryParamTwo":{ + "shape":"String", + "location":"querystring", + "locationName":"QueryParamTwo" + }, + "StringHeaderMember":{ + "shape":"String", + "location":"header", + "locationName":"x-amz-header-string" + }, + "TimestampHeaderMember":{ + "shape":"Timestamp", + "location":"header", + "locationName":"x-amz-timearg" + }, + "PayloadStructParam":{"shape":"PayloadStructType"} + } + }, + "NestedContainersStructure":{ + "type":"structure", + "members":{ + "ListOfListsOfStrings":{"shape":"ListOfListsOfStrings"}, + "ListOfListOfListsOfStrings":{"shape":"ListOfListOfListsOfStrings"}, + "MapOfStringToListOfListsOfStrings":{"shape":"MapOfStringToListOfListsOfStrings"} + } + }, + "OperationWithExplicitPayloadBlobInput":{ + "type":"structure", + "members":{ + "PayloadMember":{"shape":"BlobType"} + }, + "payload":"PayloadMember" + }, + "OperationWithExplicitPayloadStringInput":{ + "type":"structure", + "members":{ + "PayloadMember":{"shape":"String"} + }, + "payload":"PayloadMember" + }, + "OperationWithExplicitPayloadStructureInput":{ + "type":"structure", + "members":{ + "PayloadMember":{"shape":"SimpleStruct"} + }, + "payload":"PayloadMember" + }, + "OperationWithGreedyLabelInput":{ + "type":"structure", + "required":[ + "NonGreedyPathParam", + "GreedyPathParam" + ], + "members":{ + "NonGreedyPathParam":{ + "shape":"String", + "location":"uri", + "locationName":"NonGreedyPathParam" + }, + "GreedyPathParam":{ + "shape":"String", + "location":"uri", + "locationName":"GreedyPathParam" + } + } + }, + "OperationWithModeledContentTypeInput":{ + "type":"structure", + "members":{ + "ContentType":{ + "shape":"String", + "location":"header", + "locationName":"Content-Type" + } + } + }, + "PaginatedOperationWithResultKeyRequest": { + "type": "structure", + "members": { + "NextToken": { + "shape": "String", + "documentation": "

Token for the next set of results

" + }, + "MaxResults": { + "shape": "String", + "documentation": "

Maximum number of results in a single page

" + } + } + }, + "PaginatedOperationWithResultKeyResponse": { + "type": "structure", + "members": { + "NextToken": { + "shape": "String", + "documentation": "

Token for the next set of results

" + }, + "Items": { + "shape": "ListOfSimpleStructs", + "documentation": "

Maximum number of results in a single page

" + } + }, + "documentation": "

Response type of a single page

" + }, + "PaginatedOperationWithMoreResultsRequest": { + "type": "structure", + "required": [ + "NextToken" + ], + "members": { + "NextToken": { + "shape": "String", + "documentation": "

Token for the next set of results

" + }, + "MaxResults": { + "shape": "String", + "documentation": "

Maximum number of results in a single page

" + } + } + }, + "PaginatedOperationWithMoreResultsResponse": { + "type": "structure", + "members": { + "NextToken": { + "shape": "String", + "documentation": "

Token for the next set of results

" + }, + "Truncated":{ + "shape":"Boolean", + "documentation":"

A flag that indicates whether there are more results in the list. When this value is true, the list in this response is truncated.

" + } + }, + "documentation": "

Response type of multiple pages

" + }, + "PayloadStructType":{ + "type":"structure", + "members":{ + "PayloadMemberOne":{"shape":"String"}, + "PayloadMemberTwo":{"shape":"String"} + } + }, + "QueryParamWithoutValueInput":{ + "type":"structure", + "members":{ + } + }, + "RecursiveListType":{ + "type":"list", + "member":{"shape":"RecursiveStructType"} + }, + "RecursiveMapType":{ + "type":"map", + "key":{"shape":"String"}, + "value":{"shape":"RecursiveStructType"} + }, + "RecursiveStructType":{ + "type":"structure", + "members":{ + "NoRecurse":{"shape":"String"}, + "RecursiveStruct":{"shape":"RecursiveStructType"}, + "RecursiveList":{"shape":"RecursiveListType"}, + "RecursiveMap":{"shape":"RecursiveMapType"} + } + }, + "SimpleStruct":{ + "type":"structure", + "members":{ + "StringMember":{"shape":"String"} + } + }, + "StreamType":{ + "type":"blob", + "streaming":true + }, + "String":{"type":"string"}, + "StructWithNestedBlobType":{ + "type":"structure", + "members":{ + "NestedBlob":{"shape":"BlobType"} + } + }, + "StructWithTimestamp":{ + "type":"structure", + "members":{ + "NestedTimestamp":{"shape":"Timestamp"} + } + }, + "StructureWithStreamingMember":{ + "type":"structure", + "members":{ + "StreamingMember":{"shape":"StreamType"} + }, + "payload":"StreamingMember" + }, + "SubTypeOne":{ + "type":"structure", + "members":{ + "SubTypeOneMember":{"shape":"String"} + } + }, + "Timestamp":{"type":"timestamp"}, + "EnumType": { + "type":"string", + "enum": [ + "EnumValue1", "EnumValue2" + ] + }, + "EventStreamOperationRequest": { + "type": "structure", + "required": [ + "InputEventStream" + ], + "members": { + "InputEventStream": { + "shape": "InputEventStream" + } + }, + "payload":"InputEventStream" + }, + "EventStreamOutput": { + "type": "structure", + "required": [ + "EventStream" + ], + "members": { + "EventStream": { + "shape": "EventStream" + } + } + }, + "InputEventStream": { + "type": "structure", + "members": { + "InputEvent": { + "shape": "InputEvent" + } + }, + "eventstream": true + }, + "InputEvent": { + "type": "structure", + "members": { + "ExplicitPayloadMember": { + "shape":"ExplicitPayloadMember", + "eventpayload":true + } + }, + "event": true + }, + "ExplicitPayloadMember":{"type":"blob"}, + "EventStream": { + "type": "structure", + "members": { + "EventOne": { + "shape": "EventOne" + }, + "EventTwo": { + "shape": "EventTwo" + } + }, + "eventstream": true + }, + "EventOne": { + "type": "structure", + "members": { + "Foo": { + "shape": "String" + } + }, + "event": true + }, + "EventTwo": { + "type": "structure", + "members": { + "Bar": { + "shape": "String" + } + }, + "event": true + }, + "ChecksumAlgorithm":{ + "type":"string", + "enum":[ + "CRC32", + "CRC32C", + "SHA1", + "SHA256" + ] + }, + "ChecksumMode":{ + "type":"string", + "enum":["ENABLED"] + }, + "ChecksumStructureWithStreaming":{ + "type":"structure", + "members":{ + "Body":{ + "shape":"Body", + "documentation":"

Object data.

", + "streaming":true + }, + "ChecksumMode":{ + "shape":"ChecksumMode", + "location":"header", + "locationName":"x-amz-checksum-mode" + }, + "ContentEncoding":{ + "shape":"String", + "location":"header", + "locationName":"Content-Encoding" + }, + "ChecksumAlgorithm":{ + "shape":"ChecksumAlgorithm", + "location":"header", + "locationName":"x-amz-checksum-algorithm" + } + }, + "payload":"Body" + }, + "Body":{"type":"blob"}, + "ChecksumStructure":{ + "type":"structure", + "members":{ + "stringMember":{"shape":"String"}, + "ChecksumMode":{ + "shape":"ChecksumMode", + "location":"header", + "locationName":"x-amz-checksum-mode" + }, + "ContentEncoding":{ + "shape":"String", + "location":"header", + "locationName":"Content-Encoding" + }, + "ChecksumAlgorithm":{ + "shape":"ChecksumAlgorithm", + "location":"header", + "locationName":"x-amz-checksum-algorithm" + } + } + }, + "NestedQueryParameterOperation":{ + "type":"structure", + "required":[ + "QueryParamOne" + ], + "members":{ + "QueryParamOne":{ + "shape":"String", + "location":"querystring", + "locationName":"QueryParamOne" + }, + "QueryParamTwo":{ + "shape":"String", + "location":"querystring", + "locationName":"QueryParamTwo" + } + } + }, + "QueryParameterOperationRequest":{ + "type":"structure", + "required":[ + "PathParam", + "QueryParamOne", + "StringHeaderMember", + "RequiredListQueryParams", + "RequiredMapQueryParams" + ], + "members":{ + "PathParam":{ + "shape":"String", + "location":"uri", + "locationName":"PathParam" + }, + "QueryParamOne":{ + "shape":"String", + "location":"querystring", + "locationName":"QueryParamOne" + }, + "QueryParamTwo":{ + "shape":"String", + "location":"querystring", + "locationName":"QueryParamTwo" + }, + "StringHeaderMember":{ + "shape":"String", + "location":"header", + "locationName":"x-amz-header-string" + }, + "NestedQueryParameterOperation":{ + "shape":"NestedQueryParameterOperation" + }, + "RequiredListQueryParams":{ + "shape":"ListOfIntegers", + "location":"querystring" + }, + "OptionalListQueryParams":{ + "shape":"ListOfStrings", + "location":"querystring" + }, + "RequiredMapQueryParams":{ + "shape":"MapOfStringToString", + "location":"querystring" + } + }, + "payload":"NestedQueryParameterOperation" + }, + "RequestCompressionStructure":{ + "type":"structure", + "members":{ + "Body":{ + "shape":"Body", + "documentation":"

Object data.

", + "streaming":false + } + }, + "payload":"Body" + }, + "RequestCompressionStructureWithStreaming":{ + "type":"structure", + "members":{ + "Body":{ + "shape":"Body", + "documentation":"

Object data.

", + "streaming":true + } + }, + "payload":"Body" + }, + "GetOperationWithMapEndpointParamInput": { + "type": "structure", + "required":["MapOfStrings"], + "members": { + "MapOfStrings":{ + "shape":"MapOfStrings" + } + } + }, + "GetOperationWithMapEndpointParamOutput": { + "type": "structure", + "members": { + "MapOfStrings":{ + "shape":"MapOfStrings" + } + } + }, + "MapOfStrings":{ + "type":"map", + "key":{"shape":"String"}, + "value":{"shape":"String"} + } + } +} diff --git a/test/codegen-generated-classes-test/src/test/java/software/amazon/awssdk/services/DualstackEndpointTest.java b/test/codegen-generated-classes-test/src/test/java/software/amazon/awssdk/services/DualstackEndpointTest.java index 7cfaa71cc865..3c9e821950bc 100644 --- a/test/codegen-generated-classes-test/src/test/java/software/amazon/awssdk/services/DualstackEndpointTest.java +++ b/test/codegen-generated-classes-test/src/test/java/software/amazon/awssdk/services/DualstackEndpointTest.java @@ -12,8 +12,9 @@ import software.amazon.awssdk.profiles.ProfileFile; import software.amazon.awssdk.profiles.ProfileProperty; import software.amazon.awssdk.regions.Region; -import software.amazon.awssdk.services.protocolrestjson.ProtocolRestJsonClient; -import software.amazon.awssdk.services.protocolrestjson.ProtocolRestJsonClientBuilder; +import software.amazon.awssdk.services.protocolrestjsonwithconfig.ProtocolRestJsonWithConfigClient; +import software.amazon.awssdk.services.protocolrestjsonwithconfig.ProtocolRestJsonWithConfigClientBuilder; +import software.amazon.awssdk.services.protocolrestjsonwithconfig.ProtocolRestJsonWithConfigConfiguration; import software.amazon.awssdk.testutils.EnvironmentVariableHelper; import software.amazon.awssdk.utils.StringInputStream; import software.amazon.awssdk.utils.Validate; @@ -29,10 +30,17 @@ public void resolvesCorrectEndpoint() { EnvironmentVariableHelper helper = new EnvironmentVariableHelper(); try { - ProtocolRestJsonClientBuilder builder = - ProtocolRestJsonClient.builder() - .region(Region.US_WEST_2) - .credentialsProvider(AnonymousCredentialsProvider.create()); + ProtocolRestJsonWithConfigClientBuilder builder = + ProtocolRestJsonWithConfigClient.builder() + .region(Region.US_WEST_2) + .credentialsProvider(AnonymousCredentialsProvider.create()); + + if (testCase.serviceConfigSetting != null) { + builder.serviceConfiguration( + ProtocolRestJsonWithConfigConfiguration.builder() + .dualstackEnabled(testCase.serviceConfigSetting) + .build()); + } if (testCase.clientSetting != null) { builder.dualstackEnabled(testCase.clientSetting); @@ -62,7 +70,7 @@ public void resolvesCorrectEndpoint() { .addExecutionInterceptor(interceptor)); if (testCase instanceof SuccessCase) { - ProtocolRestJsonClient client = builder.build(); + ProtocolRestJsonWithConfigClient client = builder.build(); try { client.allTypes(); @@ -92,32 +100,38 @@ public void resolvesCorrectEndpoint() { @Parameterized.Parameters(name = "{0}") public static Iterable testCases() { - return Arrays.asList(new SuccessCase(true, "false", "false", "false", true, "Client highest priority (true)"), - new SuccessCase(false, "true", "true", "true", false, "Client highest priority (false)"), - new SuccessCase(null, "true", "false", "false", true, "System property second priority (true)"), - new SuccessCase(null, "false", "true", "true", false, "System property second priority (false)"), - new SuccessCase(null, null, "true", "false", true, "Env var third priority (true)"), - new SuccessCase(null, null, "false", "true", false, "Env var third priority (false)"), - new SuccessCase(null, null, null, "true", true, "Profile last priority (true)"), - new SuccessCase(null, null, null, "false", false, "Profile last priority (false)"), - new SuccessCase(null, null, null, null, false, "Default is false."), - new SuccessCase(null, "tRuE", null, null, true, "System property is not case sensitive."), - new SuccessCase(null, null, "tRuE", null, true, "Env var is not case sensitive."), - new SuccessCase(null, null, null, "tRuE", true, "Profile property is not case sensitive."), - new FailureCase(null, "FOO", null, null, "FOO", "Invalid system property values fail."), - new FailureCase(null, null, "FOO", null, "FOO", "Invalid env var values fail."), - new FailureCase(null, null, null, "FOO", "FOO", "Invalid profile values fail.")); + return Arrays.asList(new SuccessCase(true, null, "false", "false", "false", true, "Client config highest priority (true)"), + new SuccessCase(false, null, "true", "true", "true", false, "Client config highest priority (false)"), + new SuccessCase(null, true, "false", "false", "false", true, "Client highest priority (true)"), + new SuccessCase(null, false, "true", "true", "true", false, "Client highest priority (false)"), + new SuccessCase(null, null, "true", "false", "false", true, "System property second priority (true)"), + new SuccessCase(null, null, "false", "true", "true", false, "System property second priority (false)"), + new SuccessCase(null, null, null, "true", "false", true, "Env var third priority (true)"), + new SuccessCase(null, null, null, "false", "true", false, "Env var third priority (false)"), + new SuccessCase(null, null, null, null, "true", true, "Profile last priority (true)"), + new SuccessCase(null, null, null, null, "false", false, "Profile last priority (false)"), + new SuccessCase(null, null, null, null, null, false, "Default is false."), + new SuccessCase(null, null, "tRuE", null, null, true, "System property is not case sensitive."), + new SuccessCase(null, null, null, "tRuE", null, true, "Env var is not case sensitive."), + new SuccessCase(null, null, null, null, "tRuE", true, "Profile property is not case sensitive."), + new FailureCase(null, null, "FOO", null, null, "FOO", "Invalid system property values fail."), + new FailureCase(null, null, null, "FOO", null, "FOO", "Invalid env var values fail."), + new FailureCase(null, null, null, null, "FOO", "FOO", "Invalid profile values fail."), + new FailureCase(true, false, null, null, "FOO", "Dualstack has been configured on both ProtocolRestJsonWithConfigConfiguration and the client/global level", "Invalid - config and client builder both set")); } public static class TestCase { + private final Boolean serviceConfigSetting; private final Boolean clientSetting; private final String envVarSetting; private final String systemPropSetting; private final String profileSetting; private final String caseName; - public TestCase(Boolean clientSetting, String systemPropSetting, String envVarSetting, String profileSetting, + public TestCase(Boolean serviceConfigSetting, Boolean clientSetting, String systemPropSetting, String envVarSetting, + String profileSetting, String caseName) { + this.serviceConfigSetting = serviceConfigSetting; this.clientSetting = clientSetting; this.envVarSetting = envVarSetting; this.systemPropSetting = systemPropSetting; @@ -134,13 +148,14 @@ public String toString() { public static class SuccessCase extends TestCase { private final boolean expectedValue; - public SuccessCase(Boolean clientSetting, + public SuccessCase(Boolean serviceConfigSetting, + Boolean clientSetting, String systemPropSetting, String envVarSetting, String profileSetting, boolean expectedValue, String caseName) { - super(clientSetting, systemPropSetting, envVarSetting, profileSetting, caseName); + super(serviceConfigSetting, clientSetting, systemPropSetting, envVarSetting, profileSetting, caseName); this.expectedValue = expectedValue; } } @@ -148,13 +163,14 @@ public SuccessCase(Boolean clientSetting, private static class FailureCase extends TestCase { private final String exceptionMessage; - public FailureCase(Boolean clientSetting, + public FailureCase(Boolean serviceConfigSetting, + Boolean clientSetting, String systemPropSetting, String envVarSetting, String profileSetting, String exceptionMessage, String caseName) { - super(clientSetting, systemPropSetting, envVarSetting, profileSetting, caseName); + super(serviceConfigSetting, clientSetting, systemPropSetting, envVarSetting, profileSetting, caseName); this.exceptionMessage = exceptionMessage; } } From 3d0e8e9e965a4eee65cb95e746584a5c124d7abf Mon Sep 17 00:00:00 2001 From: AWS <> Date: Tue, 10 Sep 2024 21:12:55 +0000 Subject: [PATCH 053/108] Update to next snapshot version: 2.27.24-SNAPSHOT --- 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/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 +- metric-publishers/cloudwatch-metric-publisher/pom.xml | 2 +- metric-publishers/pom.xml | 2 +- pom.xml | 4 ++-- 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 +- services-custom/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/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 +- services/licensemanagerlinuxsubscriptions/pom.xml | 2 +- services/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/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 +- services/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/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/worklink/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 +- test/bundle-logging-bridge-binding-test/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 +- test/old-client-version-compatibility-test/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 +- third-party/third-party-jackson-dataformat-cbor/pom.xml | 2 +- third-party/third-party-slf4j-api/pom.xml | 2 +- utils/pom.xml | 2 +- v2-migration/pom.xml | 2 +- 469 files changed, 470 insertions(+), 470 deletions(-) diff --git a/archetypes/archetype-app-quickstart/pom.xml b/archetypes/archetype-app-quickstart/pom.xml index b674a3f458f7..e1608b809cfa 100644 --- a/archetypes/archetype-app-quickstart/pom.xml +++ b/archetypes/archetype-app-quickstart/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.23 + 2.27.24-SNAPSHOT 4.0.0 diff --git a/archetypes/archetype-lambda/pom.xml b/archetypes/archetype-lambda/pom.xml index 7fe6ded1df4f..78ddf0349111 100644 --- a/archetypes/archetype-lambda/pom.xml +++ b/archetypes/archetype-lambda/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.23 + 2.27.24-SNAPSHOT 4.0.0 archetype-lambda diff --git a/archetypes/archetype-tools/pom.xml b/archetypes/archetype-tools/pom.xml index c7eb0846b9e0..4e8f96c03f23 100644 --- a/archetypes/archetype-tools/pom.xml +++ b/archetypes/archetype-tools/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.23 + 2.27.24-SNAPSHOT 4.0.0 diff --git a/archetypes/pom.xml b/archetypes/pom.xml index e3d0a3e5f0c7..d0df93b57c65 100644 --- a/archetypes/pom.xml +++ b/archetypes/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.23 + 2.27.24-SNAPSHOT 4.0.0 archetypes diff --git a/aws-sdk-java/pom.xml b/aws-sdk-java/pom.xml index 1adeec843c17..c14f320c319a 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.27.23 + 2.27.24-SNAPSHOT ../pom.xml aws-sdk-java diff --git a/bom-internal/pom.xml b/bom-internal/pom.xml index 586b197aeb3a..613983f159d1 100644 --- a/bom-internal/pom.xml +++ b/bom-internal/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.23 + 2.27.24-SNAPSHOT 4.0.0 diff --git a/bom/pom.xml b/bom/pom.xml index 531783f35d2f..d8ce88578174 100644 --- a/bom/pom.xml +++ b/bom/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.23 + 2.27.24-SNAPSHOT ../pom.xml bom diff --git a/bundle-logging-bridge/pom.xml b/bundle-logging-bridge/pom.xml index 1d34568f02ed..ee73b68e4b2d 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.27.23 + 2.27.24-SNAPSHOT bundle-logging-bridge jar diff --git a/bundle-sdk/pom.xml b/bundle-sdk/pom.xml index 69fc647eceef..9adbe8f47052 100644 --- a/bundle-sdk/pom.xml +++ b/bundle-sdk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.23 + 2.27.24-SNAPSHOT bundle-sdk jar diff --git a/bundle/pom.xml b/bundle/pom.xml index 29f70a6cb294..0d0c7728e397 100644 --- a/bundle/pom.xml +++ b/bundle/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.23 + 2.27.24-SNAPSHOT bundle jar diff --git a/codegen-lite-maven-plugin/pom.xml b/codegen-lite-maven-plugin/pom.xml index 349928c5e2dc..57cc44b6afc1 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.27.23 + 2.27.24-SNAPSHOT ../pom.xml codegen-lite-maven-plugin diff --git a/codegen-lite/pom.xml b/codegen-lite/pom.xml index c76aca5c8aa0..3d3905625c4d 100644 --- a/codegen-lite/pom.xml +++ b/codegen-lite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.23 + 2.27.24-SNAPSHOT codegen-lite AWS Java SDK :: Code Generator Lite diff --git a/codegen-maven-plugin/pom.xml b/codegen-maven-plugin/pom.xml index 2674a3dc1c17..85bc9f955916 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.27.23 + 2.27.24-SNAPSHOT ../pom.xml codegen-maven-plugin diff --git a/codegen/pom.xml b/codegen/pom.xml index 373b1935687d..6cfd71f83342 100644 --- a/codegen/pom.xml +++ b/codegen/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.23 + 2.27.24-SNAPSHOT codegen AWS Java SDK :: Code Generator diff --git a/core/annotations/pom.xml b/core/annotations/pom.xml index 3835f243f34f..0e12430581cb 100644 --- a/core/annotations/pom.xml +++ b/core/annotations/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.23 + 2.27.24-SNAPSHOT 4.0.0 diff --git a/core/arns/pom.xml b/core/arns/pom.xml index af689f532fc7..6a6bac0cf0c1 100644 --- a/core/arns/pom.xml +++ b/core/arns/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.23 + 2.27.24-SNAPSHOT 4.0.0 diff --git a/core/auth-crt/pom.xml b/core/auth-crt/pom.xml index 14dbf664b577..932ada3dac26 100644 --- a/core/auth-crt/pom.xml +++ b/core/auth-crt/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.23 + 2.27.24-SNAPSHOT auth-crt diff --git a/core/auth/pom.xml b/core/auth/pom.xml index 157568610b7c..ac0e836f1c0b 100644 --- a/core/auth/pom.xml +++ b/core/auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.23 + 2.27.24-SNAPSHOT auth diff --git a/core/aws-core/pom.xml b/core/aws-core/pom.xml index cb3253118631..6a164c9dac9d 100644 --- a/core/aws-core/pom.xml +++ b/core/aws-core/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.23 + 2.27.24-SNAPSHOT aws-core diff --git a/core/checksums-spi/pom.xml b/core/checksums-spi/pom.xml index 086788f55cb7..0d3ab970faaa 100644 --- a/core/checksums-spi/pom.xml +++ b/core/checksums-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.23 + 2.27.24-SNAPSHOT checksums-spi diff --git a/core/checksums/pom.xml b/core/checksums/pom.xml index 3a7ed3f27014..bb60f1669dc7 100644 --- a/core/checksums/pom.xml +++ b/core/checksums/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.23 + 2.27.24-SNAPSHOT checksums diff --git a/core/crt-core/pom.xml b/core/crt-core/pom.xml index f8fa6465b4bf..b7b5f5fa24b5 100644 --- a/core/crt-core/pom.xml +++ b/core/crt-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.27.23 + 2.27.24-SNAPSHOT crt-core diff --git a/core/endpoints-spi/pom.xml b/core/endpoints-spi/pom.xml index 407616695fd5..0664139670fd 100644 --- a/core/endpoints-spi/pom.xml +++ b/core/endpoints-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.23 + 2.27.24-SNAPSHOT 4.0.0 diff --git a/core/http-auth-aws-crt/pom.xml b/core/http-auth-aws-crt/pom.xml index 2919f6e728d1..80f33e757323 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.27.23 + 2.27.24-SNAPSHOT http-auth-aws-crt diff --git a/core/http-auth-aws-eventstream/pom.xml b/core/http-auth-aws-eventstream/pom.xml index f70b8179b935..2cacfd428b9b 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.27.23 + 2.27.24-SNAPSHOT http-auth-aws-eventstream diff --git a/core/http-auth-aws/pom.xml b/core/http-auth-aws/pom.xml index 191fbcc4202f..cde42f1fb98f 100644 --- a/core/http-auth-aws/pom.xml +++ b/core/http-auth-aws/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.23 + 2.27.24-SNAPSHOT http-auth-aws diff --git a/core/http-auth-spi/pom.xml b/core/http-auth-spi/pom.xml index a3bc57466512..9140168cd8ac 100644 --- a/core/http-auth-spi/pom.xml +++ b/core/http-auth-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.23 + 2.27.24-SNAPSHOT http-auth-spi diff --git a/core/http-auth/pom.xml b/core/http-auth/pom.xml index 4cf95e53910c..918639240049 100644 --- a/core/http-auth/pom.xml +++ b/core/http-auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.23 + 2.27.24-SNAPSHOT http-auth diff --git a/core/identity-spi/pom.xml b/core/identity-spi/pom.xml index 20cfaf5ab496..7738ead970e8 100644 --- a/core/identity-spi/pom.xml +++ b/core/identity-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.23 + 2.27.24-SNAPSHOT identity-spi diff --git a/core/imds/pom.xml b/core/imds/pom.xml index 01cc70678e46..1b184cb9ed1b 100644 --- a/core/imds/pom.xml +++ b/core/imds/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.23 + 2.27.24-SNAPSHOT 4.0.0 imds diff --git a/core/json-utils/pom.xml b/core/json-utils/pom.xml index 24d16e89f5d3..8ca7733e19eb 100644 --- a/core/json-utils/pom.xml +++ b/core/json-utils/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.23 + 2.27.24-SNAPSHOT 4.0.0 diff --git a/core/metrics-spi/pom.xml b/core/metrics-spi/pom.xml index c0665b9b83f7..ef0b9154b7aa 100644 --- a/core/metrics-spi/pom.xml +++ b/core/metrics-spi/pom.xml @@ -5,7 +5,7 @@ core software.amazon.awssdk - 2.27.23 + 2.27.24-SNAPSHOT 4.0.0 diff --git a/core/pom.xml b/core/pom.xml index 5deb0d15429a..fb0ff04a1d2e 100644 --- a/core/pom.xml +++ b/core/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.23 + 2.27.24-SNAPSHOT core diff --git a/core/profiles/pom.xml b/core/profiles/pom.xml index 6bad98aca354..77799a88862f 100644 --- a/core/profiles/pom.xml +++ b/core/profiles/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.23 + 2.27.24-SNAPSHOT profiles diff --git a/core/protocols/aws-cbor-protocol/pom.xml b/core/protocols/aws-cbor-protocol/pom.xml index 64b43a20c8d2..c37d5ec9c85d 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.27.23 + 2.27.24-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-json-protocol/pom.xml b/core/protocols/aws-json-protocol/pom.xml index acbd5e629744..04a7f290908a 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.27.23 + 2.27.24-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-query-protocol/pom.xml b/core/protocols/aws-query-protocol/pom.xml index 0ff46c0e50b1..c04ea7db9eb2 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.27.23 + 2.27.24-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-xml-protocol/pom.xml b/core/protocols/aws-xml-protocol/pom.xml index 3eff6b3308aa..1026963bd857 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.27.23 + 2.27.24-SNAPSHOT 4.0.0 diff --git a/core/protocols/pom.xml b/core/protocols/pom.xml index ac0d801fa9a5..36c3d84f1fed 100644 --- a/core/protocols/pom.xml +++ b/core/protocols/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.23 + 2.27.24-SNAPSHOT 4.0.0 diff --git a/core/protocols/protocol-core/pom.xml b/core/protocols/protocol-core/pom.xml index 31000571cf25..9760aa0ed693 100644 --- a/core/protocols/protocol-core/pom.xml +++ b/core/protocols/protocol-core/pom.xml @@ -20,7 +20,7 @@ protocols software.amazon.awssdk - 2.27.23 + 2.27.24-SNAPSHOT 4.0.0 diff --git a/core/regions/pom.xml b/core/regions/pom.xml index bcef65be467d..ad2032d5c81d 100644 --- a/core/regions/pom.xml +++ b/core/regions/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.23 + 2.27.24-SNAPSHOT regions diff --git a/core/retries-spi/pom.xml b/core/retries-spi/pom.xml index 6b19dc324545..4853548f0b68 100644 --- a/core/retries-spi/pom.xml +++ b/core/retries-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.23 + 2.27.24-SNAPSHOT 4.0.0 diff --git a/core/retries/pom.xml b/core/retries/pom.xml index 9da72218c9d9..cb5c530bdc8c 100644 --- a/core/retries/pom.xml +++ b/core/retries/pom.xml @@ -21,7 +21,7 @@ core software.amazon.awssdk - 2.27.23 + 2.27.24-SNAPSHOT 4.0.0 diff --git a/core/sdk-core/pom.xml b/core/sdk-core/pom.xml index be9563f8a0a6..5637004784d8 100644 --- a/core/sdk-core/pom.xml +++ b/core/sdk-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.27.23 + 2.27.24-SNAPSHOT sdk-core AWS Java SDK :: SDK Core diff --git a/http-client-spi/pom.xml b/http-client-spi/pom.xml index 8ea851a7f2f4..9dce5d6a3525 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.27.23 + 2.27.24-SNAPSHOT http-client-spi AWS Java SDK :: HTTP Client Interface diff --git a/http-clients/apache-client/pom.xml b/http-clients/apache-client/pom.xml index a10b66ca3836..61d0ec5a479a 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.27.23 + 2.27.24-SNAPSHOT apache-client diff --git a/http-clients/aws-crt-client/pom.xml b/http-clients/aws-crt-client/pom.xml index c0e22f6c960b..5bf8be0f2d97 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.27.23 + 2.27.24-SNAPSHOT 4.0.0 diff --git a/http-clients/netty-nio-client/pom.xml b/http-clients/netty-nio-client/pom.xml index 2f8e2d387594..cb9658057794 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.27.23 + 2.27.24-SNAPSHOT 4.0.0 diff --git a/http-clients/pom.xml b/http-clients/pom.xml index a32dd311a516..85827b404ff9 100644 --- a/http-clients/pom.xml +++ b/http-clients/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.23 + 2.27.24-SNAPSHOT 4.0.0 diff --git a/http-clients/url-connection-client/pom.xml b/http-clients/url-connection-client/pom.xml index 7bcd68919add..43f4a2627049 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.27.23 + 2.27.24-SNAPSHOT 4.0.0 diff --git a/metric-publishers/cloudwatch-metric-publisher/pom.xml b/metric-publishers/cloudwatch-metric-publisher/pom.xml index d008cf584e51..39c81325560a 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.27.23 + 2.27.24-SNAPSHOT cloudwatch-metric-publisher diff --git a/metric-publishers/pom.xml b/metric-publishers/pom.xml index 281f4ee34a43..cfe676fe85cc 100644 --- a/metric-publishers/pom.xml +++ b/metric-publishers/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.23 + 2.27.24-SNAPSHOT metric-publishers diff --git a/pom.xml b/pom.xml index 6f0a2ebd1c12..31e8d093542b 100644 --- a/pom.xml +++ b/pom.xml @@ -20,7 +20,7 @@ 4.0.0 software.amazon.awssdk aws-sdk-java-pom - 2.27.23 + 2.27.24-SNAPSHOT pom AWS Java SDK :: Parent The Amazon Web Services SDK for Java provides Java APIs @@ -99,7 +99,7 @@ ${project.version} - 2.27.22 + 2.27.23 2.15.2 2.15.2 2.13.2 diff --git a/release-scripts/pom.xml b/release-scripts/pom.xml index ee372031dd6f..7b2b8b3f883a 100644 --- a/release-scripts/pom.xml +++ b/release-scripts/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.23 + 2.27.24-SNAPSHOT ../pom.xml release-scripts diff --git a/services-custom/dynamodb-enhanced/pom.xml b/services-custom/dynamodb-enhanced/pom.xml index d296b0dfde24..52945c81da7f 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.27.23 + 2.27.24-SNAPSHOT dynamodb-enhanced AWS Java SDK :: DynamoDB :: Enhanced Client diff --git a/services-custom/iam-policy-builder/pom.xml b/services-custom/iam-policy-builder/pom.xml index 8df260790011..313cd53aaf71 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.27.23 + 2.27.24-SNAPSHOT ../../pom.xml iam-policy-builder diff --git a/services-custom/pom.xml b/services-custom/pom.xml index 55bf39f7c8fc..8ddd7613268f 100644 --- a/services-custom/pom.xml +++ b/services-custom/pom.xml @@ -19,7 +19,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.23 + 2.27.24-SNAPSHOT services-custom AWS Java SDK :: Custom Services diff --git a/services-custom/s3-event-notifications/pom.xml b/services-custom/s3-event-notifications/pom.xml index cd09ca652f40..afe6eec7fcf3 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.27.23 + 2.27.24-SNAPSHOT ../../pom.xml s3-event-notifications diff --git a/services-custom/s3-transfer-manager/pom.xml b/services-custom/s3-transfer-manager/pom.xml index 4b65a7477ff6..133539a3a755 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.27.23 + 2.27.24-SNAPSHOT ../../pom.xml s3-transfer-manager diff --git a/services/accessanalyzer/pom.xml b/services/accessanalyzer/pom.xml index ca671c15e224..0d5775d0efd0 100644 --- a/services/accessanalyzer/pom.xml +++ b/services/accessanalyzer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT accessanalyzer AWS Java SDK :: Services :: AccessAnalyzer diff --git a/services/account/pom.xml b/services/account/pom.xml index 711b9e4fc2c6..cea4967827f5 100644 --- a/services/account/pom.xml +++ b/services/account/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT account AWS Java SDK :: Services :: Account diff --git a/services/acm/pom.xml b/services/acm/pom.xml index 540936b31cc2..fb49812a1f61 100644 --- a/services/acm/pom.xml +++ b/services/acm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT acm AWS Java SDK :: Services :: AWS Certificate Manager diff --git a/services/acmpca/pom.xml b/services/acmpca/pom.xml index 3359bfacfb8b..755032df38b7 100644 --- a/services/acmpca/pom.xml +++ b/services/acmpca/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT acmpca AWS Java SDK :: Services :: ACM PCA diff --git a/services/amp/pom.xml b/services/amp/pom.xml index 044ffe9a08e6..32c820809b5d 100644 --- a/services/amp/pom.xml +++ b/services/amp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT amp AWS Java SDK :: Services :: Amp diff --git a/services/amplify/pom.xml b/services/amplify/pom.xml index 194d6aa90550..fdc50d7ec6b5 100644 --- a/services/amplify/pom.xml +++ b/services/amplify/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT amplify AWS Java SDK :: Services :: Amplify diff --git a/services/amplifybackend/pom.xml b/services/amplifybackend/pom.xml index 4010b4a89cd4..87f985bcb066 100644 --- a/services/amplifybackend/pom.xml +++ b/services/amplifybackend/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT amplifybackend AWS Java SDK :: Services :: Amplify Backend diff --git a/services/amplifyuibuilder/pom.xml b/services/amplifyuibuilder/pom.xml index fc657b40ed75..dd300d2f9279 100644 --- a/services/amplifyuibuilder/pom.xml +++ b/services/amplifyuibuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT amplifyuibuilder AWS Java SDK :: Services :: Amplify UI Builder diff --git a/services/apigateway/pom.xml b/services/apigateway/pom.xml index c32fb8f3003e..29f40aa605c1 100644 --- a/services/apigateway/pom.xml +++ b/services/apigateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT apigateway AWS Java SDK :: Services :: Amazon API Gateway diff --git a/services/apigatewaymanagementapi/pom.xml b/services/apigatewaymanagementapi/pom.xml index 3cd9db06989a..b0214e7425e6 100644 --- a/services/apigatewaymanagementapi/pom.xml +++ b/services/apigatewaymanagementapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT apigatewaymanagementapi AWS Java SDK :: Services :: ApiGatewayManagementApi diff --git a/services/apigatewayv2/pom.xml b/services/apigatewayv2/pom.xml index a9c99c5b2266..b4321fe93368 100644 --- a/services/apigatewayv2/pom.xml +++ b/services/apigatewayv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT apigatewayv2 AWS Java SDK :: Services :: ApiGatewayV2 diff --git a/services/appconfig/pom.xml b/services/appconfig/pom.xml index 0e9b3ff0432f..a411a0bc5e95 100644 --- a/services/appconfig/pom.xml +++ b/services/appconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT appconfig AWS Java SDK :: Services :: AppConfig diff --git a/services/appconfigdata/pom.xml b/services/appconfigdata/pom.xml index 7501607e1854..7bafda201b1d 100644 --- a/services/appconfigdata/pom.xml +++ b/services/appconfigdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT appconfigdata AWS Java SDK :: Services :: App Config Data diff --git a/services/appfabric/pom.xml b/services/appfabric/pom.xml index a7f8213ed27f..852f259a4502 100644 --- a/services/appfabric/pom.xml +++ b/services/appfabric/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT appfabric AWS Java SDK :: Services :: App Fabric diff --git a/services/appflow/pom.xml b/services/appflow/pom.xml index cbc2ea7e9e13..0fd3fd3dbed3 100644 --- a/services/appflow/pom.xml +++ b/services/appflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT appflow AWS Java SDK :: Services :: Appflow diff --git a/services/appintegrations/pom.xml b/services/appintegrations/pom.xml index 00ce068ec930..57f535448831 100644 --- a/services/appintegrations/pom.xml +++ b/services/appintegrations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT appintegrations AWS Java SDK :: Services :: App Integrations diff --git a/services/applicationautoscaling/pom.xml b/services/applicationautoscaling/pom.xml index 0522d794f6a7..f18ac8e7fea0 100644 --- a/services/applicationautoscaling/pom.xml +++ b/services/applicationautoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT applicationautoscaling AWS Java SDK :: Services :: AWS Application Auto Scaling diff --git a/services/applicationcostprofiler/pom.xml b/services/applicationcostprofiler/pom.xml index c7a5f50e1cc9..2eb66e1d7fc7 100644 --- a/services/applicationcostprofiler/pom.xml +++ b/services/applicationcostprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT applicationcostprofiler AWS Java SDK :: Services :: Application Cost Profiler diff --git a/services/applicationdiscovery/pom.xml b/services/applicationdiscovery/pom.xml index ac912e821f50..7ab287aee0c3 100644 --- a/services/applicationdiscovery/pom.xml +++ b/services/applicationdiscovery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT applicationdiscovery AWS Java SDK :: Services :: AWS Application Discovery Service diff --git a/services/applicationinsights/pom.xml b/services/applicationinsights/pom.xml index 7f23c6293566..67741d4475d1 100644 --- a/services/applicationinsights/pom.xml +++ b/services/applicationinsights/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT applicationinsights AWS Java SDK :: Services :: Application Insights diff --git a/services/applicationsignals/pom.xml b/services/applicationsignals/pom.xml index 247dffd77b72..b9403a1b4300 100644 --- a/services/applicationsignals/pom.xml +++ b/services/applicationsignals/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT applicationsignals AWS Java SDK :: Services :: Application Signals diff --git a/services/appmesh/pom.xml b/services/appmesh/pom.xml index 384bb0863c47..84f126c9e63c 100644 --- a/services/appmesh/pom.xml +++ b/services/appmesh/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT appmesh AWS Java SDK :: Services :: App Mesh diff --git a/services/apprunner/pom.xml b/services/apprunner/pom.xml index 02d1d22c3aac..3fefa14a1817 100644 --- a/services/apprunner/pom.xml +++ b/services/apprunner/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT apprunner AWS Java SDK :: Services :: App Runner diff --git a/services/appstream/pom.xml b/services/appstream/pom.xml index a57574927eb4..eeba96ce9d92 100644 --- a/services/appstream/pom.xml +++ b/services/appstream/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT appstream AWS Java SDK :: Services :: Amazon AppStream diff --git a/services/appsync/pom.xml b/services/appsync/pom.xml index b6131b300e88..c97edfffdb9c 100644 --- a/services/appsync/pom.xml +++ b/services/appsync/pom.xml @@ -21,7 +21,7 @@ services software.amazon.awssdk - 2.27.23 + 2.27.24-SNAPSHOT appsync diff --git a/services/apptest/pom.xml b/services/apptest/pom.xml index 26025f59abbe..f0e102d52eeb 100644 --- a/services/apptest/pom.xml +++ b/services/apptest/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT apptest AWS Java SDK :: Services :: App Test diff --git a/services/arczonalshift/pom.xml b/services/arczonalshift/pom.xml index 0cfe20cade0f..b26ebfc35889 100644 --- a/services/arczonalshift/pom.xml +++ b/services/arczonalshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT arczonalshift AWS Java SDK :: Services :: ARC Zonal Shift diff --git a/services/artifact/pom.xml b/services/artifact/pom.xml index 8d1ecc88ce11..e6940e6c3dfd 100644 --- a/services/artifact/pom.xml +++ b/services/artifact/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT artifact AWS Java SDK :: Services :: Artifact diff --git a/services/athena/pom.xml b/services/athena/pom.xml index 15af6ccfb9c1..09d1bc89e464 100644 --- a/services/athena/pom.xml +++ b/services/athena/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT athena AWS Java SDK :: Services :: Amazon Athena diff --git a/services/auditmanager/pom.xml b/services/auditmanager/pom.xml index 305eefd68989..2563605bac4f 100644 --- a/services/auditmanager/pom.xml +++ b/services/auditmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT auditmanager AWS Java SDK :: Services :: Audit Manager diff --git a/services/autoscaling/pom.xml b/services/autoscaling/pom.xml index b9669035a4be..bf1d2eca6659 100644 --- a/services/autoscaling/pom.xml +++ b/services/autoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT autoscaling AWS Java SDK :: Services :: Auto Scaling diff --git a/services/autoscalingplans/pom.xml b/services/autoscalingplans/pom.xml index 4feb54d723b6..1e3f24043b8e 100644 --- a/services/autoscalingplans/pom.xml +++ b/services/autoscalingplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT autoscalingplans AWS Java SDK :: Services :: Auto Scaling Plans diff --git a/services/b2bi/pom.xml b/services/b2bi/pom.xml index c1a72f70c111..e5b6e5ea007d 100644 --- a/services/b2bi/pom.xml +++ b/services/b2bi/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT b2bi AWS Java SDK :: Services :: B2 Bi diff --git a/services/backup/pom.xml b/services/backup/pom.xml index 8603b1bf97d0..2f787b8a0e04 100644 --- a/services/backup/pom.xml +++ b/services/backup/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT backup AWS Java SDK :: Services :: Backup diff --git a/services/backupgateway/pom.xml b/services/backupgateway/pom.xml index ce699f57b298..47fec40a0b8e 100644 --- a/services/backupgateway/pom.xml +++ b/services/backupgateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT backupgateway AWS Java SDK :: Services :: Backup Gateway diff --git a/services/batch/pom.xml b/services/batch/pom.xml index afd085a598f4..9e9d5c83a190 100644 --- a/services/batch/pom.xml +++ b/services/batch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT batch AWS Java SDK :: Services :: AWS Batch diff --git a/services/bcmdataexports/pom.xml b/services/bcmdataexports/pom.xml index 337adb7d2a76..de347b43786f 100644 --- a/services/bcmdataexports/pom.xml +++ b/services/bcmdataexports/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT bcmdataexports AWS Java SDK :: Services :: BCM Data Exports diff --git a/services/bedrock/pom.xml b/services/bedrock/pom.xml index 26a74e587870..bc1d7c16fcc8 100644 --- a/services/bedrock/pom.xml +++ b/services/bedrock/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT bedrock AWS Java SDK :: Services :: Bedrock diff --git a/services/bedrockagent/pom.xml b/services/bedrockagent/pom.xml index 6f4fcb4f6e55..b3f1e1c579aa 100644 --- a/services/bedrockagent/pom.xml +++ b/services/bedrockagent/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT bedrockagent AWS Java SDK :: Services :: Bedrock Agent diff --git a/services/bedrockagentruntime/pom.xml b/services/bedrockagentruntime/pom.xml index e750c7bd4d3d..4c5d8f2e93da 100644 --- a/services/bedrockagentruntime/pom.xml +++ b/services/bedrockagentruntime/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT bedrockagentruntime AWS Java SDK :: Services :: Bedrock Agent Runtime diff --git a/services/bedrockruntime/pom.xml b/services/bedrockruntime/pom.xml index 8931f3638e26..d1ff49d24e61 100644 --- a/services/bedrockruntime/pom.xml +++ b/services/bedrockruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT bedrockruntime AWS Java SDK :: Services :: Bedrock Runtime diff --git a/services/billingconductor/pom.xml b/services/billingconductor/pom.xml index f838b4df07d5..cf0da6008435 100644 --- a/services/billingconductor/pom.xml +++ b/services/billingconductor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT billingconductor AWS Java SDK :: Services :: Billingconductor diff --git a/services/braket/pom.xml b/services/braket/pom.xml index 7267c70a27aa..a4d389b44303 100644 --- a/services/braket/pom.xml +++ b/services/braket/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT braket AWS Java SDK :: Services :: Braket diff --git a/services/budgets/pom.xml b/services/budgets/pom.xml index a3932c3db108..e925f38479e8 100644 --- a/services/budgets/pom.xml +++ b/services/budgets/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT budgets AWS Java SDK :: Services :: AWS Budgets diff --git a/services/chatbot/pom.xml b/services/chatbot/pom.xml index 85cbee1ceb77..bd7ee6cf7750 100644 --- a/services/chatbot/pom.xml +++ b/services/chatbot/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT chatbot AWS Java SDK :: Services :: Chatbot diff --git a/services/chime/pom.xml b/services/chime/pom.xml index e20558efe05b..b4e3bb8fe5a0 100644 --- a/services/chime/pom.xml +++ b/services/chime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT chime AWS Java SDK :: Services :: Chime diff --git a/services/chimesdkidentity/pom.xml b/services/chimesdkidentity/pom.xml index 9b75dc006fcc..4eca56be69a2 100644 --- a/services/chimesdkidentity/pom.xml +++ b/services/chimesdkidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT chimesdkidentity AWS Java SDK :: Services :: Chime SDK Identity diff --git a/services/chimesdkmediapipelines/pom.xml b/services/chimesdkmediapipelines/pom.xml index 1bb6ad92a747..8cb1d1299b3a 100644 --- a/services/chimesdkmediapipelines/pom.xml +++ b/services/chimesdkmediapipelines/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT chimesdkmediapipelines AWS Java SDK :: Services :: Chime SDK Media Pipelines diff --git a/services/chimesdkmeetings/pom.xml b/services/chimesdkmeetings/pom.xml index 4f22e7c70f59..6cee7c3bf8f3 100644 --- a/services/chimesdkmeetings/pom.xml +++ b/services/chimesdkmeetings/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT chimesdkmeetings AWS Java SDK :: Services :: Chime SDK Meetings diff --git a/services/chimesdkmessaging/pom.xml b/services/chimesdkmessaging/pom.xml index 4bc1591666ee..a10230d35d0d 100644 --- a/services/chimesdkmessaging/pom.xml +++ b/services/chimesdkmessaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT chimesdkmessaging AWS Java SDK :: Services :: Chime SDK Messaging diff --git a/services/chimesdkvoice/pom.xml b/services/chimesdkvoice/pom.xml index 1dd16ffd6637..10a460aba734 100644 --- a/services/chimesdkvoice/pom.xml +++ b/services/chimesdkvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT chimesdkvoice AWS Java SDK :: Services :: Chime SDK Voice diff --git a/services/cleanrooms/pom.xml b/services/cleanrooms/pom.xml index 541c32088bf1..dce864a5a790 100644 --- a/services/cleanrooms/pom.xml +++ b/services/cleanrooms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT cleanrooms AWS Java SDK :: Services :: Clean Rooms diff --git a/services/cleanroomsml/pom.xml b/services/cleanroomsml/pom.xml index e95ae0301d06..0d3ee709c1cf 100644 --- a/services/cleanroomsml/pom.xml +++ b/services/cleanroomsml/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT cleanroomsml AWS Java SDK :: Services :: Clean Rooms ML diff --git a/services/cloud9/pom.xml b/services/cloud9/pom.xml index 11791c9942a3..fe59dca99f73 100644 --- a/services/cloud9/pom.xml +++ b/services/cloud9/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23 + 2.27.24-SNAPSHOT 4.0.0 cloud9 diff --git a/services/cloudcontrol/pom.xml b/services/cloudcontrol/pom.xml index 111f8e18fbc5..ee3ceb436e34 100644 --- a/services/cloudcontrol/pom.xml +++ b/services/cloudcontrol/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT cloudcontrol AWS Java SDK :: Services :: Cloud Control diff --git a/services/clouddirectory/pom.xml b/services/clouddirectory/pom.xml index c5820e4c1884..1498a2506350 100644 --- a/services/clouddirectory/pom.xml +++ b/services/clouddirectory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT clouddirectory AWS Java SDK :: Services :: Amazon CloudDirectory diff --git a/services/cloudformation/pom.xml b/services/cloudformation/pom.xml index 677f8ce6e620..27d9f4444a41 100644 --- a/services/cloudformation/pom.xml +++ b/services/cloudformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT cloudformation AWS Java SDK :: Services :: AWS CloudFormation diff --git a/services/cloudfront/pom.xml b/services/cloudfront/pom.xml index 1932f0819ce0..8b119c9382b6 100644 --- a/services/cloudfront/pom.xml +++ b/services/cloudfront/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT cloudfront AWS Java SDK :: Services :: Amazon CloudFront diff --git a/services/cloudfrontkeyvaluestore/pom.xml b/services/cloudfrontkeyvaluestore/pom.xml index db281e5d7560..dbf774f1ecc3 100644 --- a/services/cloudfrontkeyvaluestore/pom.xml +++ b/services/cloudfrontkeyvaluestore/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT cloudfrontkeyvaluestore AWS Java SDK :: Services :: Cloud Front Key Value Store diff --git a/services/cloudhsm/pom.xml b/services/cloudhsm/pom.xml index dc7101142d75..eac83648598b 100644 --- a/services/cloudhsm/pom.xml +++ b/services/cloudhsm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT cloudhsm AWS Java SDK :: Services :: AWS CloudHSM diff --git a/services/cloudhsmv2/pom.xml b/services/cloudhsmv2/pom.xml index c15a718afc0a..7334a07a9083 100644 --- a/services/cloudhsmv2/pom.xml +++ b/services/cloudhsmv2/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23 + 2.27.24-SNAPSHOT 4.0.0 cloudhsmv2 diff --git a/services/cloudsearch/pom.xml b/services/cloudsearch/pom.xml index c994ec20b997..aead5551e6f6 100644 --- a/services/cloudsearch/pom.xml +++ b/services/cloudsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT cloudsearch AWS Java SDK :: Services :: Amazon CloudSearch diff --git a/services/cloudsearchdomain/pom.xml b/services/cloudsearchdomain/pom.xml index 43ee3a8465a2..7f7b02243b61 100644 --- a/services/cloudsearchdomain/pom.xml +++ b/services/cloudsearchdomain/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT cloudsearchdomain AWS Java SDK :: Services :: Amazon CloudSearch Domain diff --git a/services/cloudtrail/pom.xml b/services/cloudtrail/pom.xml index 21fabf4dd759..f04dcf2a3baf 100644 --- a/services/cloudtrail/pom.xml +++ b/services/cloudtrail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT cloudtrail AWS Java SDK :: Services :: AWS CloudTrail diff --git a/services/cloudtraildata/pom.xml b/services/cloudtraildata/pom.xml index 15a9c5b71060..d9b174990e9d 100644 --- a/services/cloudtraildata/pom.xml +++ b/services/cloudtraildata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT cloudtraildata AWS Java SDK :: Services :: Cloud Trail Data diff --git a/services/cloudwatch/pom.xml b/services/cloudwatch/pom.xml index c374de8b149b..586d11c328c2 100644 --- a/services/cloudwatch/pom.xml +++ b/services/cloudwatch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT cloudwatch AWS Java SDK :: Services :: Amazon CloudWatch diff --git a/services/cloudwatchevents/pom.xml b/services/cloudwatchevents/pom.xml index 60d2cda69799..1729835d863a 100644 --- a/services/cloudwatchevents/pom.xml +++ b/services/cloudwatchevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT cloudwatchevents AWS Java SDK :: Services :: Amazon CloudWatch Events diff --git a/services/cloudwatchlogs/pom.xml b/services/cloudwatchlogs/pom.xml index e471abdde912..5bf2c9a7a6e2 100644 --- a/services/cloudwatchlogs/pom.xml +++ b/services/cloudwatchlogs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT cloudwatchlogs AWS Java SDK :: Services :: Amazon CloudWatch Logs diff --git a/services/codeartifact/pom.xml b/services/codeartifact/pom.xml index 028734ef4c2b..f6d981b8351c 100644 --- a/services/codeartifact/pom.xml +++ b/services/codeartifact/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT codeartifact AWS Java SDK :: Services :: Codeartifact diff --git a/services/codebuild/pom.xml b/services/codebuild/pom.xml index b81ce36c5cf1..5bb669e1c421 100644 --- a/services/codebuild/pom.xml +++ b/services/codebuild/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT codebuild AWS Java SDK :: Services :: AWS Code Build diff --git a/services/codecatalyst/pom.xml b/services/codecatalyst/pom.xml index c0e0a6b7dba7..6b9baf0f50ee 100644 --- a/services/codecatalyst/pom.xml +++ b/services/codecatalyst/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT codecatalyst AWS Java SDK :: Services :: Code Catalyst diff --git a/services/codecommit/pom.xml b/services/codecommit/pom.xml index 7356bb18bcc2..8ddaa586fd15 100644 --- a/services/codecommit/pom.xml +++ b/services/codecommit/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT codecommit AWS Java SDK :: Services :: AWS CodeCommit diff --git a/services/codeconnections/pom.xml b/services/codeconnections/pom.xml index 228f1c9cd9fd..ebb4f03deb27 100644 --- a/services/codeconnections/pom.xml +++ b/services/codeconnections/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT codeconnections AWS Java SDK :: Services :: Code Connections diff --git a/services/codedeploy/pom.xml b/services/codedeploy/pom.xml index e83196318566..a52774a7ffe9 100644 --- a/services/codedeploy/pom.xml +++ b/services/codedeploy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT codedeploy AWS Java SDK :: Services :: AWS CodeDeploy diff --git a/services/codeguruprofiler/pom.xml b/services/codeguruprofiler/pom.xml index a7e666c8d4ea..926460dbf1b6 100644 --- a/services/codeguruprofiler/pom.xml +++ b/services/codeguruprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT codeguruprofiler AWS Java SDK :: Services :: CodeGuruProfiler diff --git a/services/codegurureviewer/pom.xml b/services/codegurureviewer/pom.xml index 56f425cdf2c9..2e0e482b5105 100644 --- a/services/codegurureviewer/pom.xml +++ b/services/codegurureviewer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT codegurureviewer AWS Java SDK :: Services :: CodeGuru Reviewer diff --git a/services/codegurusecurity/pom.xml b/services/codegurusecurity/pom.xml index b205a69a9fd4..21943fbfe1d2 100644 --- a/services/codegurusecurity/pom.xml +++ b/services/codegurusecurity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT codegurusecurity AWS Java SDK :: Services :: Code Guru Security diff --git a/services/codepipeline/pom.xml b/services/codepipeline/pom.xml index 0d74d666cfea..849211de04c7 100644 --- a/services/codepipeline/pom.xml +++ b/services/codepipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT codepipeline AWS Java SDK :: Services :: AWS CodePipeline diff --git a/services/codestarconnections/pom.xml b/services/codestarconnections/pom.xml index 7b98ab6a78f9..17f3cb2e6999 100644 --- a/services/codestarconnections/pom.xml +++ b/services/codestarconnections/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT codestarconnections AWS Java SDK :: Services :: CodeStar connections diff --git a/services/codestarnotifications/pom.xml b/services/codestarnotifications/pom.xml index 09ffe99a0a9b..61f4e66bf410 100644 --- a/services/codestarnotifications/pom.xml +++ b/services/codestarnotifications/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT codestarnotifications AWS Java SDK :: Services :: Codestar Notifications diff --git a/services/cognitoidentity/pom.xml b/services/cognitoidentity/pom.xml index afe4b6af840e..3c8ed967cc2d 100644 --- a/services/cognitoidentity/pom.xml +++ b/services/cognitoidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT cognitoidentity AWS Java SDK :: Services :: Amazon Cognito Identity diff --git a/services/cognitoidentityprovider/pom.xml b/services/cognitoidentityprovider/pom.xml index 92d14b938fdf..9a187807311b 100644 --- a/services/cognitoidentityprovider/pom.xml +++ b/services/cognitoidentityprovider/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT cognitoidentityprovider AWS Java SDK :: Services :: Amazon Cognito Identity Provider Service diff --git a/services/cognitosync/pom.xml b/services/cognitosync/pom.xml index df43074eee60..421457ac7319 100644 --- a/services/cognitosync/pom.xml +++ b/services/cognitosync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT cognitosync AWS Java SDK :: Services :: Amazon Cognito Sync diff --git a/services/comprehend/pom.xml b/services/comprehend/pom.xml index a83df9409035..2bb3be682390 100644 --- a/services/comprehend/pom.xml +++ b/services/comprehend/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23 + 2.27.24-SNAPSHOT 4.0.0 comprehend diff --git a/services/comprehendmedical/pom.xml b/services/comprehendmedical/pom.xml index e951b74bfacc..afcb9e737769 100644 --- a/services/comprehendmedical/pom.xml +++ b/services/comprehendmedical/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT comprehendmedical AWS Java SDK :: Services :: ComprehendMedical diff --git a/services/computeoptimizer/pom.xml b/services/computeoptimizer/pom.xml index d8169ad763f2..8eee679b3ea3 100644 --- a/services/computeoptimizer/pom.xml +++ b/services/computeoptimizer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT computeoptimizer AWS Java SDK :: Services :: Compute Optimizer diff --git a/services/config/pom.xml b/services/config/pom.xml index 30baeb9120d8..692ae022885f 100644 --- a/services/config/pom.xml +++ b/services/config/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT config AWS Java SDK :: Services :: AWS Config diff --git a/services/connect/pom.xml b/services/connect/pom.xml index 1197ed37ea87..12bf6a3d46cf 100644 --- a/services/connect/pom.xml +++ b/services/connect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT connect AWS Java SDK :: Services :: Connect diff --git a/services/connectcampaigns/pom.xml b/services/connectcampaigns/pom.xml index 5df06ce64602..baa2a8990caf 100644 --- a/services/connectcampaigns/pom.xml +++ b/services/connectcampaigns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT connectcampaigns AWS Java SDK :: Services :: Connect Campaigns diff --git a/services/connectcases/pom.xml b/services/connectcases/pom.xml index 33e5101d7226..a917fdde6ede 100644 --- a/services/connectcases/pom.xml +++ b/services/connectcases/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT connectcases AWS Java SDK :: Services :: Connect Cases diff --git a/services/connectcontactlens/pom.xml b/services/connectcontactlens/pom.xml index f8dc30fa6224..96e6b33f6ddd 100644 --- a/services/connectcontactlens/pom.xml +++ b/services/connectcontactlens/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT connectcontactlens AWS Java SDK :: Services :: Connect Contact Lens diff --git a/services/connectparticipant/pom.xml b/services/connectparticipant/pom.xml index d9efa8955744..dd92d59e0c31 100644 --- a/services/connectparticipant/pom.xml +++ b/services/connectparticipant/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT connectparticipant AWS Java SDK :: Services :: ConnectParticipant diff --git a/services/controlcatalog/pom.xml b/services/controlcatalog/pom.xml index fba9b497d0fe..c74753192cb5 100644 --- a/services/controlcatalog/pom.xml +++ b/services/controlcatalog/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT controlcatalog AWS Java SDK :: Services :: Control Catalog diff --git a/services/controltower/pom.xml b/services/controltower/pom.xml index 7981c2a6220a..3c6c82ab062f 100644 --- a/services/controltower/pom.xml +++ b/services/controltower/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT controltower AWS Java SDK :: Services :: Control Tower diff --git a/services/costandusagereport/pom.xml b/services/costandusagereport/pom.xml index 3b2ed2e3ea92..7959c4723fc9 100644 --- a/services/costandusagereport/pom.xml +++ b/services/costandusagereport/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT costandusagereport AWS Java SDK :: Services :: AWS Cost and Usage Report diff --git a/services/costexplorer/pom.xml b/services/costexplorer/pom.xml index 1918d6a0496d..91f7efc91a76 100644 --- a/services/costexplorer/pom.xml +++ b/services/costexplorer/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23 + 2.27.24-SNAPSHOT 4.0.0 costexplorer diff --git a/services/costoptimizationhub/pom.xml b/services/costoptimizationhub/pom.xml index 58460c9a0a96..5f58c1067743 100644 --- a/services/costoptimizationhub/pom.xml +++ b/services/costoptimizationhub/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT costoptimizationhub AWS Java SDK :: Services :: Cost Optimization Hub diff --git a/services/customerprofiles/pom.xml b/services/customerprofiles/pom.xml index 19fb85f0ea35..960a221c0dde 100644 --- a/services/customerprofiles/pom.xml +++ b/services/customerprofiles/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT customerprofiles AWS Java SDK :: Services :: Customer Profiles diff --git a/services/databasemigration/pom.xml b/services/databasemigration/pom.xml index e90093806d2d..2fb5532824d0 100644 --- a/services/databasemigration/pom.xml +++ b/services/databasemigration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT databasemigration AWS Java SDK :: Services :: AWS Database Migration Service diff --git a/services/databrew/pom.xml b/services/databrew/pom.xml index c45db8525aaa..78d2f5243c8a 100644 --- a/services/databrew/pom.xml +++ b/services/databrew/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT databrew AWS Java SDK :: Services :: Data Brew diff --git a/services/dataexchange/pom.xml b/services/dataexchange/pom.xml index 321727edbda8..2e0cea40ee72 100644 --- a/services/dataexchange/pom.xml +++ b/services/dataexchange/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT dataexchange AWS Java SDK :: Services :: DataExchange diff --git a/services/datapipeline/pom.xml b/services/datapipeline/pom.xml index 37e61cf63e17..c64b0a588721 100644 --- a/services/datapipeline/pom.xml +++ b/services/datapipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT datapipeline AWS Java SDK :: Services :: AWS Data Pipeline diff --git a/services/datasync/pom.xml b/services/datasync/pom.xml index 4f88e7de640e..94e5e10a71b2 100644 --- a/services/datasync/pom.xml +++ b/services/datasync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT datasync AWS Java SDK :: Services :: DataSync diff --git a/services/datazone/pom.xml b/services/datazone/pom.xml index 0a7665e3bb83..bb8989591aca 100644 --- a/services/datazone/pom.xml +++ b/services/datazone/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT datazone AWS Java SDK :: Services :: Data Zone diff --git a/services/dax/pom.xml b/services/dax/pom.xml index 4b88080ebd3b..1cde1c732504 100644 --- a/services/dax/pom.xml +++ b/services/dax/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT dax AWS Java SDK :: Services :: Amazon DynamoDB Accelerator (DAX) diff --git a/services/deadline/pom.xml b/services/deadline/pom.xml index e10fc811bec4..74cbbb6c97cf 100644 --- a/services/deadline/pom.xml +++ b/services/deadline/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT deadline AWS Java SDK :: Services :: Deadline diff --git a/services/detective/pom.xml b/services/detective/pom.xml index 2c81ec463ffc..01c388a8d3f3 100644 --- a/services/detective/pom.xml +++ b/services/detective/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT detective AWS Java SDK :: Services :: Detective diff --git a/services/devicefarm/pom.xml b/services/devicefarm/pom.xml index 6de59a319a51..230694625315 100644 --- a/services/devicefarm/pom.xml +++ b/services/devicefarm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT devicefarm AWS Java SDK :: Services :: AWS Device Farm diff --git a/services/devopsguru/pom.xml b/services/devopsguru/pom.xml index 0aee8e0786b4..2590adc36e36 100644 --- a/services/devopsguru/pom.xml +++ b/services/devopsguru/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT devopsguru AWS Java SDK :: Services :: Dev Ops Guru diff --git a/services/directconnect/pom.xml b/services/directconnect/pom.xml index 52109e55a892..25b3d71592d1 100644 --- a/services/directconnect/pom.xml +++ b/services/directconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT directconnect AWS Java SDK :: Services :: AWS Direct Connect diff --git a/services/directory/pom.xml b/services/directory/pom.xml index 0f323b23e6cd..2a1004c13f5c 100644 --- a/services/directory/pom.xml +++ b/services/directory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT directory AWS Java SDK :: Services :: AWS Directory Service diff --git a/services/dlm/pom.xml b/services/dlm/pom.xml index bd2bc9403fd0..95794a6da1fe 100644 --- a/services/dlm/pom.xml +++ b/services/dlm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT dlm AWS Java SDK :: Services :: DLM diff --git a/services/docdb/pom.xml b/services/docdb/pom.xml index 07cf23846470..90f3b5f7128b 100644 --- a/services/docdb/pom.xml +++ b/services/docdb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT docdb AWS Java SDK :: Services :: DocDB diff --git a/services/docdbelastic/pom.xml b/services/docdbelastic/pom.xml index ead5200c25e0..4052634763db 100644 --- a/services/docdbelastic/pom.xml +++ b/services/docdbelastic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT docdbelastic AWS Java SDK :: Services :: Doc DB Elastic diff --git a/services/drs/pom.xml b/services/drs/pom.xml index 30d0a50932aa..1a1c163c2e5e 100644 --- a/services/drs/pom.xml +++ b/services/drs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT drs AWS Java SDK :: Services :: Drs diff --git a/services/dynamodb/pom.xml b/services/dynamodb/pom.xml index 276e2742b34c..cd5578d65f90 100644 --- a/services/dynamodb/pom.xml +++ b/services/dynamodb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT dynamodb AWS Java SDK :: Services :: Amazon DynamoDB diff --git a/services/ebs/pom.xml b/services/ebs/pom.xml index 21d78e935855..26e4a3a59300 100644 --- a/services/ebs/pom.xml +++ b/services/ebs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT ebs AWS Java SDK :: Services :: EBS diff --git a/services/ec2/pom.xml b/services/ec2/pom.xml index d216915112ad..532cf4bc4320 100644 --- a/services/ec2/pom.xml +++ b/services/ec2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT ec2 AWS Java SDK :: Services :: Amazon EC2 diff --git a/services/ec2instanceconnect/pom.xml b/services/ec2instanceconnect/pom.xml index f570cb1f82de..fbab0ad1f51c 100644 --- a/services/ec2instanceconnect/pom.xml +++ b/services/ec2instanceconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT ec2instanceconnect AWS Java SDK :: Services :: EC2 Instance Connect diff --git a/services/ecr/pom.xml b/services/ecr/pom.xml index 4025cac48818..2dd455a69067 100644 --- a/services/ecr/pom.xml +++ b/services/ecr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT ecr AWS Java SDK :: Services :: Amazon EC2 Container Registry diff --git a/services/ecrpublic/pom.xml b/services/ecrpublic/pom.xml index 3e4a46c69652..343d35aba9ed 100644 --- a/services/ecrpublic/pom.xml +++ b/services/ecrpublic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT ecrpublic AWS Java SDK :: Services :: ECR PUBLIC diff --git a/services/ecs/pom.xml b/services/ecs/pom.xml index 17822b281130..c40ed2a383dc 100644 --- a/services/ecs/pom.xml +++ b/services/ecs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT ecs AWS Java SDK :: Services :: Amazon EC2 Container Service diff --git a/services/efs/pom.xml b/services/efs/pom.xml index b8ca572073dd..3f975400d42f 100644 --- a/services/efs/pom.xml +++ b/services/efs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT efs AWS Java SDK :: Services :: Amazon Elastic File System diff --git a/services/eks/pom.xml b/services/eks/pom.xml index 1d3bc81d7027..e3a22c95d0db 100644 --- a/services/eks/pom.xml +++ b/services/eks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT eks AWS Java SDK :: Services :: EKS diff --git a/services/eksauth/pom.xml b/services/eksauth/pom.xml index 9ae627dc607f..5818af0446e1 100644 --- a/services/eksauth/pom.xml +++ b/services/eksauth/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT eksauth AWS Java SDK :: Services :: EKS Auth diff --git a/services/elasticache/pom.xml b/services/elasticache/pom.xml index 7505fd7dfb78..8183a86b4951 100644 --- a/services/elasticache/pom.xml +++ b/services/elasticache/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT elasticache AWS Java SDK :: Services :: Amazon ElastiCache diff --git a/services/elasticbeanstalk/pom.xml b/services/elasticbeanstalk/pom.xml index 0bddae8e81e0..7808da44d020 100644 --- a/services/elasticbeanstalk/pom.xml +++ b/services/elasticbeanstalk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT elasticbeanstalk AWS Java SDK :: Services :: AWS Elastic Beanstalk diff --git a/services/elasticinference/pom.xml b/services/elasticinference/pom.xml index 9a491869f13d..02322359d540 100644 --- a/services/elasticinference/pom.xml +++ b/services/elasticinference/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT elasticinference AWS Java SDK :: Services :: Elastic Inference diff --git a/services/elasticloadbalancing/pom.xml b/services/elasticloadbalancing/pom.xml index 9a210b03a40a..ad1f86e9f8bd 100644 --- a/services/elasticloadbalancing/pom.xml +++ b/services/elasticloadbalancing/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT elasticloadbalancing AWS Java SDK :: Services :: Elastic Load Balancing diff --git a/services/elasticloadbalancingv2/pom.xml b/services/elasticloadbalancingv2/pom.xml index cfac8349cf00..6e16fa8a1aa2 100644 --- a/services/elasticloadbalancingv2/pom.xml +++ b/services/elasticloadbalancingv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT elasticloadbalancingv2 AWS Java SDK :: Services :: Elastic Load Balancing V2 diff --git a/services/elasticsearch/pom.xml b/services/elasticsearch/pom.xml index a165f474de63..4730e72b0ae0 100644 --- a/services/elasticsearch/pom.xml +++ b/services/elasticsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT elasticsearch AWS Java SDK :: Services :: Amazon Elasticsearch Service diff --git a/services/elastictranscoder/pom.xml b/services/elastictranscoder/pom.xml index 36be70990bce..2e6a78c784b5 100644 --- a/services/elastictranscoder/pom.xml +++ b/services/elastictranscoder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT elastictranscoder AWS Java SDK :: Services :: Amazon Elastic Transcoder diff --git a/services/emr/pom.xml b/services/emr/pom.xml index 173818d6cf2a..4a04796a7d2a 100644 --- a/services/emr/pom.xml +++ b/services/emr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT emr AWS Java SDK :: Services :: Amazon EMR diff --git a/services/emrcontainers/pom.xml b/services/emrcontainers/pom.xml index 502aa868fbc7..d523eedbc790 100644 --- a/services/emrcontainers/pom.xml +++ b/services/emrcontainers/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT emrcontainers AWS Java SDK :: Services :: EMR Containers diff --git a/services/emrserverless/pom.xml b/services/emrserverless/pom.xml index 8d6357dd4604..6ab67175ec0e 100644 --- a/services/emrserverless/pom.xml +++ b/services/emrserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT emrserverless AWS Java SDK :: Services :: EMR Serverless diff --git a/services/entityresolution/pom.xml b/services/entityresolution/pom.xml index 9c223783384c..a23272a06148 100644 --- a/services/entityresolution/pom.xml +++ b/services/entityresolution/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT entityresolution AWS Java SDK :: Services :: Entity Resolution diff --git a/services/eventbridge/pom.xml b/services/eventbridge/pom.xml index 2e4b65ba0080..4f09a24ca379 100644 --- a/services/eventbridge/pom.xml +++ b/services/eventbridge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT eventbridge AWS Java SDK :: Services :: EventBridge diff --git a/services/evidently/pom.xml b/services/evidently/pom.xml index 25ecc587b5b2..42aaf85ab813 100644 --- a/services/evidently/pom.xml +++ b/services/evidently/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT evidently AWS Java SDK :: Services :: Evidently diff --git a/services/finspace/pom.xml b/services/finspace/pom.xml index 87d8097f2078..9a5d646f87f1 100644 --- a/services/finspace/pom.xml +++ b/services/finspace/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT finspace AWS Java SDK :: Services :: Finspace diff --git a/services/finspacedata/pom.xml b/services/finspacedata/pom.xml index ad43fbeebf9f..6385831136ce 100644 --- a/services/finspacedata/pom.xml +++ b/services/finspacedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT finspacedata AWS Java SDK :: Services :: Finspace Data diff --git a/services/firehose/pom.xml b/services/firehose/pom.xml index 2489c483c755..d47d98b76321 100644 --- a/services/firehose/pom.xml +++ b/services/firehose/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT firehose AWS Java SDK :: Services :: Amazon Kinesis Firehose diff --git a/services/fis/pom.xml b/services/fis/pom.xml index 563a423e93b1..af50dd9365c6 100644 --- a/services/fis/pom.xml +++ b/services/fis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT fis AWS Java SDK :: Services :: Fis diff --git a/services/fms/pom.xml b/services/fms/pom.xml index 309de666089a..17834e8242c6 100644 --- a/services/fms/pom.xml +++ b/services/fms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT fms AWS Java SDK :: Services :: FMS diff --git a/services/forecast/pom.xml b/services/forecast/pom.xml index 8d3aac54a10b..d329fcdd0551 100644 --- a/services/forecast/pom.xml +++ b/services/forecast/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT forecast AWS Java SDK :: Services :: Forecast diff --git a/services/forecastquery/pom.xml b/services/forecastquery/pom.xml index b6d700c8df0d..a345ce103f68 100644 --- a/services/forecastquery/pom.xml +++ b/services/forecastquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT forecastquery AWS Java SDK :: Services :: Forecastquery diff --git a/services/frauddetector/pom.xml b/services/frauddetector/pom.xml index 1130713cad09..16044c8016c0 100644 --- a/services/frauddetector/pom.xml +++ b/services/frauddetector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT frauddetector AWS Java SDK :: Services :: FraudDetector diff --git a/services/freetier/pom.xml b/services/freetier/pom.xml index e69ed027fe55..94fcee75c009 100644 --- a/services/freetier/pom.xml +++ b/services/freetier/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT freetier AWS Java SDK :: Services :: Free Tier diff --git a/services/fsx/pom.xml b/services/fsx/pom.xml index cf1e84373fc5..7742ba3f2099 100644 --- a/services/fsx/pom.xml +++ b/services/fsx/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT fsx AWS Java SDK :: Services :: FSx diff --git a/services/gamelift/pom.xml b/services/gamelift/pom.xml index 87a0996689d4..a257edaf914d 100644 --- a/services/gamelift/pom.xml +++ b/services/gamelift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT gamelift AWS Java SDK :: Services :: AWS GameLift diff --git a/services/glacier/pom.xml b/services/glacier/pom.xml index 488c2247d571..cf615a2b0609 100644 --- a/services/glacier/pom.xml +++ b/services/glacier/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT glacier AWS Java SDK :: Services :: Amazon Glacier diff --git a/services/globalaccelerator/pom.xml b/services/globalaccelerator/pom.xml index d6da8efcfa03..e85d72559ff9 100644 --- a/services/globalaccelerator/pom.xml +++ b/services/globalaccelerator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT globalaccelerator AWS Java SDK :: Services :: Global Accelerator diff --git a/services/glue/pom.xml b/services/glue/pom.xml index 11578206fba9..9aa5db6ae7e1 100644 --- a/services/glue/pom.xml +++ b/services/glue/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23 + 2.27.24-SNAPSHOT 4.0.0 glue diff --git a/services/grafana/pom.xml b/services/grafana/pom.xml index ea8b6d055f74..a5f3005f99fc 100644 --- a/services/grafana/pom.xml +++ b/services/grafana/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT grafana AWS Java SDK :: Services :: Grafana diff --git a/services/greengrass/pom.xml b/services/greengrass/pom.xml index aaa516a8b58b..534f06ea4792 100644 --- a/services/greengrass/pom.xml +++ b/services/greengrass/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT greengrass AWS Java SDK :: Services :: AWS Greengrass diff --git a/services/greengrassv2/pom.xml b/services/greengrassv2/pom.xml index 463723589ba7..4447f06b3f77 100644 --- a/services/greengrassv2/pom.xml +++ b/services/greengrassv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT greengrassv2 AWS Java SDK :: Services :: Greengrass V2 diff --git a/services/groundstation/pom.xml b/services/groundstation/pom.xml index c187a29c30e0..50121e880c7f 100644 --- a/services/groundstation/pom.xml +++ b/services/groundstation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT groundstation AWS Java SDK :: Services :: GroundStation diff --git a/services/guardduty/pom.xml b/services/guardduty/pom.xml index fdc8c90884da..cc3cfba0aea7 100644 --- a/services/guardduty/pom.xml +++ b/services/guardduty/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23 + 2.27.24-SNAPSHOT 4.0.0 guardduty diff --git a/services/health/pom.xml b/services/health/pom.xml index 21a45d01516c..528dabe13eec 100644 --- a/services/health/pom.xml +++ b/services/health/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT health AWS Java SDK :: Services :: AWS Health APIs and Notifications diff --git a/services/healthlake/pom.xml b/services/healthlake/pom.xml index 8b956f6722f8..903dafdeba73 100644 --- a/services/healthlake/pom.xml +++ b/services/healthlake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT healthlake AWS Java SDK :: Services :: Health Lake diff --git a/services/iam/pom.xml b/services/iam/pom.xml index b72783bd4101..9a18cd8d350b 100644 --- a/services/iam/pom.xml +++ b/services/iam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT iam AWS Java SDK :: Services :: AWS IAM diff --git a/services/identitystore/pom.xml b/services/identitystore/pom.xml index 7abdd4eaa67b..9bc9304f146e 100644 --- a/services/identitystore/pom.xml +++ b/services/identitystore/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT identitystore AWS Java SDK :: Services :: Identitystore diff --git a/services/imagebuilder/pom.xml b/services/imagebuilder/pom.xml index 5832fadcaf3e..d93e1b7506b6 100644 --- a/services/imagebuilder/pom.xml +++ b/services/imagebuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT imagebuilder AWS Java SDK :: Services :: Imagebuilder diff --git a/services/inspector/pom.xml b/services/inspector/pom.xml index 602d199aaefa..987660908bab 100644 --- a/services/inspector/pom.xml +++ b/services/inspector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT inspector AWS Java SDK :: Services :: Amazon Inspector Service diff --git a/services/inspector2/pom.xml b/services/inspector2/pom.xml index 8ba5fae1f618..b1fe8d51e692 100644 --- a/services/inspector2/pom.xml +++ b/services/inspector2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT inspector2 AWS Java SDK :: Services :: Inspector2 diff --git a/services/inspectorscan/pom.xml b/services/inspectorscan/pom.xml index 166cde2afc6f..b8088189cd95 100644 --- a/services/inspectorscan/pom.xml +++ b/services/inspectorscan/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT inspectorscan AWS Java SDK :: Services :: Inspector Scan diff --git a/services/internetmonitor/pom.xml b/services/internetmonitor/pom.xml index 82f77cc0466e..024a367533eb 100644 --- a/services/internetmonitor/pom.xml +++ b/services/internetmonitor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT internetmonitor AWS Java SDK :: Services :: Internet Monitor diff --git a/services/iot/pom.xml b/services/iot/pom.xml index a8e59ef21883..75d31e2cfe78 100644 --- a/services/iot/pom.xml +++ b/services/iot/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT iot AWS Java SDK :: Services :: AWS IoT diff --git a/services/iot1clickdevices/pom.xml b/services/iot1clickdevices/pom.xml index 397fc573b9f9..475c3257b17d 100644 --- a/services/iot1clickdevices/pom.xml +++ b/services/iot1clickdevices/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT iot1clickdevices AWS Java SDK :: Services :: IoT 1Click Devices Service diff --git a/services/iot1clickprojects/pom.xml b/services/iot1clickprojects/pom.xml index 1301b1fb2e3d..fbcaa1a023fc 100644 --- a/services/iot1clickprojects/pom.xml +++ b/services/iot1clickprojects/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT iot1clickprojects AWS Java SDK :: Services :: IoT 1Click Projects diff --git a/services/iotanalytics/pom.xml b/services/iotanalytics/pom.xml index 82cc3af92e2b..97f0ae5c634e 100644 --- a/services/iotanalytics/pom.xml +++ b/services/iotanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT iotanalytics AWS Java SDK :: Services :: IoTAnalytics diff --git a/services/iotdataplane/pom.xml b/services/iotdataplane/pom.xml index 132ec5e27485..5f6238a47e9b 100644 --- a/services/iotdataplane/pom.xml +++ b/services/iotdataplane/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT iotdataplane AWS Java SDK :: Services :: AWS IoT Data Plane diff --git a/services/iotdeviceadvisor/pom.xml b/services/iotdeviceadvisor/pom.xml index d419b6d605b3..5d7ec5d37794 100644 --- a/services/iotdeviceadvisor/pom.xml +++ b/services/iotdeviceadvisor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT iotdeviceadvisor AWS Java SDK :: Services :: Iot Device Advisor diff --git a/services/iotevents/pom.xml b/services/iotevents/pom.xml index f5155cfac1e8..5d1145ba7021 100644 --- a/services/iotevents/pom.xml +++ b/services/iotevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT iotevents AWS Java SDK :: Services :: IoT Events diff --git a/services/ioteventsdata/pom.xml b/services/ioteventsdata/pom.xml index 658efaeb3283..2c5a05bd27a5 100644 --- a/services/ioteventsdata/pom.xml +++ b/services/ioteventsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT ioteventsdata AWS Java SDK :: Services :: IoT Events Data diff --git a/services/iotfleethub/pom.xml b/services/iotfleethub/pom.xml index db2684f8ea8a..7d46fb3c448c 100644 --- a/services/iotfleethub/pom.xml +++ b/services/iotfleethub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT iotfleethub AWS Java SDK :: Services :: Io T Fleet Hub diff --git a/services/iotfleetwise/pom.xml b/services/iotfleetwise/pom.xml index 7450d78bddb6..e1ae6d8c79fc 100644 --- a/services/iotfleetwise/pom.xml +++ b/services/iotfleetwise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT iotfleetwise AWS Java SDK :: Services :: Io T Fleet Wise diff --git a/services/iotjobsdataplane/pom.xml b/services/iotjobsdataplane/pom.xml index f5e03181338a..af3bf59a09a0 100644 --- a/services/iotjobsdataplane/pom.xml +++ b/services/iotjobsdataplane/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT iotjobsdataplane AWS Java SDK :: Services :: IoT Jobs Data Plane diff --git a/services/iotsecuretunneling/pom.xml b/services/iotsecuretunneling/pom.xml index bf3836addeb1..4be409537739 100644 --- a/services/iotsecuretunneling/pom.xml +++ b/services/iotsecuretunneling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT iotsecuretunneling AWS Java SDK :: Services :: IoTSecureTunneling diff --git a/services/iotsitewise/pom.xml b/services/iotsitewise/pom.xml index 988edb1ce089..4f7bcb3b1a5a 100644 --- a/services/iotsitewise/pom.xml +++ b/services/iotsitewise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT iotsitewise AWS Java SDK :: Services :: Io T Site Wise diff --git a/services/iotthingsgraph/pom.xml b/services/iotthingsgraph/pom.xml index ec76de62f511..881fd6fb3ed2 100644 --- a/services/iotthingsgraph/pom.xml +++ b/services/iotthingsgraph/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT iotthingsgraph AWS Java SDK :: Services :: IoTThingsGraph diff --git a/services/iottwinmaker/pom.xml b/services/iottwinmaker/pom.xml index 19f9e4c2cd17..f6c6190b6ad1 100644 --- a/services/iottwinmaker/pom.xml +++ b/services/iottwinmaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT iottwinmaker AWS Java SDK :: Services :: Io T Twin Maker diff --git a/services/iotwireless/pom.xml b/services/iotwireless/pom.xml index c682ad424362..d3aae6b448ce 100644 --- a/services/iotwireless/pom.xml +++ b/services/iotwireless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT iotwireless AWS Java SDK :: Services :: IoT Wireless diff --git a/services/ivs/pom.xml b/services/ivs/pom.xml index 27677e951cad..1f63e093a18a 100644 --- a/services/ivs/pom.xml +++ b/services/ivs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT ivs AWS Java SDK :: Services :: Ivs diff --git a/services/ivschat/pom.xml b/services/ivschat/pom.xml index ecf8c594b13e..9d4357d7649f 100644 --- a/services/ivschat/pom.xml +++ b/services/ivschat/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT ivschat AWS Java SDK :: Services :: Ivschat diff --git a/services/ivsrealtime/pom.xml b/services/ivsrealtime/pom.xml index 543314ed70ab..8cd3158c2883 100644 --- a/services/ivsrealtime/pom.xml +++ b/services/ivsrealtime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT ivsrealtime AWS Java SDK :: Services :: IVS Real Time diff --git a/services/kafka/pom.xml b/services/kafka/pom.xml index b7ce82bca410..ef20c1597a34 100644 --- a/services/kafka/pom.xml +++ b/services/kafka/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT kafka AWS Java SDK :: Services :: Kafka diff --git a/services/kafkaconnect/pom.xml b/services/kafkaconnect/pom.xml index ce14fd17ab8e..fcb303b81aa9 100644 --- a/services/kafkaconnect/pom.xml +++ b/services/kafkaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT kafkaconnect AWS Java SDK :: Services :: Kafka Connect diff --git a/services/kendra/pom.xml b/services/kendra/pom.xml index bdca951a8276..46c9103b724b 100644 --- a/services/kendra/pom.xml +++ b/services/kendra/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT kendra AWS Java SDK :: Services :: Kendra diff --git a/services/kendraranking/pom.xml b/services/kendraranking/pom.xml index 9a067f5834bf..6f5335b5330a 100644 --- a/services/kendraranking/pom.xml +++ b/services/kendraranking/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT kendraranking AWS Java SDK :: Services :: Kendra Ranking diff --git a/services/keyspaces/pom.xml b/services/keyspaces/pom.xml index 63acddd2fda8..87831d13027f 100644 --- a/services/keyspaces/pom.xml +++ b/services/keyspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT keyspaces AWS Java SDK :: Services :: Keyspaces diff --git a/services/kinesis/pom.xml b/services/kinesis/pom.xml index c1f02587326c..c2ba3252d347 100644 --- a/services/kinesis/pom.xml +++ b/services/kinesis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT kinesis AWS Java SDK :: Services :: Amazon Kinesis diff --git a/services/kinesisanalytics/pom.xml b/services/kinesisanalytics/pom.xml index 2ad393c86970..156a857f86a2 100644 --- a/services/kinesisanalytics/pom.xml +++ b/services/kinesisanalytics/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT kinesisanalytics AWS Java SDK :: Services :: Amazon Kinesis Analytics diff --git a/services/kinesisanalyticsv2/pom.xml b/services/kinesisanalyticsv2/pom.xml index a6c540cb7ec3..1fd1b886cc5b 100644 --- a/services/kinesisanalyticsv2/pom.xml +++ b/services/kinesisanalyticsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT kinesisanalyticsv2 AWS Java SDK :: Services :: Kinesis Analytics V2 diff --git a/services/kinesisvideo/pom.xml b/services/kinesisvideo/pom.xml index 22f4fbb4ddeb..f4a6556224dc 100644 --- a/services/kinesisvideo/pom.xml +++ b/services/kinesisvideo/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23 + 2.27.24-SNAPSHOT 4.0.0 kinesisvideo diff --git a/services/kinesisvideoarchivedmedia/pom.xml b/services/kinesisvideoarchivedmedia/pom.xml index c7e50279774c..3122806c8038 100644 --- a/services/kinesisvideoarchivedmedia/pom.xml +++ b/services/kinesisvideoarchivedmedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT kinesisvideoarchivedmedia AWS Java SDK :: Services :: Kinesis Video Archived Media diff --git a/services/kinesisvideomedia/pom.xml b/services/kinesisvideomedia/pom.xml index 02575021e7e4..39e16d3cb9eb 100644 --- a/services/kinesisvideomedia/pom.xml +++ b/services/kinesisvideomedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT kinesisvideomedia AWS Java SDK :: Services :: Kinesis Video Media diff --git a/services/kinesisvideosignaling/pom.xml b/services/kinesisvideosignaling/pom.xml index 6655a6662592..7e6a880cdde0 100644 --- a/services/kinesisvideosignaling/pom.xml +++ b/services/kinesisvideosignaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT kinesisvideosignaling AWS Java SDK :: Services :: Kinesis Video Signaling diff --git a/services/kinesisvideowebrtcstorage/pom.xml b/services/kinesisvideowebrtcstorage/pom.xml index f724fcf3339a..2fcfeccb3c26 100644 --- a/services/kinesisvideowebrtcstorage/pom.xml +++ b/services/kinesisvideowebrtcstorage/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT kinesisvideowebrtcstorage AWS Java SDK :: Services :: Kinesis Video Web RTC Storage diff --git a/services/kms/pom.xml b/services/kms/pom.xml index 37d504214c66..75e39c46af7a 100644 --- a/services/kms/pom.xml +++ b/services/kms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT kms AWS Java SDK :: Services :: AWS KMS diff --git a/services/lakeformation/pom.xml b/services/lakeformation/pom.xml index 1d253932e492..e8620e26e5b3 100644 --- a/services/lakeformation/pom.xml +++ b/services/lakeformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT lakeformation AWS Java SDK :: Services :: LakeFormation diff --git a/services/lambda/pom.xml b/services/lambda/pom.xml index 4674933d066d..6f8dda091a18 100644 --- a/services/lambda/pom.xml +++ b/services/lambda/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT lambda AWS Java SDK :: Services :: AWS Lambda diff --git a/services/launchwizard/pom.xml b/services/launchwizard/pom.xml index 3ae732af366c..505eccfb8702 100644 --- a/services/launchwizard/pom.xml +++ b/services/launchwizard/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT launchwizard AWS Java SDK :: Services :: Launch Wizard diff --git a/services/lexmodelbuilding/pom.xml b/services/lexmodelbuilding/pom.xml index a26ee5f6b67c..d15b54f083c9 100644 --- a/services/lexmodelbuilding/pom.xml +++ b/services/lexmodelbuilding/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT lexmodelbuilding AWS Java SDK :: Services :: Amazon Lex Model Building diff --git a/services/lexmodelsv2/pom.xml b/services/lexmodelsv2/pom.xml index 676857d3c345..d863b4e4f027 100644 --- a/services/lexmodelsv2/pom.xml +++ b/services/lexmodelsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT lexmodelsv2 AWS Java SDK :: Services :: Lex Models V2 diff --git a/services/lexruntime/pom.xml b/services/lexruntime/pom.xml index 335376ab07fd..ed5b512efd3d 100644 --- a/services/lexruntime/pom.xml +++ b/services/lexruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT lexruntime AWS Java SDK :: Services :: Amazon Lex Runtime diff --git a/services/lexruntimev2/pom.xml b/services/lexruntimev2/pom.xml index a1f51c0e5f2e..856716bf9f4a 100644 --- a/services/lexruntimev2/pom.xml +++ b/services/lexruntimev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT lexruntimev2 AWS Java SDK :: Services :: Lex Runtime V2 diff --git a/services/licensemanager/pom.xml b/services/licensemanager/pom.xml index 506615a35f30..09dd98211774 100644 --- a/services/licensemanager/pom.xml +++ b/services/licensemanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT licensemanager AWS Java SDK :: Services :: License Manager diff --git a/services/licensemanagerlinuxsubscriptions/pom.xml b/services/licensemanagerlinuxsubscriptions/pom.xml index 0ce563a88aae..62d64e990f96 100644 --- a/services/licensemanagerlinuxsubscriptions/pom.xml +++ b/services/licensemanagerlinuxsubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT licensemanagerlinuxsubscriptions AWS Java SDK :: Services :: License Manager Linux Subscriptions diff --git a/services/licensemanagerusersubscriptions/pom.xml b/services/licensemanagerusersubscriptions/pom.xml index e11c28006886..c1a2fd03179f 100644 --- a/services/licensemanagerusersubscriptions/pom.xml +++ b/services/licensemanagerusersubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT licensemanagerusersubscriptions AWS Java SDK :: Services :: License Manager User Subscriptions diff --git a/services/lightsail/pom.xml b/services/lightsail/pom.xml index b5566c9f4303..e19ff3a438f6 100644 --- a/services/lightsail/pom.xml +++ b/services/lightsail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT lightsail AWS Java SDK :: Services :: Amazon Lightsail diff --git a/services/location/pom.xml b/services/location/pom.xml index 9ba7d79c6958..6e195877dede 100644 --- a/services/location/pom.xml +++ b/services/location/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT location AWS Java SDK :: Services :: Location diff --git a/services/lookoutequipment/pom.xml b/services/lookoutequipment/pom.xml index f520a9d74fea..2dba26c350a5 100644 --- a/services/lookoutequipment/pom.xml +++ b/services/lookoutequipment/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT lookoutequipment AWS Java SDK :: Services :: Lookout Equipment diff --git a/services/lookoutmetrics/pom.xml b/services/lookoutmetrics/pom.xml index bed94284af74..f16bd00aee33 100644 --- a/services/lookoutmetrics/pom.xml +++ b/services/lookoutmetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT lookoutmetrics AWS Java SDK :: Services :: Lookout Metrics diff --git a/services/lookoutvision/pom.xml b/services/lookoutvision/pom.xml index 1d2c1635c033..ebdc7b4fb349 100644 --- a/services/lookoutvision/pom.xml +++ b/services/lookoutvision/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT lookoutvision AWS Java SDK :: Services :: Lookout Vision diff --git a/services/m2/pom.xml b/services/m2/pom.xml index f4ab39ab9167..bbbd1ecc969b 100644 --- a/services/m2/pom.xml +++ b/services/m2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT m2 AWS Java SDK :: Services :: M2 diff --git a/services/machinelearning/pom.xml b/services/machinelearning/pom.xml index 9de1c27f0fe8..42959c820be9 100644 --- a/services/machinelearning/pom.xml +++ b/services/machinelearning/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT machinelearning AWS Java SDK :: Services :: Amazon Machine Learning diff --git a/services/macie2/pom.xml b/services/macie2/pom.xml index b5c75f8713cc..1608e953fcb6 100644 --- a/services/macie2/pom.xml +++ b/services/macie2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT macie2 AWS Java SDK :: Services :: Macie2 diff --git a/services/mailmanager/pom.xml b/services/mailmanager/pom.xml index b61a37fc7a93..2f2bfc9fbffa 100644 --- a/services/mailmanager/pom.xml +++ b/services/mailmanager/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT mailmanager AWS Java SDK :: Services :: Mail Manager diff --git a/services/managedblockchain/pom.xml b/services/managedblockchain/pom.xml index 470f3b5ee6dd..647279c5a626 100644 --- a/services/managedblockchain/pom.xml +++ b/services/managedblockchain/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT managedblockchain AWS Java SDK :: Services :: ManagedBlockchain diff --git a/services/managedblockchainquery/pom.xml b/services/managedblockchainquery/pom.xml index 23068088a388..77543bc1b674 100644 --- a/services/managedblockchainquery/pom.xml +++ b/services/managedblockchainquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT managedblockchainquery AWS Java SDK :: Services :: Managed Blockchain Query diff --git a/services/marketplaceagreement/pom.xml b/services/marketplaceagreement/pom.xml index 0b9729e99762..2ad69d2b9fcf 100644 --- a/services/marketplaceagreement/pom.xml +++ b/services/marketplaceagreement/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT marketplaceagreement AWS Java SDK :: Services :: Marketplace Agreement diff --git a/services/marketplacecatalog/pom.xml b/services/marketplacecatalog/pom.xml index a2b7112c6646..c8fa16983471 100644 --- a/services/marketplacecatalog/pom.xml +++ b/services/marketplacecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT marketplacecatalog AWS Java SDK :: Services :: Marketplace Catalog diff --git a/services/marketplacecommerceanalytics/pom.xml b/services/marketplacecommerceanalytics/pom.xml index 6d0ec462ff5b..9439258e1e7d 100644 --- a/services/marketplacecommerceanalytics/pom.xml +++ b/services/marketplacecommerceanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT marketplacecommerceanalytics AWS Java SDK :: Services :: AWS Marketplace Commerce Analytics diff --git a/services/marketplacedeployment/pom.xml b/services/marketplacedeployment/pom.xml index d193daa371c3..303e8b5f76a2 100644 --- a/services/marketplacedeployment/pom.xml +++ b/services/marketplacedeployment/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT marketplacedeployment AWS Java SDK :: Services :: Marketplace Deployment diff --git a/services/marketplaceentitlement/pom.xml b/services/marketplaceentitlement/pom.xml index ada6a391f3a4..1bbea8040caf 100644 --- a/services/marketplaceentitlement/pom.xml +++ b/services/marketplaceentitlement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT marketplaceentitlement AWS Java SDK :: Services :: AWS Marketplace Entitlement diff --git a/services/marketplacemetering/pom.xml b/services/marketplacemetering/pom.xml index 62e3d720e3ad..3551773c6066 100644 --- a/services/marketplacemetering/pom.xml +++ b/services/marketplacemetering/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT marketplacemetering AWS Java SDK :: Services :: AWS Marketplace Metering Service diff --git a/services/mediaconnect/pom.xml b/services/mediaconnect/pom.xml index bbdce49c1eda..7ba5a3bff455 100644 --- a/services/mediaconnect/pom.xml +++ b/services/mediaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT mediaconnect AWS Java SDK :: Services :: MediaConnect diff --git a/services/mediaconvert/pom.xml b/services/mediaconvert/pom.xml index b8b62586d7c3..62aa0ad77809 100644 --- a/services/mediaconvert/pom.xml +++ b/services/mediaconvert/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23 + 2.27.24-SNAPSHOT 4.0.0 mediaconvert diff --git a/services/medialive/pom.xml b/services/medialive/pom.xml index d10b32919513..d08c6b0e9000 100644 --- a/services/medialive/pom.xml +++ b/services/medialive/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23 + 2.27.24-SNAPSHOT 4.0.0 medialive diff --git a/services/mediapackage/pom.xml b/services/mediapackage/pom.xml index 1de96e4fb0ee..82282ad327b9 100644 --- a/services/mediapackage/pom.xml +++ b/services/mediapackage/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23 + 2.27.24-SNAPSHOT 4.0.0 mediapackage diff --git a/services/mediapackagev2/pom.xml b/services/mediapackagev2/pom.xml index 3e4e7c7adbd7..f33d938bd822 100644 --- a/services/mediapackagev2/pom.xml +++ b/services/mediapackagev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT mediapackagev2 AWS Java SDK :: Services :: Media Package V2 diff --git a/services/mediapackagevod/pom.xml b/services/mediapackagevod/pom.xml index 2ea81c1fb29e..ef48a45536c3 100644 --- a/services/mediapackagevod/pom.xml +++ b/services/mediapackagevod/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT mediapackagevod AWS Java SDK :: Services :: MediaPackage Vod diff --git a/services/mediastore/pom.xml b/services/mediastore/pom.xml index 0e2a8853a3ed..02d71170e373 100644 --- a/services/mediastore/pom.xml +++ b/services/mediastore/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23 + 2.27.24-SNAPSHOT 4.0.0 mediastore diff --git a/services/mediastoredata/pom.xml b/services/mediastoredata/pom.xml index 47c22697241c..cfd17843c4c6 100644 --- a/services/mediastoredata/pom.xml +++ b/services/mediastoredata/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23 + 2.27.24-SNAPSHOT 4.0.0 mediastoredata diff --git a/services/mediatailor/pom.xml b/services/mediatailor/pom.xml index 9c7bbba0e909..7e1c1374b1a7 100644 --- a/services/mediatailor/pom.xml +++ b/services/mediatailor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT mediatailor AWS Java SDK :: Services :: MediaTailor diff --git a/services/medicalimaging/pom.xml b/services/medicalimaging/pom.xml index c8589c2eafc2..7dafa6292d3c 100644 --- a/services/medicalimaging/pom.xml +++ b/services/medicalimaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT medicalimaging AWS Java SDK :: Services :: Medical Imaging diff --git a/services/memorydb/pom.xml b/services/memorydb/pom.xml index ccbeff3e796f..100504723168 100644 --- a/services/memorydb/pom.xml +++ b/services/memorydb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT memorydb AWS Java SDK :: Services :: Memory DB diff --git a/services/mgn/pom.xml b/services/mgn/pom.xml index 4a2ca5f1804f..76c815c80582 100644 --- a/services/mgn/pom.xml +++ b/services/mgn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT mgn AWS Java SDK :: Services :: Mgn diff --git a/services/migrationhub/pom.xml b/services/migrationhub/pom.xml index 9099a27a21b9..f0333343dd37 100644 --- a/services/migrationhub/pom.xml +++ b/services/migrationhub/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23 + 2.27.24-SNAPSHOT 4.0.0 migrationhub diff --git a/services/migrationhubconfig/pom.xml b/services/migrationhubconfig/pom.xml index c93687bd78f9..522bf687d02a 100644 --- a/services/migrationhubconfig/pom.xml +++ b/services/migrationhubconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT migrationhubconfig AWS Java SDK :: Services :: MigrationHub Config diff --git a/services/migrationhuborchestrator/pom.xml b/services/migrationhuborchestrator/pom.xml index 27b0261fe1d8..d94eebe1b75c 100644 --- a/services/migrationhuborchestrator/pom.xml +++ b/services/migrationhuborchestrator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT migrationhuborchestrator AWS Java SDK :: Services :: Migration Hub Orchestrator diff --git a/services/migrationhubrefactorspaces/pom.xml b/services/migrationhubrefactorspaces/pom.xml index 1cb3df1316da..f9012470b7ae 100644 --- a/services/migrationhubrefactorspaces/pom.xml +++ b/services/migrationhubrefactorspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT migrationhubrefactorspaces AWS Java SDK :: Services :: Migration Hub Refactor Spaces diff --git a/services/migrationhubstrategy/pom.xml b/services/migrationhubstrategy/pom.xml index 3a8cbbc662e5..f328c600d623 100644 --- a/services/migrationhubstrategy/pom.xml +++ b/services/migrationhubstrategy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT migrationhubstrategy AWS Java SDK :: Services :: Migration Hub Strategy diff --git a/services/mq/pom.xml b/services/mq/pom.xml index 7ce673dd9183..a56ce2b16bf7 100644 --- a/services/mq/pom.xml +++ b/services/mq/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23 + 2.27.24-SNAPSHOT 4.0.0 mq diff --git a/services/mturk/pom.xml b/services/mturk/pom.xml index 4a9dca23178a..e7cec0f636ca 100644 --- a/services/mturk/pom.xml +++ b/services/mturk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT mturk AWS Java SDK :: Services :: Amazon Mechanical Turk Requester diff --git a/services/mwaa/pom.xml b/services/mwaa/pom.xml index 1a4de0f58fe5..36c41da0fefe 100644 --- a/services/mwaa/pom.xml +++ b/services/mwaa/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT mwaa AWS Java SDK :: Services :: MWAA diff --git a/services/neptune/pom.xml b/services/neptune/pom.xml index 69ba7b680f00..7179a17862e1 100644 --- a/services/neptune/pom.xml +++ b/services/neptune/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT neptune AWS Java SDK :: Services :: Neptune diff --git a/services/neptunedata/pom.xml b/services/neptunedata/pom.xml index 2229bd952f80..61e9b9e8b455 100644 --- a/services/neptunedata/pom.xml +++ b/services/neptunedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT neptunedata AWS Java SDK :: Services :: Neptunedata diff --git a/services/neptunegraph/pom.xml b/services/neptunegraph/pom.xml index 869d4e6ef939..c7c8ea828fca 100644 --- a/services/neptunegraph/pom.xml +++ b/services/neptunegraph/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT neptunegraph AWS Java SDK :: Services :: Neptune Graph diff --git a/services/networkfirewall/pom.xml b/services/networkfirewall/pom.xml index a0be23ccec96..0df35ac9f7ab 100644 --- a/services/networkfirewall/pom.xml +++ b/services/networkfirewall/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT networkfirewall AWS Java SDK :: Services :: Network Firewall diff --git a/services/networkmanager/pom.xml b/services/networkmanager/pom.xml index b5b138aeea51..283f5f5bd6fd 100644 --- a/services/networkmanager/pom.xml +++ b/services/networkmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT networkmanager AWS Java SDK :: Services :: NetworkManager diff --git a/services/networkmonitor/pom.xml b/services/networkmonitor/pom.xml index 2c90e4fed014..398e9a3b9fef 100644 --- a/services/networkmonitor/pom.xml +++ b/services/networkmonitor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT networkmonitor AWS Java SDK :: Services :: Network Monitor diff --git a/services/nimble/pom.xml b/services/nimble/pom.xml index 66c89492dc90..3a07472ea714 100644 --- a/services/nimble/pom.xml +++ b/services/nimble/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT nimble AWS Java SDK :: Services :: Nimble diff --git a/services/oam/pom.xml b/services/oam/pom.xml index 5ba6d044297f..f691bc8c7a29 100644 --- a/services/oam/pom.xml +++ b/services/oam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT oam AWS Java SDK :: Services :: OAM diff --git a/services/omics/pom.xml b/services/omics/pom.xml index d38a07980c2f..9fbacd92d8d9 100644 --- a/services/omics/pom.xml +++ b/services/omics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT omics AWS Java SDK :: Services :: Omics diff --git a/services/opensearch/pom.xml b/services/opensearch/pom.xml index ffda65433dca..f6a459a3e9e5 100644 --- a/services/opensearch/pom.xml +++ b/services/opensearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT opensearch AWS Java SDK :: Services :: Open Search diff --git a/services/opensearchserverless/pom.xml b/services/opensearchserverless/pom.xml index 5805277f72db..858807ee272d 100644 --- a/services/opensearchserverless/pom.xml +++ b/services/opensearchserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT opensearchserverless AWS Java SDK :: Services :: Open Search Serverless diff --git a/services/opsworks/pom.xml b/services/opsworks/pom.xml index b3ccd1bbd287..95281f387665 100644 --- a/services/opsworks/pom.xml +++ b/services/opsworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT opsworks AWS Java SDK :: Services :: AWS OpsWorks diff --git a/services/opsworkscm/pom.xml b/services/opsworkscm/pom.xml index 20efb5015f0e..484280a8c979 100644 --- a/services/opsworkscm/pom.xml +++ b/services/opsworkscm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT opsworkscm AWS Java SDK :: Services :: AWS OpsWorks for Chef Automate diff --git a/services/organizations/pom.xml b/services/organizations/pom.xml index cc515a9bf8b1..526d18219e11 100644 --- a/services/organizations/pom.xml +++ b/services/organizations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT organizations AWS Java SDK :: Services :: AWS Organizations diff --git a/services/osis/pom.xml b/services/osis/pom.xml index 71bd8f9ed9b2..b57f3e50cf81 100644 --- a/services/osis/pom.xml +++ b/services/osis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT osis AWS Java SDK :: Services :: OSIS diff --git a/services/outposts/pom.xml b/services/outposts/pom.xml index f58ce2130672..c58301f56a59 100644 --- a/services/outposts/pom.xml +++ b/services/outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT outposts AWS Java SDK :: Services :: Outposts diff --git a/services/panorama/pom.xml b/services/panorama/pom.xml index 910c2972974c..d2d3849d19df 100644 --- a/services/panorama/pom.xml +++ b/services/panorama/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT panorama AWS Java SDK :: Services :: Panorama diff --git a/services/paymentcryptography/pom.xml b/services/paymentcryptography/pom.xml index a7a7e4c582bc..eb89e6dff1b4 100644 --- a/services/paymentcryptography/pom.xml +++ b/services/paymentcryptography/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT paymentcryptography AWS Java SDK :: Services :: Payment Cryptography diff --git a/services/paymentcryptographydata/pom.xml b/services/paymentcryptographydata/pom.xml index c81af5750381..06c7520b9449 100644 --- a/services/paymentcryptographydata/pom.xml +++ b/services/paymentcryptographydata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT paymentcryptographydata AWS Java SDK :: Services :: Payment Cryptography Data diff --git a/services/pcaconnectorad/pom.xml b/services/pcaconnectorad/pom.xml index 24cd1b9b1b92..2b0e64956843 100644 --- a/services/pcaconnectorad/pom.xml +++ b/services/pcaconnectorad/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT pcaconnectorad AWS Java SDK :: Services :: Pca Connector Ad diff --git a/services/pcaconnectorscep/pom.xml b/services/pcaconnectorscep/pom.xml index 64b30f6a2a17..06f714abb673 100644 --- a/services/pcaconnectorscep/pom.xml +++ b/services/pcaconnectorscep/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT pcaconnectorscep AWS Java SDK :: Services :: Pca Connector Scep diff --git a/services/pcs/pom.xml b/services/pcs/pom.xml index 75037d9cee86..b3dab9d87383 100644 --- a/services/pcs/pom.xml +++ b/services/pcs/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT pcs AWS Java SDK :: Services :: PCS diff --git a/services/personalize/pom.xml b/services/personalize/pom.xml index ed7254693363..aa036804e735 100644 --- a/services/personalize/pom.xml +++ b/services/personalize/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT personalize AWS Java SDK :: Services :: Personalize diff --git a/services/personalizeevents/pom.xml b/services/personalizeevents/pom.xml index 3d071fece328..45389f73ccd5 100644 --- a/services/personalizeevents/pom.xml +++ b/services/personalizeevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT personalizeevents AWS Java SDK :: Services :: Personalize Events diff --git a/services/personalizeruntime/pom.xml b/services/personalizeruntime/pom.xml index 3cf183d78d91..b321fc992e43 100644 --- a/services/personalizeruntime/pom.xml +++ b/services/personalizeruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT personalizeruntime AWS Java SDK :: Services :: Personalize Runtime diff --git a/services/pi/pom.xml b/services/pi/pom.xml index 189488292594..371ed1bfc9a4 100644 --- a/services/pi/pom.xml +++ b/services/pi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT pi AWS Java SDK :: Services :: PI diff --git a/services/pinpoint/pom.xml b/services/pinpoint/pom.xml index c5e8c46290d9..48988b21c0c1 100644 --- a/services/pinpoint/pom.xml +++ b/services/pinpoint/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT pinpoint AWS Java SDK :: Services :: Amazon Pinpoint diff --git a/services/pinpointemail/pom.xml b/services/pinpointemail/pom.xml index 0081c05beb5f..4b724b5bb3f1 100644 --- a/services/pinpointemail/pom.xml +++ b/services/pinpointemail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT pinpointemail AWS Java SDK :: Services :: Pinpoint Email diff --git a/services/pinpointsmsvoice/pom.xml b/services/pinpointsmsvoice/pom.xml index 030f5d26dba9..08c8822f9dc7 100644 --- a/services/pinpointsmsvoice/pom.xml +++ b/services/pinpointsmsvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT pinpointsmsvoice AWS Java SDK :: Services :: Pinpoint SMS Voice diff --git a/services/pinpointsmsvoicev2/pom.xml b/services/pinpointsmsvoicev2/pom.xml index 8383b261201a..3592bd621be0 100644 --- a/services/pinpointsmsvoicev2/pom.xml +++ b/services/pinpointsmsvoicev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT pinpointsmsvoicev2 AWS Java SDK :: Services :: Pinpoint SMS Voice V2 diff --git a/services/pipes/pom.xml b/services/pipes/pom.xml index 217f2277d2e3..d312afc89741 100644 --- a/services/pipes/pom.xml +++ b/services/pipes/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT pipes AWS Java SDK :: Services :: Pipes diff --git a/services/polly/pom.xml b/services/polly/pom.xml index 91aa63ee41cb..b9d86b331f00 100644 --- a/services/polly/pom.xml +++ b/services/polly/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT polly AWS Java SDK :: Services :: Amazon Polly diff --git a/services/pom.xml b/services/pom.xml index a43949d43016..9882e9562348 100644 --- a/services/pom.xml +++ b/services/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.23 + 2.27.24-SNAPSHOT services AWS Java SDK :: Services diff --git a/services/pricing/pom.xml b/services/pricing/pom.xml index 989f403feb21..a411836c5d9a 100644 --- a/services/pricing/pom.xml +++ b/services/pricing/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23 + 2.27.24-SNAPSHOT 4.0.0 pricing diff --git a/services/privatenetworks/pom.xml b/services/privatenetworks/pom.xml index edb3fa281fb5..e287e3fe40ff 100644 --- a/services/privatenetworks/pom.xml +++ b/services/privatenetworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT privatenetworks AWS Java SDK :: Services :: Private Networks diff --git a/services/proton/pom.xml b/services/proton/pom.xml index 4bdf66e58296..20fae5948b05 100644 --- a/services/proton/pom.xml +++ b/services/proton/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT proton AWS Java SDK :: Services :: Proton diff --git a/services/qapps/pom.xml b/services/qapps/pom.xml index 22d38ca6c542..b2b2e4371d85 100644 --- a/services/qapps/pom.xml +++ b/services/qapps/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT qapps AWS Java SDK :: Services :: Q Apps diff --git a/services/qbusiness/pom.xml b/services/qbusiness/pom.xml index 568592da274d..5688bda38b2d 100644 --- a/services/qbusiness/pom.xml +++ b/services/qbusiness/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT qbusiness AWS Java SDK :: Services :: Q Business diff --git a/services/qconnect/pom.xml b/services/qconnect/pom.xml index a05d7dfa9819..c965823a4ff7 100644 --- a/services/qconnect/pom.xml +++ b/services/qconnect/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT qconnect AWS Java SDK :: Services :: Q Connect diff --git a/services/qldb/pom.xml b/services/qldb/pom.xml index c3df9d6febf8..f69580703ca0 100644 --- a/services/qldb/pom.xml +++ b/services/qldb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT qldb AWS Java SDK :: Services :: QLDB diff --git a/services/qldbsession/pom.xml b/services/qldbsession/pom.xml index 5ac14da8689a..c92b7e932a11 100644 --- a/services/qldbsession/pom.xml +++ b/services/qldbsession/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT qldbsession AWS Java SDK :: Services :: QLDB Session diff --git a/services/quicksight/pom.xml b/services/quicksight/pom.xml index 18442c0695fc..57274afaf831 100644 --- a/services/quicksight/pom.xml +++ b/services/quicksight/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT quicksight AWS Java SDK :: Services :: QuickSight diff --git a/services/ram/pom.xml b/services/ram/pom.xml index 7bf49c177ddc..c8b111f250e5 100644 --- a/services/ram/pom.xml +++ b/services/ram/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT ram AWS Java SDK :: Services :: RAM diff --git a/services/rbin/pom.xml b/services/rbin/pom.xml index b788669eed1d..da352704be3c 100644 --- a/services/rbin/pom.xml +++ b/services/rbin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT rbin AWS Java SDK :: Services :: Rbin diff --git a/services/rds/pom.xml b/services/rds/pom.xml index 6345ec6379b0..83c554f83176 100644 --- a/services/rds/pom.xml +++ b/services/rds/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT rds AWS Java SDK :: Services :: Amazon RDS diff --git a/services/rdsdata/pom.xml b/services/rdsdata/pom.xml index f42f6b79378f..0ddd4b5e5442 100644 --- a/services/rdsdata/pom.xml +++ b/services/rdsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT rdsdata AWS Java SDK :: Services :: RDS Data diff --git a/services/redshift/pom.xml b/services/redshift/pom.xml index d82e392df9f8..05f9e72eb5fd 100644 --- a/services/redshift/pom.xml +++ b/services/redshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT redshift AWS Java SDK :: Services :: Amazon Redshift diff --git a/services/redshiftdata/pom.xml b/services/redshiftdata/pom.xml index 34c9f9007374..42a7e729f7ad 100644 --- a/services/redshiftdata/pom.xml +++ b/services/redshiftdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT redshiftdata AWS Java SDK :: Services :: Redshift Data diff --git a/services/redshiftserverless/pom.xml b/services/redshiftserverless/pom.xml index fe2b2318f9f9..df84df453477 100644 --- a/services/redshiftserverless/pom.xml +++ b/services/redshiftserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT redshiftserverless AWS Java SDK :: Services :: Redshift Serverless diff --git a/services/rekognition/pom.xml b/services/rekognition/pom.xml index 5c11068f9684..16cd0f1a62f3 100644 --- a/services/rekognition/pom.xml +++ b/services/rekognition/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT rekognition AWS Java SDK :: Services :: Amazon Rekognition diff --git a/services/repostspace/pom.xml b/services/repostspace/pom.xml index 6259032335ea..d51539969303 100644 --- a/services/repostspace/pom.xml +++ b/services/repostspace/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT repostspace AWS Java SDK :: Services :: Repostspace diff --git a/services/resiliencehub/pom.xml b/services/resiliencehub/pom.xml index 12913b6cf04c..b5f081748077 100644 --- a/services/resiliencehub/pom.xml +++ b/services/resiliencehub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT resiliencehub AWS Java SDK :: Services :: Resiliencehub diff --git a/services/resourceexplorer2/pom.xml b/services/resourceexplorer2/pom.xml index 1c5ac45a4685..510456597e9f 100644 --- a/services/resourceexplorer2/pom.xml +++ b/services/resourceexplorer2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT resourceexplorer2 AWS Java SDK :: Services :: Resource Explorer 2 diff --git a/services/resourcegroups/pom.xml b/services/resourcegroups/pom.xml index 5ab51f475ec7..2099c4110ed5 100644 --- a/services/resourcegroups/pom.xml +++ b/services/resourcegroups/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23 + 2.27.24-SNAPSHOT 4.0.0 resourcegroups diff --git a/services/resourcegroupstaggingapi/pom.xml b/services/resourcegroupstaggingapi/pom.xml index e763e54c1826..82576d81f637 100644 --- a/services/resourcegroupstaggingapi/pom.xml +++ b/services/resourcegroupstaggingapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT resourcegroupstaggingapi AWS Java SDK :: Services :: AWS Resource Groups Tagging API diff --git a/services/robomaker/pom.xml b/services/robomaker/pom.xml index 242cf72fdde4..fa7362413598 100644 --- a/services/robomaker/pom.xml +++ b/services/robomaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT robomaker AWS Java SDK :: Services :: RoboMaker diff --git a/services/rolesanywhere/pom.xml b/services/rolesanywhere/pom.xml index 2a84e1986f76..10d44bda6368 100644 --- a/services/rolesanywhere/pom.xml +++ b/services/rolesanywhere/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT rolesanywhere AWS Java SDK :: Services :: Roles Anywhere diff --git a/services/route53/pom.xml b/services/route53/pom.xml index 72dd90771662..3746b1f73d14 100644 --- a/services/route53/pom.xml +++ b/services/route53/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT route53 AWS Java SDK :: Services :: Amazon Route53 diff --git a/services/route53domains/pom.xml b/services/route53domains/pom.xml index f6be9be1b4e5..10ef0092860a 100644 --- a/services/route53domains/pom.xml +++ b/services/route53domains/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT route53domains AWS Java SDK :: Services :: Amazon Route53 Domains diff --git a/services/route53profiles/pom.xml b/services/route53profiles/pom.xml index 9c02f9b20701..5471073522db 100644 --- a/services/route53profiles/pom.xml +++ b/services/route53profiles/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT route53profiles AWS Java SDK :: Services :: Route53 Profiles diff --git a/services/route53recoverycluster/pom.xml b/services/route53recoverycluster/pom.xml index f995f5812f7f..25c780e1625c 100644 --- a/services/route53recoverycluster/pom.xml +++ b/services/route53recoverycluster/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT route53recoverycluster AWS Java SDK :: Services :: Route53 Recovery Cluster diff --git a/services/route53recoverycontrolconfig/pom.xml b/services/route53recoverycontrolconfig/pom.xml index 6756b49ac8ae..93add8cb76d3 100644 --- a/services/route53recoverycontrolconfig/pom.xml +++ b/services/route53recoverycontrolconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT route53recoverycontrolconfig AWS Java SDK :: Services :: Route53 Recovery Control Config diff --git a/services/route53recoveryreadiness/pom.xml b/services/route53recoveryreadiness/pom.xml index 0a654162b410..973127164ce7 100644 --- a/services/route53recoveryreadiness/pom.xml +++ b/services/route53recoveryreadiness/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT route53recoveryreadiness AWS Java SDK :: Services :: Route53 Recovery Readiness diff --git a/services/route53resolver/pom.xml b/services/route53resolver/pom.xml index 423457362a44..01754701b82e 100644 --- a/services/route53resolver/pom.xml +++ b/services/route53resolver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT route53resolver AWS Java SDK :: Services :: Route53Resolver diff --git a/services/rum/pom.xml b/services/rum/pom.xml index 76b570a2da5c..cc360d8fb80f 100644 --- a/services/rum/pom.xml +++ b/services/rum/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT rum AWS Java SDK :: Services :: RUM diff --git a/services/s3/pom.xml b/services/s3/pom.xml index fb7310accf65..8bf0b48c415d 100644 --- a/services/s3/pom.xml +++ b/services/s3/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT s3 AWS Java SDK :: Services :: Amazon S3 diff --git a/services/s3control/pom.xml b/services/s3control/pom.xml index 1ac91ca87b77..1b35696f60c0 100644 --- a/services/s3control/pom.xml +++ b/services/s3control/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT s3control AWS Java SDK :: Services :: Amazon S3 Control diff --git a/services/s3outposts/pom.xml b/services/s3outposts/pom.xml index e5ca3d8735da..fb460067d087 100644 --- a/services/s3outposts/pom.xml +++ b/services/s3outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT s3outposts AWS Java SDK :: Services :: S3 Outposts diff --git a/services/sagemaker/pom.xml b/services/sagemaker/pom.xml index a7a0977d2b50..62e678f0c8a0 100644 --- a/services/sagemaker/pom.xml +++ b/services/sagemaker/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23 + 2.27.24-SNAPSHOT 4.0.0 sagemaker diff --git a/services/sagemakera2iruntime/pom.xml b/services/sagemakera2iruntime/pom.xml index ccbb2f5a8b7f..ae50413a78fe 100644 --- a/services/sagemakera2iruntime/pom.xml +++ b/services/sagemakera2iruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT sagemakera2iruntime AWS Java SDK :: Services :: SageMaker A2I Runtime diff --git a/services/sagemakeredge/pom.xml b/services/sagemakeredge/pom.xml index 14b9b25e7816..009b60e0afdd 100644 --- a/services/sagemakeredge/pom.xml +++ b/services/sagemakeredge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT sagemakeredge AWS Java SDK :: Services :: Sagemaker Edge diff --git a/services/sagemakerfeaturestoreruntime/pom.xml b/services/sagemakerfeaturestoreruntime/pom.xml index 8a64eb5052db..06e379fe7cf0 100644 --- a/services/sagemakerfeaturestoreruntime/pom.xml +++ b/services/sagemakerfeaturestoreruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT sagemakerfeaturestoreruntime AWS Java SDK :: Services :: Sage Maker Feature Store Runtime diff --git a/services/sagemakergeospatial/pom.xml b/services/sagemakergeospatial/pom.xml index 64be35dd9855..4a978d1c9891 100644 --- a/services/sagemakergeospatial/pom.xml +++ b/services/sagemakergeospatial/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT sagemakergeospatial AWS Java SDK :: Services :: Sage Maker Geospatial diff --git a/services/sagemakermetrics/pom.xml b/services/sagemakermetrics/pom.xml index e6d9414394fe..397f344aadc0 100644 --- a/services/sagemakermetrics/pom.xml +++ b/services/sagemakermetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT sagemakermetrics AWS Java SDK :: Services :: Sage Maker Metrics diff --git a/services/sagemakerruntime/pom.xml b/services/sagemakerruntime/pom.xml index 949893b7b613..3534ffaa9a75 100644 --- a/services/sagemakerruntime/pom.xml +++ b/services/sagemakerruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT sagemakerruntime AWS Java SDK :: Services :: SageMaker Runtime diff --git a/services/savingsplans/pom.xml b/services/savingsplans/pom.xml index e5e19f856e54..4ccc90b4038b 100644 --- a/services/savingsplans/pom.xml +++ b/services/savingsplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT savingsplans AWS Java SDK :: Services :: Savingsplans diff --git a/services/scheduler/pom.xml b/services/scheduler/pom.xml index 47429cc93c4c..b1a720318c7c 100644 --- a/services/scheduler/pom.xml +++ b/services/scheduler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT scheduler AWS Java SDK :: Services :: Scheduler diff --git a/services/schemas/pom.xml b/services/schemas/pom.xml index 1b0505ac4bc6..2b2ce4cfe34c 100644 --- a/services/schemas/pom.xml +++ b/services/schemas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT schemas AWS Java SDK :: Services :: Schemas diff --git a/services/secretsmanager/pom.xml b/services/secretsmanager/pom.xml index 362f260171af..a04df34ee2a7 100644 --- a/services/secretsmanager/pom.xml +++ b/services/secretsmanager/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT secretsmanager AWS Java SDK :: Services :: AWS Secrets Manager diff --git a/services/securityhub/pom.xml b/services/securityhub/pom.xml index 65efea30811c..a79dd58900c7 100644 --- a/services/securityhub/pom.xml +++ b/services/securityhub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT securityhub AWS Java SDK :: Services :: SecurityHub diff --git a/services/securitylake/pom.xml b/services/securitylake/pom.xml index 33aeab3469c6..d6cc3c10004f 100644 --- a/services/securitylake/pom.xml +++ b/services/securitylake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT securitylake AWS Java SDK :: Services :: Security Lake diff --git a/services/serverlessapplicationrepository/pom.xml b/services/serverlessapplicationrepository/pom.xml index b162a8aebd11..bd67e16c37a7 100644 --- a/services/serverlessapplicationrepository/pom.xml +++ b/services/serverlessapplicationrepository/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23 + 2.27.24-SNAPSHOT 4.0.0 serverlessapplicationrepository diff --git a/services/servicecatalog/pom.xml b/services/servicecatalog/pom.xml index de14ff581638..fc653c852f32 100644 --- a/services/servicecatalog/pom.xml +++ b/services/servicecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT servicecatalog AWS Java SDK :: Services :: AWS Service Catalog diff --git a/services/servicecatalogappregistry/pom.xml b/services/servicecatalogappregistry/pom.xml index 23f19a38019e..3535bc9ca917 100644 --- a/services/servicecatalogappregistry/pom.xml +++ b/services/servicecatalogappregistry/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT servicecatalogappregistry AWS Java SDK :: Services :: Service Catalog App Registry diff --git a/services/servicediscovery/pom.xml b/services/servicediscovery/pom.xml index 2d9c552401d4..2d5c25a27987 100644 --- a/services/servicediscovery/pom.xml +++ b/services/servicediscovery/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23 + 2.27.24-SNAPSHOT 4.0.0 servicediscovery diff --git a/services/servicequotas/pom.xml b/services/servicequotas/pom.xml index 53001af6ea29..62832a86fbfc 100644 --- a/services/servicequotas/pom.xml +++ b/services/servicequotas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT servicequotas AWS Java SDK :: Services :: Service Quotas diff --git a/services/ses/pom.xml b/services/ses/pom.xml index cae785c4985c..f5122dba57ac 100644 --- a/services/ses/pom.xml +++ b/services/ses/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT ses AWS Java SDK :: Services :: Amazon SES diff --git a/services/sesv2/pom.xml b/services/sesv2/pom.xml index 57c9bee3a198..e9018dc7545c 100644 --- a/services/sesv2/pom.xml +++ b/services/sesv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT sesv2 AWS Java SDK :: Services :: SESv2 diff --git a/services/sfn/pom.xml b/services/sfn/pom.xml index f59ab909a534..ae8cfbaa480d 100644 --- a/services/sfn/pom.xml +++ b/services/sfn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT sfn AWS Java SDK :: Services :: AWS Step Functions diff --git a/services/shield/pom.xml b/services/shield/pom.xml index 4e5835e4d512..e6e6e6b8e158 100644 --- a/services/shield/pom.xml +++ b/services/shield/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT shield AWS Java SDK :: Services :: AWS Shield diff --git a/services/signer/pom.xml b/services/signer/pom.xml index e77fabd8eb28..78751c817929 100644 --- a/services/signer/pom.xml +++ b/services/signer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT signer AWS Java SDK :: Services :: Signer diff --git a/services/simspaceweaver/pom.xml b/services/simspaceweaver/pom.xml index b913ae4cb4e8..347ff1d36dae 100644 --- a/services/simspaceweaver/pom.xml +++ b/services/simspaceweaver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT simspaceweaver AWS Java SDK :: Services :: Sim Space Weaver diff --git a/services/sms/pom.xml b/services/sms/pom.xml index d7be9b4e5144..f7d4bf42577c 100644 --- a/services/sms/pom.xml +++ b/services/sms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT sms AWS Java SDK :: Services :: AWS Server Migration diff --git a/services/snowball/pom.xml b/services/snowball/pom.xml index 12d9fcd681d8..e6f4b1f95846 100644 --- a/services/snowball/pom.xml +++ b/services/snowball/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT snowball AWS Java SDK :: Services :: Amazon Snowball diff --git a/services/snowdevicemanagement/pom.xml b/services/snowdevicemanagement/pom.xml index 24ba681126d8..36fa41825dbe 100644 --- a/services/snowdevicemanagement/pom.xml +++ b/services/snowdevicemanagement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT snowdevicemanagement AWS Java SDK :: Services :: Snow Device Management diff --git a/services/sns/pom.xml b/services/sns/pom.xml index 4a09601797bd..bed8fb99c359 100644 --- a/services/sns/pom.xml +++ b/services/sns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT sns AWS Java SDK :: Services :: Amazon SNS diff --git a/services/sqs/pom.xml b/services/sqs/pom.xml index 29b90953e505..ae960a65c23e 100644 --- a/services/sqs/pom.xml +++ b/services/sqs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT sqs AWS Java SDK :: Services :: Amazon SQS diff --git a/services/ssm/pom.xml b/services/ssm/pom.xml index 86d350efb857..54e232e1b09b 100644 --- a/services/ssm/pom.xml +++ b/services/ssm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT ssm AWS Java SDK :: Services :: AWS Simple Systems Management (SSM) diff --git a/services/ssmcontacts/pom.xml b/services/ssmcontacts/pom.xml index 0f185be00b27..a78fe558dd21 100644 --- a/services/ssmcontacts/pom.xml +++ b/services/ssmcontacts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT ssmcontacts AWS Java SDK :: Services :: SSM Contacts diff --git a/services/ssmincidents/pom.xml b/services/ssmincidents/pom.xml index 58b1f7503555..d05238436c65 100644 --- a/services/ssmincidents/pom.xml +++ b/services/ssmincidents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT ssmincidents AWS Java SDK :: Services :: SSM Incidents diff --git a/services/ssmquicksetup/pom.xml b/services/ssmquicksetup/pom.xml index 898a12b4e822..ad70944d8b4a 100644 --- a/services/ssmquicksetup/pom.xml +++ b/services/ssmquicksetup/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT ssmquicksetup AWS Java SDK :: Services :: SSM Quick Setup diff --git a/services/ssmsap/pom.xml b/services/ssmsap/pom.xml index 127e8f31350a..b1bb80e201a8 100644 --- a/services/ssmsap/pom.xml +++ b/services/ssmsap/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT ssmsap AWS Java SDK :: Services :: Ssm Sap diff --git a/services/sso/pom.xml b/services/sso/pom.xml index c32b74a05ebf..8696adc09090 100644 --- a/services/sso/pom.xml +++ b/services/sso/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT sso AWS Java SDK :: Services :: SSO diff --git a/services/ssoadmin/pom.xml b/services/ssoadmin/pom.xml index 80fa5b536121..b323536cd8c8 100644 --- a/services/ssoadmin/pom.xml +++ b/services/ssoadmin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT ssoadmin AWS Java SDK :: Services :: SSO Admin diff --git a/services/ssooidc/pom.xml b/services/ssooidc/pom.xml index 094bbe4a5c21..e57f481e20ca 100644 --- a/services/ssooidc/pom.xml +++ b/services/ssooidc/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT ssooidc AWS Java SDK :: Services :: SSO OIDC diff --git a/services/storagegateway/pom.xml b/services/storagegateway/pom.xml index 86961e5261d9..35f1b8f8ac38 100644 --- a/services/storagegateway/pom.xml +++ b/services/storagegateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT storagegateway AWS Java SDK :: Services :: AWS Storage Gateway diff --git a/services/sts/pom.xml b/services/sts/pom.xml index dc44096e2aa0..d0a6a5c05f31 100644 --- a/services/sts/pom.xml +++ b/services/sts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT sts AWS Java SDK :: Services :: AWS STS diff --git a/services/supplychain/pom.xml b/services/supplychain/pom.xml index a5e9a74d2ecd..22d55fcadcd1 100644 --- a/services/supplychain/pom.xml +++ b/services/supplychain/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT supplychain AWS Java SDK :: Services :: Supply Chain diff --git a/services/support/pom.xml b/services/support/pom.xml index dc59fc0ce4a1..76afc3371649 100644 --- a/services/support/pom.xml +++ b/services/support/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT support AWS Java SDK :: Services :: AWS Support diff --git a/services/supportapp/pom.xml b/services/supportapp/pom.xml index 2064ebb45cf2..1a2ad973f169 100644 --- a/services/supportapp/pom.xml +++ b/services/supportapp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT supportapp AWS Java SDK :: Services :: Support App diff --git a/services/swf/pom.xml b/services/swf/pom.xml index 721f633028f7..80e5fd46b4b2 100644 --- a/services/swf/pom.xml +++ b/services/swf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT swf AWS Java SDK :: Services :: Amazon SWF diff --git a/services/synthetics/pom.xml b/services/synthetics/pom.xml index 72975ce8a3fa..b21a5d204fd1 100644 --- a/services/synthetics/pom.xml +++ b/services/synthetics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT synthetics AWS Java SDK :: Services :: Synthetics diff --git a/services/taxsettings/pom.xml b/services/taxsettings/pom.xml index c512911a2e9f..4b20e4619e18 100644 --- a/services/taxsettings/pom.xml +++ b/services/taxsettings/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT taxsettings AWS Java SDK :: Services :: Tax Settings diff --git a/services/textract/pom.xml b/services/textract/pom.xml index 612dea470910..f02a99af9f82 100644 --- a/services/textract/pom.xml +++ b/services/textract/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT textract AWS Java SDK :: Services :: Textract diff --git a/services/timestreaminfluxdb/pom.xml b/services/timestreaminfluxdb/pom.xml index ef5e8455d927..f418704e5973 100644 --- a/services/timestreaminfluxdb/pom.xml +++ b/services/timestreaminfluxdb/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT timestreaminfluxdb AWS Java SDK :: Services :: Timestream Influx DB diff --git a/services/timestreamquery/pom.xml b/services/timestreamquery/pom.xml index bab593ef73cb..7d7261cda571 100644 --- a/services/timestreamquery/pom.xml +++ b/services/timestreamquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT timestreamquery AWS Java SDK :: Services :: Timestream Query diff --git a/services/timestreamwrite/pom.xml b/services/timestreamwrite/pom.xml index 2fa2652656ef..96becbc65e12 100644 --- a/services/timestreamwrite/pom.xml +++ b/services/timestreamwrite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT timestreamwrite AWS Java SDK :: Services :: Timestream Write diff --git a/services/tnb/pom.xml b/services/tnb/pom.xml index 548f91281009..b7751d6daaec 100644 --- a/services/tnb/pom.xml +++ b/services/tnb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT tnb AWS Java SDK :: Services :: Tnb diff --git a/services/transcribe/pom.xml b/services/transcribe/pom.xml index b08eb634cc8d..a36d24b46c09 100644 --- a/services/transcribe/pom.xml +++ b/services/transcribe/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT transcribe AWS Java SDK :: Services :: Transcribe diff --git a/services/transcribestreaming/pom.xml b/services/transcribestreaming/pom.xml index 7dc7fc296403..f5982a3491ec 100644 --- a/services/transcribestreaming/pom.xml +++ b/services/transcribestreaming/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT transcribestreaming AWS Java SDK :: Services :: AWS Transcribe Streaming diff --git a/services/transfer/pom.xml b/services/transfer/pom.xml index 5a5296d0230f..678a2758184d 100644 --- a/services/transfer/pom.xml +++ b/services/transfer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT transfer AWS Java SDK :: Services :: Transfer diff --git a/services/translate/pom.xml b/services/translate/pom.xml index fd428b8646fc..20b24f53dcec 100644 --- a/services/translate/pom.xml +++ b/services/translate/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23 + 2.27.24-SNAPSHOT 4.0.0 translate diff --git a/services/trustedadvisor/pom.xml b/services/trustedadvisor/pom.xml index 4ba205f95a6a..ed81f8e20c2d 100644 --- a/services/trustedadvisor/pom.xml +++ b/services/trustedadvisor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT trustedadvisor AWS Java SDK :: Services :: Trusted Advisor diff --git a/services/verifiedpermissions/pom.xml b/services/verifiedpermissions/pom.xml index a5b051be0f16..70e5e7c1709b 100644 --- a/services/verifiedpermissions/pom.xml +++ b/services/verifiedpermissions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT verifiedpermissions AWS Java SDK :: Services :: Verified Permissions diff --git a/services/voiceid/pom.xml b/services/voiceid/pom.xml index 6edcbcc1a74a..25c203b8ad2f 100644 --- a/services/voiceid/pom.xml +++ b/services/voiceid/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT voiceid AWS Java SDK :: Services :: Voice ID diff --git a/services/vpclattice/pom.xml b/services/vpclattice/pom.xml index cf0c0c6777c8..efaa12015b3a 100644 --- a/services/vpclattice/pom.xml +++ b/services/vpclattice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT vpclattice AWS Java SDK :: Services :: VPC Lattice diff --git a/services/waf/pom.xml b/services/waf/pom.xml index 0a09b4ff9aa4..2aea3157cb45 100644 --- a/services/waf/pom.xml +++ b/services/waf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT waf AWS Java SDK :: Services :: AWS WAF diff --git a/services/wafv2/pom.xml b/services/wafv2/pom.xml index e3979c4ac99e..3d80302dc4ad 100644 --- a/services/wafv2/pom.xml +++ b/services/wafv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT wafv2 AWS Java SDK :: Services :: WAFV2 diff --git a/services/wellarchitected/pom.xml b/services/wellarchitected/pom.xml index 60c9a795de2b..d8d0af259bdb 100644 --- a/services/wellarchitected/pom.xml +++ b/services/wellarchitected/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT wellarchitected AWS Java SDK :: Services :: Well Architected diff --git a/services/wisdom/pom.xml b/services/wisdom/pom.xml index a2d6ea3eccd8..8c9441bf7831 100644 --- a/services/wisdom/pom.xml +++ b/services/wisdom/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT wisdom AWS Java SDK :: Services :: Wisdom diff --git a/services/workdocs/pom.xml b/services/workdocs/pom.xml index e9c47661ee05..38ca5710a3d2 100644 --- a/services/workdocs/pom.xml +++ b/services/workdocs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT workdocs AWS Java SDK :: Services :: Amazon WorkDocs diff --git a/services/worklink/pom.xml b/services/worklink/pom.xml index 0d7ba9819fc3..a728361abe03 100644 --- a/services/worklink/pom.xml +++ b/services/worklink/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT worklink AWS Java SDK :: Services :: WorkLink diff --git a/services/workmail/pom.xml b/services/workmail/pom.xml index 927d9862229f..c15be4c0d728 100644 --- a/services/workmail/pom.xml +++ b/services/workmail/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.23 + 2.27.24-SNAPSHOT 4.0.0 workmail diff --git a/services/workmailmessageflow/pom.xml b/services/workmailmessageflow/pom.xml index 57824b9a7874..36d7e82fa2dd 100644 --- a/services/workmailmessageflow/pom.xml +++ b/services/workmailmessageflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT workmailmessageflow AWS Java SDK :: Services :: WorkMailMessageFlow diff --git a/services/workspaces/pom.xml b/services/workspaces/pom.xml index 06cf9d14e78e..e4c8878ef1c7 100644 --- a/services/workspaces/pom.xml +++ b/services/workspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT workspaces AWS Java SDK :: Services :: Amazon WorkSpaces diff --git a/services/workspacesthinclient/pom.xml b/services/workspacesthinclient/pom.xml index 421495c12945..06fac9757e70 100644 --- a/services/workspacesthinclient/pom.xml +++ b/services/workspacesthinclient/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT workspacesthinclient AWS Java SDK :: Services :: Work Spaces Thin Client diff --git a/services/workspacesweb/pom.xml b/services/workspacesweb/pom.xml index 58234632d33a..42d07d8daf78 100644 --- a/services/workspacesweb/pom.xml +++ b/services/workspacesweb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT workspacesweb AWS Java SDK :: Services :: Work Spaces Web diff --git a/services/xray/pom.xml b/services/xray/pom.xml index 2b8a381bb6ef..f96d7f35dd1f 100644 --- a/services/xray/pom.xml +++ b/services/xray/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.23 + 2.27.24-SNAPSHOT xray AWS Java SDK :: Services :: AWS X-Ray diff --git a/test/auth-tests/pom.xml b/test/auth-tests/pom.xml index 2489cdee9869..f97e623391a3 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.27.23 + 2.27.24-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/bundle-logging-bridge-binding-test/pom.xml b/test/bundle-logging-bridge-binding-test/pom.xml index e7be5fda737d..d36e08428eb6 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.27.23 + 2.27.24-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/bundle-shading-tests/pom.xml b/test/bundle-shading-tests/pom.xml index 2a9050ca44fe..9c675cf929c7 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.27.23 + 2.27.24-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/codegen-generated-classes-test/pom.xml b/test/codegen-generated-classes-test/pom.xml index c784c9abe6b7..a006a856d8d4 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.27.23 + 2.27.24-SNAPSHOT ../../pom.xml diff --git a/test/crt-unavailable-tests/pom.xml b/test/crt-unavailable-tests/pom.xml index 00d6ae610edb..f1c45cb446cd 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.27.23 + 2.27.24-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/http-client-tests/pom.xml b/test/http-client-tests/pom.xml index 705b928a710c..efb25498a5fd 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.27.23 + 2.27.24-SNAPSHOT ../../pom.xml http-client-tests diff --git a/test/module-path-tests/pom.xml b/test/module-path-tests/pom.xml index df60058c2b1a..9a013cd45938 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.27.23 + 2.27.24-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/old-client-version-compatibility-test/pom.xml b/test/old-client-version-compatibility-test/pom.xml index 8d026a1ca8e2..26c2ca707d99 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.27.23 + 2.27.24-SNAPSHOT ../../pom.xml diff --git a/test/protocol-tests-core/pom.xml b/test/protocol-tests-core/pom.xml index d53326eba265..9055a9768467 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.27.23 + 2.27.24-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/protocol-tests/pom.xml b/test/protocol-tests/pom.xml index e2ef5e3ade63..dc79726e22d1 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.27.23 + 2.27.24-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/region-testing/pom.xml b/test/region-testing/pom.xml index 685a70ad7b29..f052aff732b6 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.27.23 + 2.27.24-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/ruleset-testing-core/pom.xml b/test/ruleset-testing-core/pom.xml index a02767ade78a..ed9d5db2a98a 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.27.23 + 2.27.24-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/s3-benchmarks/pom.xml b/test/s3-benchmarks/pom.xml index 899b0b09f7ec..7c111004e07b 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.27.23 + 2.27.24-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/sdk-benchmarks/pom.xml b/test/sdk-benchmarks/pom.xml index e6c49c6db740..3098cde627f7 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.27.23 + 2.27.24-SNAPSHOT ../../pom.xml diff --git a/test/sdk-native-image-test/pom.xml b/test/sdk-native-image-test/pom.xml index 50e326f4a765..beb0b0d3a0e4 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.27.23 + 2.27.24-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/service-test-utils/pom.xml b/test/service-test-utils/pom.xml index a0e01ac9cfcb..9728965962a8 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.27.23 + 2.27.24-SNAPSHOT ../../pom.xml service-test-utils diff --git a/test/stability-tests/pom.xml b/test/stability-tests/pom.xml index b76f55c30dfb..b407d650f3a1 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.27.23 + 2.27.24-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/test-utils/pom.xml b/test/test-utils/pom.xml index 778307dabaf9..4006a8b5203c 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.27.23 + 2.27.24-SNAPSHOT ../../pom.xml test-utils diff --git a/test/tests-coverage-reporting/pom.xml b/test/tests-coverage-reporting/pom.xml index 57b6bc01c842..bad67cf8216f 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.27.23 + 2.27.24-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/v2-migration-tests/pom.xml b/test/v2-migration-tests/pom.xml index ae17ed990e73..f9afb35fea53 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.27.23 + 2.27.24-SNAPSHOT ../.. diff --git a/third-party/pom.xml b/third-party/pom.xml index 986d2e8215c7..4c3ac45c36d0 100644 --- a/third-party/pom.xml +++ b/third-party/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.23 + 2.27.24-SNAPSHOT third-party diff --git a/third-party/third-party-jackson-core/pom.xml b/third-party/third-party-jackson-core/pom.xml index 04dfa979291a..c8d2de68d468 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.27.23 + 2.27.24-SNAPSHOT 4.0.0 diff --git a/third-party/third-party-jackson-dataformat-cbor/pom.xml b/third-party/third-party-jackson-dataformat-cbor/pom.xml index 1825b6c88f09..a149d42e8d59 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.27.23 + 2.27.24-SNAPSHOT 4.0.0 diff --git a/third-party/third-party-slf4j-api/pom.xml b/third-party/third-party-slf4j-api/pom.xml index 05f00b0bf2fe..5f95e0939d96 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.27.23 + 2.27.24-SNAPSHOT 4.0.0 diff --git a/utils/pom.xml b/utils/pom.xml index f6b4f3567aaa..46ca003b0d31 100644 --- a/utils/pom.xml +++ b/utils/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.23 + 2.27.24-SNAPSHOT 4.0.0 diff --git a/v2-migration/pom.xml b/v2-migration/pom.xml index 59067eac49fb..31b3b0f5df92 100644 --- a/v2-migration/pom.xml +++ b/v2-migration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.23 + 2.27.24-SNAPSHOT ../pom.xml From ec4c51ba5ac2aa1ac72c54136ffa59e602009332 Mon Sep 17 00:00:00 2001 From: Zoe Wang <33073555+zoewangg@users.noreply.github.com> Date: Wed, 11 Sep 2024 10:00:56 -0700 Subject: [PATCH 054/108] Revert "Fixed EnhancedClient UpdateItem operation to make it work on nested attributes as well (#5380)" (#5586) This reverts commit 79394aa920b6d8b94c116eb090d62e9c27e577d8. --- .../internal/EnhancedClientUtils.java | 20 +- .../operations/UpdateItemOperation.java | 67 +---- .../update/UpdateExpressionUtils.java | 15 +- .../functionaltests/UpdateBehaviorTest.java | 259 ------------------ .../models/CompositeRecord.java | 49 ---- .../functionaltests/models/FlattenRecord.java | 51 ---- .../NestedRecordWithUpdateBehavior.java | 18 -- .../models/RecordWithUpdateBehaviors.java | 10 - 8 files changed, 9 insertions(+), 480 deletions(-) delete mode 100644 services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/models/CompositeRecord.java delete mode 100644 services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/models/FlattenRecord.java diff --git a/services-custom/dynamodb-enhanced/src/main/java/software/amazon/awssdk/enhanced/dynamodb/internal/EnhancedClientUtils.java b/services-custom/dynamodb-enhanced/src/main/java/software/amazon/awssdk/enhanced/dynamodb/internal/EnhancedClientUtils.java index 61d750e98a7e..afd719d5a82a 100644 --- a/services-custom/dynamodb-enhanced/src/main/java/software/amazon/awssdk/enhanced/dynamodb/internal/EnhancedClientUtils.java +++ b/services-custom/dynamodb-enhanced/src/main/java/software/amazon/awssdk/enhanced/dynamodb/internal/EnhancedClientUtils.java @@ -15,8 +15,6 @@ package software.amazon.awssdk.enhanced.dynamodb.internal; -import static software.amazon.awssdk.enhanced.dynamodb.internal.operations.UpdateItemOperation.NESTED_OBJECT_UPDATE; - import java.util.Collections; import java.util.List; import java.util.Map; @@ -24,7 +22,6 @@ import java.util.Set; import java.util.function.Function; import java.util.function.Supplier; -import java.util.regex.Pattern; import java.util.stream.Collectors; import java.util.stream.Stream; import software.amazon.awssdk.annotations.SdkInternalApi; @@ -43,7 +40,6 @@ public final class EnhancedClientUtils { private static final Set SPECIAL_CHARACTERS = Stream.of( '*', '.', '-', '#', '+', ':', '/', '(', ')', ' ', '&', '<', '>', '?', '=', '!', '@', '%', '$', '|').collect(Collectors.toSet()); - private static final Pattern NESTED_OBJECT_PATTERN = Pattern.compile(NESTED_OBJECT_UPDATE); private EnhancedClientUtils() { @@ -71,30 +67,18 @@ public static String cleanAttributeName(String key) { return somethingChanged ? new String(chars) : key; } - private static boolean isNestedAttribute(String key) { - return key.contains(NESTED_OBJECT_UPDATE); - } - /** * Creates a key token to be used with an ExpressionNames map. */ public static String keyRef(String key) { - String cleanAttributeName = cleanAttributeName(key); - cleanAttributeName = isNestedAttribute(cleanAttributeName) ? - NESTED_OBJECT_PATTERN.matcher(cleanAttributeName).replaceAll(".#AMZN_MAPPED_") - : cleanAttributeName; - return "#AMZN_MAPPED_" + cleanAttributeName; + return "#AMZN_MAPPED_" + cleanAttributeName(key); } /** * Creates a value token to be used with an ExpressionValues map. */ public static String valueRef(String value) { - String cleanAttributeName = cleanAttributeName(value); - cleanAttributeName = isNestedAttribute(cleanAttributeName) ? - NESTED_OBJECT_PATTERN.matcher(cleanAttributeName).replaceAll("_") - : cleanAttributeName; - return ":AMZN_MAPPED_" + cleanAttributeName; + return ":AMZN_MAPPED_" + cleanAttributeName(value); } public static T readAndTransformSingleItem(Map itemMap, diff --git a/services-custom/dynamodb-enhanced/src/main/java/software/amazon/awssdk/enhanced/dynamodb/internal/operations/UpdateItemOperation.java b/services-custom/dynamodb-enhanced/src/main/java/software/amazon/awssdk/enhanced/dynamodb/internal/operations/UpdateItemOperation.java index 0f0d9cb170b3..87a1dcdee9e1 100644 --- a/services-custom/dynamodb-enhanced/src/main/java/software/amazon/awssdk/enhanced/dynamodb/internal/operations/UpdateItemOperation.java +++ b/services-custom/dynamodb-enhanced/src/main/java/software/amazon/awssdk/enhanced/dynamodb/internal/operations/UpdateItemOperation.java @@ -15,13 +15,11 @@ package software.amazon.awssdk.enhanced.dynamodb.internal.operations; -import static software.amazon.awssdk.enhanced.dynamodb.internal.EnhancedClientUtils.isNullAttributeValue; import static software.amazon.awssdk.enhanced.dynamodb.internal.EnhancedClientUtils.readAndTransformSingleItem; import static software.amazon.awssdk.enhanced.dynamodb.internal.update.UpdateExpressionUtils.operationExpression; import static software.amazon.awssdk.utils.CollectionUtils.filterMap; import java.util.Collection; -import java.util.HashMap; import java.util.List; import java.util.Map; import java.util.Optional; @@ -55,8 +53,7 @@ public class UpdateItemOperation implements TableOperation>, TransactableWriteOperation { - - public static final String NESTED_OBJECT_UPDATE = "_NESTED_ATTR_UPDATE_"; + private final Either, TransactUpdateItemEnhancedRequest> request; private UpdateItemOperation(UpdateItemEnhancedRequest request) { @@ -92,14 +89,8 @@ public UpdateItemRequest generateRequest(TableSchema tableSchema, Boolean ignoreNulls = request.map(r -> Optional.ofNullable(r.ignoreNulls()), r -> Optional.ofNullable(r.ignoreNulls())) .orElse(null); - - Map itemMapImmutable = tableSchema.itemToMap(item, Boolean.TRUE.equals(ignoreNulls)); - - // If ignoreNulls is set to true, check for nested params to be updated - // If needed, Transform itemMap for it to be able to handle them. - Map itemMap = Boolean.TRUE.equals(ignoreNulls) ? - transformItemToMapForUpdateExpression(itemMapImmutable) : itemMapImmutable; - + + Map itemMap = tableSchema.itemToMap(item, Boolean.TRUE.equals(ignoreNulls)); TableMetadata tableMetadata = tableSchema.tableMetadata(); WriteModification transformation = @@ -150,58 +141,6 @@ public UpdateItemRequest generateRequest(TableSchema tableSchema, return requestBuilder.build(); } - - /** - * Method checks if a nested object parameter requires an update - * If so flattens out nested params separated by "_NESTED_ATTR_UPDATE_" - * this is consumed by @link EnhancedClientUtils to form the appropriate UpdateExpression - */ - public Map transformItemToMapForUpdateExpression(Map itemToMap) { - - Map nestedAttributes = new HashMap<>(); - - itemToMap.forEach((key, value) -> { - if (value.hasM() && isNotEmptyMap(value.m())) { - nestedAttributes.put(key, value); - } - }); - - if (!nestedAttributes.isEmpty()) { - Map itemToMapMutable = new HashMap<>(itemToMap); - nestedAttributes.forEach((key, value) -> { - itemToMapMutable.remove(key); - nestedItemToMap(itemToMapMutable, key, value); - }); - return itemToMapMutable; - } - - return itemToMap; - } - - private Map nestedItemToMap(Map itemToMap, - String key, - AttributeValue attributeValue) { - attributeValue.m().forEach((mapKey, mapValue) -> { - String nestedAttributeKey = key + NESTED_OBJECT_UPDATE + mapKey; - if (attributeValueNonNullOrShouldWriteNull(mapValue)) { - if (mapValue.hasM()) { - nestedItemToMap(itemToMap, nestedAttributeKey, mapValue); - } else { - itemToMap.put(nestedAttributeKey, mapValue); - } - } - }); - return itemToMap; - } - - private boolean isNotEmptyMap(Map map) { - return !map.isEmpty() && map.values().stream() - .anyMatch(this::attributeValueNonNullOrShouldWriteNull); - } - - private boolean attributeValueNonNullOrShouldWriteNull(AttributeValue attributeValue) { - return !isNullAttributeValue(attributeValue); - } @Override public UpdateItemEnhancedResponse transformResponse(UpdateItemResponse response, diff --git a/services-custom/dynamodb-enhanced/src/main/java/software/amazon/awssdk/enhanced/dynamodb/internal/update/UpdateExpressionUtils.java b/services-custom/dynamodb-enhanced/src/main/java/software/amazon/awssdk/enhanced/dynamodb/internal/update/UpdateExpressionUtils.java index 1d47400ab2e6..41991e0e2865 100644 --- a/services-custom/dynamodb-enhanced/src/main/java/software/amazon/awssdk/enhanced/dynamodb/internal/update/UpdateExpressionUtils.java +++ b/services-custom/dynamodb-enhanced/src/main/java/software/amazon/awssdk/enhanced/dynamodb/internal/update/UpdateExpressionUtils.java @@ -18,7 +18,6 @@ import static software.amazon.awssdk.enhanced.dynamodb.internal.EnhancedClientUtils.isNullAttributeValue; import static software.amazon.awssdk.enhanced.dynamodb.internal.EnhancedClientUtils.keyRef; import static software.amazon.awssdk.enhanced.dynamodb.internal.EnhancedClientUtils.valueRef; -import static software.amazon.awssdk.enhanced.dynamodb.internal.operations.UpdateItemOperation.NESTED_OBJECT_UPDATE; import static software.amazon.awssdk.utils.CollectionUtils.filterMap; import java.util.Arrays; @@ -26,7 +25,6 @@ import java.util.List; import java.util.Map; import java.util.function.Function; -import java.util.regex.Pattern; import java.util.stream.Collectors; import software.amazon.awssdk.annotations.SdkInternalApi; import software.amazon.awssdk.enhanced.dynamodb.TableMetadata; @@ -41,8 +39,6 @@ @SdkInternalApi public final class UpdateExpressionUtils { - private static final Pattern PATTERN = Pattern.compile(NESTED_OBJECT_UPDATE); - private UpdateExpressionUtils() { } @@ -140,12 +136,9 @@ private static Function behaviorBasedValue(UpdateBehavior update /** * Simple utility method that can create an ExpressionNames map based on a list of attribute names. */ - private static Map expressionNamesFor(String attributeNames) { - if (attributeNames.contains(NESTED_OBJECT_UPDATE)) { - return Arrays.stream(PATTERN.split(attributeNames)).distinct() - .collect(Collectors.toMap(EnhancedClientUtils::keyRef, Function.identity())); - } - - return Collections.singletonMap(keyRef(attributeNames), attributeNames); + private static Map expressionNamesFor(String... attributeNames) { + return Arrays.stream(attributeNames) + .collect(Collectors.toMap(EnhancedClientUtils::keyRef, Function.identity())); } + } \ No newline at end of file diff --git a/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/UpdateBehaviorTest.java b/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/UpdateBehaviorTest.java index a85ce465aab9..fdbe05fb87ee 100644 --- a/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/UpdateBehaviorTest.java +++ b/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/UpdateBehaviorTest.java @@ -1,10 +1,8 @@ package software.amazon.awssdk.enhanced.dynamodb.functionaltests; import static org.assertj.core.api.Assertions.assertThat; -import static org.assertj.core.api.Assertions.assertThatThrownBy; import java.time.Instant; -import java.util.Collections; import java.util.stream.Collectors; import java.util.stream.Stream; import org.junit.After; @@ -14,28 +12,17 @@ import software.amazon.awssdk.enhanced.dynamodb.DynamoDbTable; import software.amazon.awssdk.enhanced.dynamodb.TableSchema; import software.amazon.awssdk.enhanced.dynamodb.extensions.AutoGeneratedTimestampRecordExtension; -import software.amazon.awssdk.enhanced.dynamodb.functionaltests.models.CompositeRecord; -import software.amazon.awssdk.enhanced.dynamodb.functionaltests.models.FlattenRecord; import software.amazon.awssdk.enhanced.dynamodb.functionaltests.models.NestedRecordWithUpdateBehavior; import software.amazon.awssdk.enhanced.dynamodb.functionaltests.models.RecordWithUpdateBehaviors; import software.amazon.awssdk.enhanced.dynamodb.internal.client.ExtensionResolver; -import software.amazon.awssdk.services.dynamodb.model.AttributeValue; -import software.amazon.awssdk.services.dynamodb.model.DynamoDbException; -import software.amazon.awssdk.services.dynamodb.model.GetItemRequest; -import software.amazon.awssdk.services.dynamodb.model.GetItemResponse; public class UpdateBehaviorTest extends LocalDynamoDbSyncTestBase { private static final Instant INSTANT_1 = Instant.parse("2020-05-03T10:00:00Z"); private static final Instant INSTANT_2 = Instant.parse("2020-05-03T10:05:00Z"); private static final Instant FAR_FUTURE_INSTANT = Instant.parse("9999-05-03T10:05:00Z"); - private static final String TEST_BEHAVIOUR_ATTRIBUTE = "testBehaviourAttribute"; - private static final String TEST_ATTRIBUTE = "testAttribute"; private static final TableSchema TABLE_SCHEMA = TableSchema.fromClass(RecordWithUpdateBehaviors.class); - - private static final TableSchema TABLE_SCHEMA_FLATTEN_RECORD = - TableSchema.fromClass(FlattenRecord.class); private final DynamoDbEnhancedClient enhancedClient = DynamoDbEnhancedClient.builder() .dynamoDbClient(getDynamoDbClient()).extensions( @@ -45,9 +32,6 @@ public class UpdateBehaviorTest extends LocalDynamoDbSyncTestBase { private final DynamoDbTable mappedTable = enhancedClient.table(getConcreteTableName("table-name"), TABLE_SCHEMA); - - private final DynamoDbTable flattenedMappedTable = - enhancedClient.table(getConcreteTableName("table-name"), TABLE_SCHEMA_FLATTEN_RECORD); @Before public void createTable() { @@ -161,249 +145,6 @@ public void updateBehaviors_transactWriteItems_secondUpdate() { assertThat(persistedRecord.getCreatedAutoUpdateOn()).isEqualTo(firstUpdatedRecord.getCreatedAutoUpdateOn()); } - @Test - public void when_updatingNestedObjectWithSingleLevel_existingInformationIsPreserved_ignoreNulls() { - - NestedRecordWithUpdateBehavior nestedRecord = createNestedWithDefaults("id456", 5L); - - RecordWithUpdateBehaviors record = new RecordWithUpdateBehaviors(); - record.setId("id123"); - record.setNestedRecord(nestedRecord); - - mappedTable.putItem(record); - - NestedRecordWithUpdateBehavior updatedNestedRecord = new NestedRecordWithUpdateBehavior(); - long updatedNestedCounter = 10L; - updatedNestedRecord.setNestedCounter(updatedNestedCounter); - updatedNestedRecord.setAttribute(TEST_ATTRIBUTE); - - RecordWithUpdateBehaviors update_record = new RecordWithUpdateBehaviors(); - update_record.setId("id123"); - update_record.setVersion(1L); - update_record.setNestedRecord(updatedNestedRecord); - - mappedTable.updateItem(r -> r.item(update_record).ignoreNulls(true)); - - RecordWithUpdateBehaviors persistedRecord = mappedTable.getItem(r -> r.key(k -> k.partitionValue("id123"))); - - verifySingleLevelNestingTargetedUpdateBehavior(persistedRecord, updatedNestedCounter, TEST_ATTRIBUTE); - } - - @Test - public void when_updatingNestedObjectToEmptyWithSingleLevel_existingInformationIsPreserved_ignoreNulls() { - - NestedRecordWithUpdateBehavior nestedRecord = createNestedWithDefaults("id456", 5L); - nestedRecord.setAttribute(TEST_ATTRIBUTE); - - RecordWithUpdateBehaviors record = new RecordWithUpdateBehaviors(); - record.setId("id123"); - record.setNestedRecord(nestedRecord); - - mappedTable.putItem(record); - - NestedRecordWithUpdateBehavior updatedNestedRecord = new NestedRecordWithUpdateBehavior(); - - RecordWithUpdateBehaviors update_record = new RecordWithUpdateBehaviors(); - update_record.setId("id123"); - update_record.setVersion(1L); - update_record.setNestedRecord(updatedNestedRecord); - - mappedTable.updateItem(r -> r.item(update_record).ignoreNulls(true)); - - RecordWithUpdateBehaviors persistedRecord = mappedTable.getItem(r -> r.key(k -> k.partitionValue("id123"))); - assertThat(persistedRecord.getNestedRecord()).isNull(); - } - - private NestedRecordWithUpdateBehavior createNestedWithDefaults(String id, Long counter) { - NestedRecordWithUpdateBehavior nestedRecordWithDefaults = new NestedRecordWithUpdateBehavior(); - nestedRecordWithDefaults.setId(id); - nestedRecordWithDefaults.setNestedCounter(counter); - nestedRecordWithDefaults.setNestedUpdateBehaviorAttribute(TEST_BEHAVIOUR_ATTRIBUTE); - nestedRecordWithDefaults.setNestedTimeAttribute(INSTANT_1); - - return nestedRecordWithDefaults; - } - - private void verifyMultipleLevelNestingTargetedUpdateBehavior(RecordWithUpdateBehaviors persistedRecord, - long updatedOuterNestedCounter, - long updatedInnerNestedCounter) { - assertThat(persistedRecord.getNestedRecord()).isNotNull(); - assertThat(persistedRecord.getNestedRecord().getNestedRecord()).isNotNull(); - - assertThat(persistedRecord.getNestedRecord().getNestedCounter()).isEqualTo(updatedOuterNestedCounter); - assertThat(persistedRecord.getNestedRecord().getNestedRecord()).isNotNull(); - assertThat(persistedRecord.getNestedRecord().getNestedRecord().getNestedCounter()).isEqualTo(updatedInnerNestedCounter); - assertThat(persistedRecord.getNestedRecord().getNestedRecord().getNestedUpdateBehaviorAttribute()).isEqualTo( - TEST_BEHAVIOUR_ATTRIBUTE); - assertThat(persistedRecord.getNestedRecord().getNestedRecord().getAttribute()).isEqualTo( - TEST_ATTRIBUTE); - assertThat(persistedRecord.getNestedRecord().getNestedRecord().getNestedTimeAttribute()).isEqualTo(INSTANT_1); - } - - private void verifySingleLevelNestingTargetedUpdateBehavior(RecordWithUpdateBehaviors persistedRecord, - long updatedNestedCounter, String testAttribute) { - assertThat(persistedRecord.getNestedRecord()).isNotNull(); - assertThat(persistedRecord.getNestedRecord().getNestedCounter()).isEqualTo(updatedNestedCounter); - assertThat(persistedRecord.getNestedRecord().getNestedUpdateBehaviorAttribute()).isEqualTo(TEST_BEHAVIOUR_ATTRIBUTE); - assertThat(persistedRecord.getNestedRecord().getNestedTimeAttribute()).isEqualTo(INSTANT_1); - assertThat(persistedRecord.getNestedRecord().getAttribute()).isEqualTo(testAttribute); - } - - @Test - public void when_updatingNestedObjectWithMultipleLevels_existingInformationIsPreserved() { - - NestedRecordWithUpdateBehavior nestedRecord1 = createNestedWithDefaults("id789", 50L); - - NestedRecordWithUpdateBehavior nestedRecord2 = createNestedWithDefaults("id456", 0L); - nestedRecord2.setNestedRecord(nestedRecord1); - - RecordWithUpdateBehaviors record = new RecordWithUpdateBehaviors(); - record.setId("id123"); - record.setNestedRecord(nestedRecord2); - - mappedTable.putItem(record); - - NestedRecordWithUpdateBehavior updatedNestedRecord2 = new NestedRecordWithUpdateBehavior(); - long innerNestedCounter = 100L; - updatedNestedRecord2.setNestedCounter(innerNestedCounter); - updatedNestedRecord2.setAttribute(TEST_ATTRIBUTE); - - NestedRecordWithUpdateBehavior updatedNestedRecord1 = new NestedRecordWithUpdateBehavior(); - updatedNestedRecord1.setNestedRecord(updatedNestedRecord2); - long outerNestedCounter = 200L; - updatedNestedRecord1.setNestedCounter(outerNestedCounter); - - RecordWithUpdateBehaviors update_record = new RecordWithUpdateBehaviors(); - update_record.setId("id123"); - update_record.setVersion(1L); - update_record.setNestedRecord(updatedNestedRecord1); - - mappedTable.updateItem(r -> r.item(update_record).ignoreNulls(true)); - - RecordWithUpdateBehaviors persistedRecord = mappedTable.getItem(r -> r.key(k -> k.partitionValue("id123"))); - - verifyMultipleLevelNestingTargetedUpdateBehavior(persistedRecord, outerNestedCounter, innerNestedCounter); - } - - @Test - public void when_updatingNestedNonScalarObject_DynamoDBExceptionIsThrown() { - - NestedRecordWithUpdateBehavior nestedRecord = createNestedWithDefaults("id456", 5L); - nestedRecord.setAttribute(TEST_ATTRIBUTE); - - RecordWithUpdateBehaviors record = new RecordWithUpdateBehaviors(); - record.setId("id123"); - - mappedTable.putItem(record); - - RecordWithUpdateBehaviors update_record = new RecordWithUpdateBehaviors(); - update_record.setId("id123"); - update_record.setVersion(1L); - update_record.setKey("abc"); - update_record.setNestedRecord(nestedRecord); - - assertThatThrownBy(() -> mappedTable.updateItem(r -> r.item(update_record).ignoreNulls(true))) - .isInstanceOf(DynamoDbException.class); - } - - @Test - public void when_emptyNestedRecordIsSet_emotyMapIsStoredInTable() { - String key = "id123"; - - RecordWithUpdateBehaviors record = new RecordWithUpdateBehaviors(); - record.setId(key); - record.setNestedRecord(new NestedRecordWithUpdateBehavior()); - - mappedTable.updateItem(r -> r.item(record).ignoreNulls(true)); - - GetItemResponse getItemResponse = getDynamoDbClient().getItem(GetItemRequest.builder() - .key(Collections.singletonMap("id", - AttributeValue.fromS(key))) - .tableName(getConcreteTableName("table-name")) - .build()); - - assertThat(getItemResponse.item().get("nestedRecord")).isNotNull(); - assertThat(getItemResponse.item().get("nestedRecord").toString()).isEqualTo("AttributeValue(M={nestedTimeAttribute" - + "=AttributeValue(NUL=true), " - + "nestedRecord=AttributeValue(NUL=true), " - + "attribute=AttributeValue(NUL=true), " - + "id=AttributeValue(NUL=true), " - + "nestedUpdateBehaviorAttribute=AttributeValue" - + "(NUL=true), nestedCounter=AttributeValue" - + "(NUL=true), nestedVersionedAttribute" - + "=AttributeValue(NUL=true)})"); - } - - - @Test - public void when_updatingNestedObjectWithSingleLevelFlattened_existingInformationIsPreserved() { - - NestedRecordWithUpdateBehavior nestedRecord = createNestedWithDefaults("id123", 10L); - - CompositeRecord compositeRecord = new CompositeRecord(); - compositeRecord.setNestedRecord(nestedRecord); - - FlattenRecord flattenRecord = new FlattenRecord(); - flattenRecord.setCompositeRecord(compositeRecord); - flattenRecord.setId("id456"); - - flattenedMappedTable.putItem(r -> r.item(flattenRecord)); - - NestedRecordWithUpdateBehavior updateNestedRecord = new NestedRecordWithUpdateBehavior(); - updateNestedRecord.setNestedCounter(100L); - - CompositeRecord updateCompositeRecord = new CompositeRecord(); - updateCompositeRecord.setNestedRecord(updateNestedRecord); - - FlattenRecord updatedFlattenRecord = new FlattenRecord(); - updatedFlattenRecord.setId("id456"); - updatedFlattenRecord.setCompositeRecord(updateCompositeRecord); - - FlattenRecord persistedFlattenedRecord = flattenedMappedTable.updateItem(r -> r.item(updatedFlattenRecord).ignoreNulls(true)); - - assertThat(persistedFlattenedRecord.getCompositeRecord()).isNotNull(); - assertThat(persistedFlattenedRecord.getCompositeRecord().getNestedRecord().getNestedCounter()).isEqualTo(100L); - } - - @Test - public void when_updatingNestedObjectWithMultipleLevelFlattened_existingInformationIsPreserved() { - - NestedRecordWithUpdateBehavior outerNestedRecord = createNestedWithDefaults("id123", 10L); - NestedRecordWithUpdateBehavior innerNestedRecord = createNestedWithDefaults("id456", 5L); - outerNestedRecord.setNestedRecord(innerNestedRecord); - - CompositeRecord compositeRecord = new CompositeRecord(); - compositeRecord.setNestedRecord(outerNestedRecord); - - FlattenRecord flattenRecord = new FlattenRecord(); - flattenRecord.setCompositeRecord(compositeRecord); - flattenRecord.setId("id789"); - - flattenedMappedTable.putItem(r -> r.item(flattenRecord)); - - NestedRecordWithUpdateBehavior updateOuterNestedRecord = new NestedRecordWithUpdateBehavior(); - updateOuterNestedRecord.setNestedCounter(100L); - - NestedRecordWithUpdateBehavior updateInnerNestedRecord = new NestedRecordWithUpdateBehavior(); - updateInnerNestedRecord.setNestedCounter(50L); - - updateOuterNestedRecord.setNestedRecord(updateInnerNestedRecord); - - CompositeRecord updateCompositeRecord = new CompositeRecord(); - updateCompositeRecord.setNestedRecord(updateOuterNestedRecord); - - FlattenRecord updateFlattenRecord = new FlattenRecord(); - updateFlattenRecord.setCompositeRecord(updateCompositeRecord); - updateFlattenRecord.setId("id789"); - - FlattenRecord persistedFlattenedRecord = flattenedMappedTable.updateItem(r -> r.item(updateFlattenRecord).ignoreNulls(true)); - - assertThat(persistedFlattenedRecord.getCompositeRecord()).isNotNull(); - assertThat(persistedFlattenedRecord.getCompositeRecord().getNestedRecord().getNestedCounter()).isEqualTo(100L); - assertThat(persistedFlattenedRecord.getCompositeRecord().getNestedRecord().getNestedRecord().getNestedCounter()).isEqualTo(50L); - } - - /** * Currently, nested records are not updated through extensions. */ diff --git a/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/models/CompositeRecord.java b/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/models/CompositeRecord.java deleted file mode 100644 index ad9ac6405a58..000000000000 --- a/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/models/CompositeRecord.java +++ /dev/null @@ -1,49 +0,0 @@ -/* - * 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.enhanced.dynamodb.functionaltests.models; - -import java.util.Objects; -import software.amazon.awssdk.enhanced.dynamodb.mapper.annotations.DynamoDbBean; - -@DynamoDbBean -public class CompositeRecord { - private NestedRecordWithUpdateBehavior nestedRecord; - - public void setNestedRecord(NestedRecordWithUpdateBehavior nestedRecord) { - this.nestedRecord = nestedRecord; - } - - public NestedRecordWithUpdateBehavior getNestedRecord() { - return nestedRecord; - } - - @Override - public boolean equals(Object o) { - if (this == o) { - return true; - } - if (o == null || getClass() != o.getClass()) { - return false; - } - CompositeRecord that = (CompositeRecord) o; - return Objects.equals(that, this); - } - - @Override - public int hashCode() { - return Objects.hash(nestedRecord); - } -} diff --git a/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/models/FlattenRecord.java b/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/models/FlattenRecord.java deleted file mode 100644 index 8506fdf5468f..000000000000 --- a/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/models/FlattenRecord.java +++ /dev/null @@ -1,51 +0,0 @@ -/* - * 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.enhanced.dynamodb.functionaltests.models; - -import software.amazon.awssdk.enhanced.dynamodb.mapper.annotations.DynamoDbBean; -import software.amazon.awssdk.enhanced.dynamodb.mapper.annotations.DynamoDbFlatten; -import software.amazon.awssdk.enhanced.dynamodb.mapper.annotations.DynamoDbPartitionKey; - -@DynamoDbBean -public class FlattenRecord { - private String id; - private String flattenBehaviourAttribute; - private CompositeRecord compositeRecord; - - @DynamoDbPartitionKey - public String getId() { - return this.id; - } - public void setId(String id) { - this.id = id; - } - - public String getFlattenBehaviourAttribute() { - return flattenBehaviourAttribute; - } - public void setFlattenBehaviourAttribute(String flattenBehaviourAttribute) { - this.flattenBehaviourAttribute = flattenBehaviourAttribute; - } - - @DynamoDbFlatten - public CompositeRecord getCompositeRecord() { - return compositeRecord; - } - public void setCompositeRecord(CompositeRecord compositeRecord) { - this.compositeRecord = compositeRecord; - } -} - diff --git a/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/models/NestedRecordWithUpdateBehavior.java b/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/models/NestedRecordWithUpdateBehavior.java index 883a89813c1a..9e31533d97bd 100644 --- a/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/models/NestedRecordWithUpdateBehavior.java +++ b/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/models/NestedRecordWithUpdateBehavior.java @@ -32,8 +32,6 @@ public class NestedRecordWithUpdateBehavior { private Long nestedVersionedAttribute; private Instant nestedTimeAttribute; private Long nestedCounter; - private NestedRecordWithUpdateBehavior nestedRecord; - private String attribute; @DynamoDbPartitionKey public String getId() { @@ -79,20 +77,4 @@ public Long getNestedCounter() { public void setNestedCounter(Long nestedCounter) { this.nestedCounter = nestedCounter; } - - public NestedRecordWithUpdateBehavior getNestedRecord() { - return nestedRecord; - } - - public void setNestedRecord(NestedRecordWithUpdateBehavior nestedRecord) { - this.nestedRecord = nestedRecord; - } - - public String getAttribute() { - return attribute; - } - - public void setAttribute(String attribute) { - this.attribute = attribute; - } } diff --git a/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/models/RecordWithUpdateBehaviors.java b/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/models/RecordWithUpdateBehaviors.java index 8bd874fee002..9b2921b74464 100644 --- a/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/models/RecordWithUpdateBehaviors.java +++ b/services-custom/dynamodb-enhanced/src/test/java/software/amazon/awssdk/enhanced/dynamodb/functionaltests/models/RecordWithUpdateBehaviors.java @@ -39,7 +39,6 @@ public class RecordWithUpdateBehaviors { private Instant lastAutoUpdatedOnMillis; private Instant formattedLastAutoUpdatedOn; private NestedRecordWithUpdateBehavior nestedRecord; - private String key; @DynamoDbPartitionKey public String getId() { @@ -50,15 +49,6 @@ public void setId(String id) { this.id = id; } - public String getKey() { - return key; - } - - public void setKey(String key) { - this.key = key; - } - - @DynamoDbUpdateBehavior(WRITE_IF_NOT_EXISTS) @DynamoDbAttribute("created-on") // Forces a test on attribute name cleaning public Instant getCreatedOn() { From e5fd7d08c7e545a4b46ce313cd224a5c99e3470d Mon Sep 17 00:00:00 2001 From: AWS <> Date: Wed, 11 Sep 2024 18:16:39 +0000 Subject: [PATCH 055/108] Amazon Elastic Container Registry Update: Added KMS_DSSE to EncryptionType --- .../feature-AmazonElasticContainerRegistry-b504716.json | 6 ++++++ .../src/main/resources/codegen-resources/service-2.json | 7 ++++--- 2 files changed, 10 insertions(+), 3 deletions(-) create mode 100644 .changes/next-release/feature-AmazonElasticContainerRegistry-b504716.json diff --git a/.changes/next-release/feature-AmazonElasticContainerRegistry-b504716.json b/.changes/next-release/feature-AmazonElasticContainerRegistry-b504716.json new file mode 100644 index 000000000000..6ffc1554c9f7 --- /dev/null +++ b/.changes/next-release/feature-AmazonElasticContainerRegistry-b504716.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Amazon Elastic Container Registry", + "contributor": "", + "description": "Added KMS_DSSE to EncryptionType" +} diff --git a/services/ecr/src/main/resources/codegen-resources/service-2.json b/services/ecr/src/main/resources/codegen-resources/service-2.json index f9d82b95661a..9e35f8afd5b4 100644 --- a/services/ecr/src/main/resources/codegen-resources/service-2.json +++ b/services/ecr/src/main/resources/codegen-resources/service-2.json @@ -7,7 +7,7 @@ "protocol":"json", "protocols":["json"], "serviceAbbreviation":"Amazon ECR", - "serviceFullName":"Amazon EC2 Container Registry", + "serviceFullName":"Amazon Elastic Container Registry", "serviceId":"ECR", "signatureVersion":"v4", "signingName":"ecr", @@ -1806,7 +1806,7 @@ "members":{ "encryptionType":{ "shape":"EncryptionType", - "documentation":"

The encryption type to use.

If you use the KMS encryption type, the contents of the repository will be encrypted using server-side encryption with Key Management Service key stored in KMS. When you use KMS to encrypt your data, you can either use the default Amazon Web Services managed KMS key for Amazon ECR, or specify your own KMS key, which you already created. For more information, see Protecting data using server-side encryption with an KMS key stored in Key Management Service (SSE-KMS) in the Amazon Simple Storage Service Console Developer Guide.

If you use the AES256 encryption type, Amazon ECR uses server-side encryption with Amazon S3-managed encryption keys which encrypts the images in the repository using an AES256 encryption algorithm. For more information, see Protecting data using server-side encryption with Amazon S3-managed encryption keys (SSE-S3) in the Amazon Simple Storage Service Console Developer Guide.

" + "documentation":"

The encryption type to use.

If you use the KMS encryption type, the contents of the repository will be encrypted using server-side encryption with Key Management Service key stored in KMS. When you use KMS to encrypt your data, you can either use the default Amazon Web Services managed KMS key for Amazon ECR, or specify your own KMS key, which you already created.

If you use the KMS_DSSE encryption type, the contents of the repository will be encrypted with two layers of encryption using server-side encryption with the KMS Management Service key stored in KMS. Similar to the KMS encryption type, you can either use the default Amazon Web Services managed KMS key for Amazon ECR, or specify your own KMS key, which you've already created.

If you use the AES256 encryption type, Amazon ECR uses server-side encryption with Amazon S3-managed encryption keys which encrypts the images in the repository using an AES256 encryption algorithm. For more information, see Protecting data using server-side encryption with Amazon S3-managed encryption keys (SSE-S3) in the Amazon Simple Storage Service Console Developer Guide.

" }, "kmsKey":{ "shape":"KmsKey", @@ -1834,7 +1834,8 @@ "type":"string", "enum":[ "AES256", - "KMS" + "KMS", + "KMS_DSSE" ] }, "EnhancedImageScanFinding":{ From 582a1512b06e23dddcb5ae347d5ced4c407a2aeb Mon Sep 17 00:00:00 2001 From: AWS <> Date: Wed, 11 Sep 2024 18:16:48 +0000 Subject: [PATCH 056/108] Agents for Amazon Bedrock Runtime Update: Amazon Bedrock Knowledge Bases now supports using inference profiles to increase throughput and improve resilience. --- ...eature-AgentsforAmazonBedrockRuntime-0c7d484.json | 6 ++++++ .../main/resources/codegen-resources/service-2.json | 12 ++++++------ 2 files changed, 12 insertions(+), 6 deletions(-) create mode 100644 .changes/next-release/feature-AgentsforAmazonBedrockRuntime-0c7d484.json diff --git a/.changes/next-release/feature-AgentsforAmazonBedrockRuntime-0c7d484.json b/.changes/next-release/feature-AgentsforAmazonBedrockRuntime-0c7d484.json new file mode 100644 index 000000000000..d7cbbc353a56 --- /dev/null +++ b/.changes/next-release/feature-AgentsforAmazonBedrockRuntime-0c7d484.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Agents for Amazon Bedrock Runtime", + "contributor": "", + "description": "Amazon Bedrock Knowledge Bases now supports using inference profiles to increase throughput and improve resilience." +} diff --git a/services/bedrockagentruntime/src/main/resources/codegen-resources/service-2.json b/services/bedrockagentruntime/src/main/resources/codegen-resources/service-2.json index 0108a86c9632..cb8f10ca79c9 100644 --- a/services/bedrockagentruntime/src/main/resources/codegen-resources/service-2.json +++ b/services/bedrockagentruntime/src/main/resources/codegen-resources/service-2.json @@ -145,7 +145,7 @@ {"shape":"AccessDeniedException"}, {"shape":"ServiceQuotaExceededException"} ], - "documentation":"

Queries a knowledge base and generates responses based on the retrieved results. The response only cites sources that are relevant to the query.

" + "documentation":"

Queries a knowledge base and generates responses based on the retrieved results and using the specified foundation model or inference profile. The response only cites sources that are relevant to the query.

" } }, "shapes":{ @@ -392,9 +392,9 @@ }, "BedrockModelArn":{ "type":"string", - "max":1011, - "min":20, - "pattern":"^arn:aws(-[^:]+)?:bedrock:[a-z0-9-]{1,20}:(([0-9]{12}:custom-model/[a-z0-9-]{1,63}[.]{1}[a-z0-9-]{1,63}/[a-z0-9]{12})|(:foundation-model/[a-z0-9-]{1,63}[.]{1}[a-z0-9-]{1,63}))$" + "max":2048, + "min":1, + "pattern":"^(arn:aws(-[^:]+)?:bedrock:[a-z0-9-]{1,20}:(([0-9]{12}:custom-model/[a-z0-9-]{1,63}[.]{1}[a-z0-9-]{1,63}/[a-z0-9]{12})|(:foundation-model/[a-z0-9-]{1,63}[.]{1}[a-z0-9-]{1,63}([.:]?[a-z0-9-]{1,63}))))|(arn:aws(|-us-gov|-cn|-iso|-iso-b):bedrock:(|[0-9a-z-]{1,20}):(|[0-9]{12}):inference-profile/[a-zA-Z0-9-:.]+)|([a-z0-9-]{1,63}[.]{1}[a-z0-9-]{1,63}([.:]?[a-z0-9-]{1,63}))|(([0-9a-zA-Z][_-]?)+)$" }, "Boolean":{ "type":"boolean", @@ -1917,11 +1917,11 @@ }, "knowledgeBaseId":{ "shape":"KnowledgeBaseId", - "documentation":"

The unique identifier of the knowledge base that is queried and the foundation model used for generation.

" + "documentation":"

The unique identifier of the knowledge base that is queried.

" }, "modelArn":{ "shape":"BedrockModelArn", - "documentation":"

The ARN of the foundation model used to generate a response.

" + "documentation":"

The ARN of the foundation model or inference profile used to generate a response.

" }, "orchestrationConfiguration":{ "shape":"OrchestrationConfiguration", From 3df986e11493c28455e638fdf13cb033f4f72369 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Wed, 11 Sep 2024 18:16:52 +0000 Subject: [PATCH 057/108] Amazon Lex Model Building V2 Update: Support new Polly voice engines in VoiceSettings: long-form and generative --- .../feature-AmazonLexModelBuildingV2-74c141c.json | 6 ++++++ .../src/main/resources/codegen-resources/service-2.json | 6 ++++-- 2 files changed, 10 insertions(+), 2 deletions(-) create mode 100644 .changes/next-release/feature-AmazonLexModelBuildingV2-74c141c.json diff --git a/.changes/next-release/feature-AmazonLexModelBuildingV2-74c141c.json b/.changes/next-release/feature-AmazonLexModelBuildingV2-74c141c.json new file mode 100644 index 000000000000..149681d63b9a --- /dev/null +++ b/.changes/next-release/feature-AmazonLexModelBuildingV2-74c141c.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Amazon Lex Model Building V2", + "contributor": "", + "description": "Support new Polly voice engines in VoiceSettings: long-form and generative" +} diff --git a/services/lexmodelsv2/src/main/resources/codegen-resources/service-2.json b/services/lexmodelsv2/src/main/resources/codegen-resources/service-2.json index 90e0a1c303b5..5dc84d5dabed 100644 --- a/services/lexmodelsv2/src/main/resources/codegen-resources/service-2.json +++ b/services/lexmodelsv2/src/main/resources/codegen-resources/service-2.json @@ -14916,7 +14916,9 @@ "type":"string", "enum":[ "standard", - "neural" + "neural", + "long-form", + "generative" ] }, "VoiceId":{"type":"string"}, @@ -14933,7 +14935,7 @@ "documentation":"

Indicates the type of Amazon Polly voice that Amazon Lex should use for voice interaction with the user. For more information, see the engine parameter of the SynthesizeSpeech operation in the Amazon Polly developer guide.

If you do not specify a value, the default is standard.

" } }, - "documentation":"

Defines settings for using an Amazon Polly voice to communicate with a user.

" + "documentation":"

Defines settings for using an Amazon Polly voice to communicate with a user.

Valid values include:

  • standard

  • neural

  • long-form

  • generative

" }, "WaitAndContinueSpecification":{ "type":"structure", From 6d63487adf7a56e33f1ae9f6351c2f7d61f48c19 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Wed, 11 Sep 2024 18:16:56 +0000 Subject: [PATCH 058/108] AWS Elemental MediaLive Update: Adds AV1 Codec support, SRT ouputs, and MediaLive Anywhere support. --- ...feature-AWSElementalMediaLive-a4416f1.json | 6 + .../codegen-resources/paginators-1.json | 24 + .../codegen-resources/service-2.json | 34107 +++++++++------- .../codegen-resources/waiters-2.json | 198 + 4 files changed, 19294 insertions(+), 15041 deletions(-) create mode 100644 .changes/next-release/feature-AWSElementalMediaLive-a4416f1.json diff --git a/.changes/next-release/feature-AWSElementalMediaLive-a4416f1.json b/.changes/next-release/feature-AWSElementalMediaLive-a4416f1.json new file mode 100644 index 000000000000..e4f0f06953d7 --- /dev/null +++ b/.changes/next-release/feature-AWSElementalMediaLive-a4416f1.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "AWS Elemental MediaLive", + "contributor": "", + "description": "Adds AV1 Codec support, SRT ouputs, and MediaLive Anywhere support." +} diff --git a/services/medialive/src/main/resources/codegen-resources/paginators-1.json b/services/medialive/src/main/resources/codegen-resources/paginators-1.json index 2047b6faf6ee..ff4d731face4 100644 --- a/services/medialive/src/main/resources/codegen-resources/paginators-1.json +++ b/services/medialive/src/main/resources/codegen-resources/paginators-1.json @@ -89,6 +89,30 @@ "output_token": "NextToken", "limit_key": "MaxResults", "result_key": "EventBridgeRuleTemplateGroups" + }, + "ListNodes": { + "input_token": "NextToken", + "output_token": "NextToken", + "limit_key": "MaxResults", + "result_key": "Nodes" + }, + "ListClusters": { + "input_token": "NextToken", + "output_token": "NextToken", + "limit_key": "MaxResults", + "result_key": "Clusters" + }, + "ListChannelPlacementGroups": { + "input_token": "NextToken", + "output_token": "NextToken", + "limit_key": "MaxResults", + "result_key": "ChannelPlacementGroups" + }, + "ListNetworks": { + "input_token": "NextToken", + "output_token": "NextToken", + "limit_key": "MaxResults", + "result_key": "Networks" } } } diff --git a/services/medialive/src/main/resources/codegen-resources/service-2.json b/services/medialive/src/main/resources/codegen-resources/service-2.json index acf600775b56..34f865e256ef 100644 --- a/services/medialive/src/main/resources/codegen-resources/service-2.json +++ b/services/medialive/src/main/resources/codegen-resources/service-2.json @@ -2810,7 +2810,7 @@ }, { "shape": "NotFoundException", - "documentation": "The input device you're requesting to does not exist. Check the ID." + "documentation": "The input device you're requesting to does not exist. Check the ID." }, { "shape": "GatewayTimeoutException", @@ -4142,3181 +4142,2790 @@ } ], "documentation": "Updates the specified eventbridge rule template group." - } - }, - "shapes": { - "AacCodingMode": { - "type": "string", - "documentation": "Aac Coding Mode", - "enum": [ - "AD_RECEIVER_MIX", - "CODING_MODE_1_0", - "CODING_MODE_1_1", - "CODING_MODE_2_0", - "CODING_MODE_5_1" - ] - }, - "AacInputType": { - "type": "string", - "documentation": "Aac Input Type", - "enum": [ - "BROADCASTER_MIXED_AD", - "NORMAL" - ] - }, - "AacProfile": { - "type": "string", - "documentation": "Aac Profile", - "enum": [ - "HEV1", - "HEV2", - "LC" - ] - }, - "AacRateControlMode": { - "type": "string", - "documentation": "Aac Rate Control Mode", - "enum": [ - "CBR", - "VBR" - ] - }, - "AacRawFormat": { - "type": "string", - "documentation": "Aac Raw Format", - "enum": [ - "LATM_LOAS", - "NONE" - ] }, - "AacSettings": { - "type": "structure", - "members": { - "Bitrate": { - "shape": "__double", - "locationName": "bitrate", - "documentation": "Average bitrate in bits/second. Valid values depend on rate control mode and profile." - }, - "CodingMode": { - "shape": "AacCodingMode", - "locationName": "codingMode", - "documentation": "Mono, Stereo, or 5.1 channel layout. Valid values depend on rate control mode and profile. The adReceiverMix setting receives a stereo description plus control track and emits a mono AAC encode of the description track, with control data emitted in the PES header as per ETSI TS 101 154 Annex E." - }, - "InputType": { - "shape": "AacInputType", - "locationName": "inputType", - "documentation": "Set to \"broadcasterMixedAd\" when input contains pre-mixed main audio + AD (narration) as a stereo pair. The Audio Type field (audioType) will be set to 3, which signals to downstream systems that this stream contains \"broadcaster mixed AD\". Note that the input received by the encoder must contain pre-mixed audio; the encoder does not perform the mixing. The values in audioTypeControl and audioType (in AudioDescription) are ignored when set to broadcasterMixedAd.\n\nLeave set to \"normal\" when input does not contain pre-mixed audio + AD." + "CreateChannelPlacementGroup": { + "name": "CreateChannelPlacementGroup", + "http": { + "method": "POST", + "requestUri": "/prod/clusters/{clusterId}/channelplacementgroups", + "responseCode": 201 + }, + "input": { + "shape": "CreateChannelPlacementGroupRequest" + }, + "output": { + "shape": "CreateChannelPlacementGroupResponse", + "documentation": "Successfully created the channel placement group." + }, + "errors": [ + { + "shape": "BadRequestException", + "documentation": "This request was invalid." }, - "Profile": { - "shape": "AacProfile", - "locationName": "profile", - "documentation": "AAC Profile." + { + "shape": "UnprocessableEntityException", + "documentation": "The channel placement group failed validation and could not be created." }, - "RateControlMode": { - "shape": "AacRateControlMode", - "locationName": "rateControlMode", - "documentation": "Rate Control Mode." + { + "shape": "InternalServerErrorException", + "documentation": "Internal Service Error." }, - "RawFormat": { - "shape": "AacRawFormat", - "locationName": "rawFormat", - "documentation": "Sets LATM / LOAS AAC output for raw containers." + { + "shape": "ForbiddenException", + "documentation": "You don't have permission to create a channel placement group in this cluster." }, - "SampleRate": { - "shape": "__double", - "locationName": "sampleRate", - "documentation": "Sample rate in Hz. Valid values depend on rate control mode and profile." + { + "shape": "BadGatewayException", + "documentation": "Bad Gateway Error." }, - "Spec": { - "shape": "AacSpec", - "locationName": "spec", - "documentation": "Use MPEG-2 AAC audio instead of MPEG-4 AAC audio for raw or MPEG-2 Transport Stream containers." + { + "shape": "GatewayTimeoutException", + "documentation": "Gateway Timeout." }, - "VbrQuality": { - "shape": "AacVbrQuality", - "locationName": "vbrQuality", - "documentation": "VBR Quality Level - Only used if rateControlMode is VBR." + { + "shape": "TooManyRequestsException", + "documentation": "Request limit exceeded in createNode calls to the cluster service." } - }, - "documentation": "Aac Settings" - }, - "AacSpec": { - "type": "string", - "documentation": "Aac Spec", - "enum": [ - "MPEG2", - "MPEG4" - ] - }, - "AacVbrQuality": { - "type": "string", - "documentation": "Aac Vbr Quality", - "enum": [ - "HIGH", - "LOW", - "MEDIUM_HIGH", - "MEDIUM_LOW" - ] - }, - "Ac3AttenuationControl": { - "type": "string", - "documentation": "Ac3 Attenuation Control", - "enum": [ - "ATTENUATE_3_DB", - "NONE" - ] - }, - "Ac3BitstreamMode": { - "type": "string", - "documentation": "Ac3 Bitstream Mode", - "enum": [ - "COMMENTARY", - "COMPLETE_MAIN", - "DIALOGUE", - "EMERGENCY", - "HEARING_IMPAIRED", - "MUSIC_AND_EFFECTS", - "VISUALLY_IMPAIRED", - "VOICE_OVER" - ] - }, - "Ac3CodingMode": { - "type": "string", - "documentation": "Ac3 Coding Mode", - "enum": [ - "CODING_MODE_1_0", - "CODING_MODE_1_1", - "CODING_MODE_2_0", - "CODING_MODE_3_2_LFE" - ] - }, - "Ac3DrcProfile": { - "type": "string", - "documentation": "Ac3 Drc Profile", - "enum": [ - "FILM_STANDARD", - "NONE" - ] - }, - "Ac3LfeFilter": { - "type": "string", - "documentation": "Ac3 Lfe Filter", - "enum": [ - "DISABLED", - "ENABLED" - ] - }, - "Ac3MetadataControl": { - "type": "string", - "documentation": "Ac3 Metadata Control", - "enum": [ - "FOLLOW_INPUT", - "USE_CONFIGURED" - ] + ], + "documentation": "Create a ChannelPlacementGroup in the specified Cluster. As part of the create operation, you specify the Nodes to attach the group to.After you create a ChannelPlacementGroup, you add Channels to the group (you do this by modifying the Channels to add them to a specific group). You now have an association of Channels to ChannelPlacementGroup, and ChannelPlacementGroup to Nodes. This association means that all the Channels in the group are able to run on any of the Nodes associated with the group." }, - "Ac3Settings": { - "type": "structure", - "members": { - "Bitrate": { - "shape": "__double", - "locationName": "bitrate", - "documentation": "Average bitrate in bits/second. Valid bitrates depend on the coding mode." - }, - "BitstreamMode": { - "shape": "Ac3BitstreamMode", - "locationName": "bitstreamMode", - "documentation": "Specifies the bitstream mode (bsmod) for the emitted AC-3 stream. See ATSC A/52-2012 for background on these values." + "CreateCluster": { + "name": "CreateCluster", + "http": { + "method": "POST", + "requestUri": "/prod/clusters", + "responseCode": 201 + }, + "input": { + "shape": "CreateClusterRequest" + }, + "output": { + "shape": "CreateClusterResponse", + "documentation": "Creation of the Cluster is in progress." + }, + "errors": [ + { + "shape": "BadRequestException", + "documentation": "MediaLive can't process your request because of a problem in the request. Please check your request form and syntax." }, - "CodingMode": { - "shape": "Ac3CodingMode", - "locationName": "codingMode", - "documentation": "Dolby Digital coding mode. Determines number of channels." + { + "shape": "InternalServerErrorException", + "documentation": "Internal Service Error." }, - "Dialnorm": { - "shape": "__integerMin1Max31", - "locationName": "dialnorm", - "documentation": "Sets the dialnorm for the output. If excluded and input audio is Dolby Digital, dialnorm will be passed through." + { + "shape": "ForbiddenException", + "documentation": "You don't have permission to create the Cluster." }, - "DrcProfile": { - "shape": "Ac3DrcProfile", - "locationName": "drcProfile", - "documentation": "If set to filmStandard, adds dynamic range compression signaling to the output bitstream as defined in the Dolby Digital specification." + { + "shape": "BadGatewayException", + "documentation": "Bad Gateway Error." }, - "LfeFilter": { - "shape": "Ac3LfeFilter", - "locationName": "lfeFilter", - "documentation": "When set to enabled, applies a 120Hz lowpass filter to the LFE channel prior to encoding. Only valid in codingMode32Lfe mode." + { + "shape": "GatewayTimeoutException", + "documentation": "Gateway Timeout." }, - "MetadataControl": { - "shape": "Ac3MetadataControl", - "locationName": "metadataControl", - "documentation": "When set to \"followInput\", encoder metadata will be sourced from the DD, DD+, or DolbyE decoder that supplied this audio data. If audio was not supplied from one of these streams, then the static metadata settings will be used." + { + "shape": "TooManyRequestsException", + "documentation": "Request limit exceeded on create Cluster calls to service." }, - "AttenuationControl": { - "shape": "Ac3AttenuationControl", - "locationName": "attenuationControl", - "documentation": "Applies a 3 dB attenuation to the surround channels. Applies only when the coding mode parameter is CODING_MODE_3_2_LFE." + { + "shape": "ConflictException", + "documentation": "The Cluster is unable to create due to an issue with cluster resources." } - }, - "documentation": "Ac3 Settings" + ], + "documentation": "Create a new Cluster." }, - "AcceptInputDeviceTransferRequest": { - "type": "structure", - "members": { - "InputDeviceId": { - "shape": "__string", - "location": "uri", - "locationName": "inputDeviceId", - "documentation": "The unique ID of the input device to accept. For example, hd-123456789abcdef." - } + "CreateNetwork": { + "name": "CreateNetwork", + "http": { + "method": "POST", + "requestUri": "/prod/networks", + "responseCode": 201 }, - "required": [ - "InputDeviceId" - ], - "documentation": "Placeholder documentation for AcceptInputDeviceTransferRequest" - }, - "AcceptInputDeviceTransferResponse": { - "type": "structure", - "members": { + "input": { + "shape": "CreateNetworkRequest" }, - "documentation": "Placeholder documentation for AcceptInputDeviceTransferResponse" - }, - "AccessDenied": { - "type": "structure", - "members": { - "Message": { - "shape": "__string", - "locationName": "message" - } + "output": { + "shape": "CreateNetworkResponse", + "documentation": "Creation of the Network is in progress." }, - "documentation": "Placeholder documentation for AccessDenied" - }, - "AccessibilityType": { - "type": "string", - "documentation": "Accessibility Type", - "enum": [ - "DOES_NOT_IMPLEMENT_ACCESSIBILITY_FEATURES", - "IMPLEMENTS_ACCESSIBILITY_FEATURES" - ] - }, - "AccountConfiguration": { - "type": "structure", - "members": { - "KmsKeyId": { - "shape": "__string", - "locationName": "kmsKeyId", - "documentation": "Specifies the KMS key to use for all features that use key encryption. Specify the ARN of a KMS key that you have created. Or leave blank to use the key that MediaLive creates and manages for you." + "errors": [ + { + "shape": "BadRequestException", + "documentation": "MediaLive can't process your request because of a problem in the request. Please check your request form and syntax." + }, + { + "shape": "InternalServerErrorException", + "documentation": "Internal Service Error." + }, + { + "shape": "ForbiddenException", + "documentation": "You don't have permission to create the Network." + }, + { + "shape": "BadGatewayException", + "documentation": "Bad Gateway Error." + }, + { + "shape": "GatewayTimeoutException", + "documentation": "Gateway Timeout." + }, + { + "shape": "TooManyRequestsException", + "documentation": "Request limit exceeded on create Network calls to service." + }, + { + "shape": "ConflictException", + "documentation": "The Network is unable to create due to an issue with network resources." } - }, - "documentation": "Placeholder documentation for AccountConfiguration" - }, - "AfdSignaling": { - "type": "string", - "documentation": "Afd Signaling", - "enum": [ - "AUTO", - "FIXED", - "NONE" - ] + ], + "documentation": "Create as many Networks as you need. You will associate one or more Clusters with each Network.Each Network provides MediaLive Anywhere with required information about the network in your organization that you are using for video encoding using MediaLive." }, - "AncillarySourceSettings": { - "type": "structure", - "members": { - "SourceAncillaryChannelNumber": { - "shape": "__integerMin1Max4", - "locationName": "sourceAncillaryChannelNumber", - "documentation": "Specifies the number (1 to 4) of the captions channel you want to extract from the ancillary captions. If you plan to convert the ancillary captions to another format, complete this field. If you plan to choose Embedded as the captions destination in the output (to pass through all the channels in the ancillary captions), leave this field blank because MediaLive ignores the field." - } + "CreateNode": { + "name": "CreateNode", + "http": { + "method": "POST", + "requestUri": "/prod/clusters/{clusterId}/nodes", + "responseCode": 201 }, - "documentation": "Ancillary Source Settings" - }, - "ArchiveCdnSettings": { - "type": "structure", - "members": { - "ArchiveS3Settings": { - "shape": "ArchiveS3Settings", - "locationName": "archiveS3Settings" - } + "input": { + "shape": "CreateNodeRequest" }, - "documentation": "Archive Cdn Settings" - }, - "ArchiveContainerSettings": { - "type": "structure", - "members": { - "M2tsSettings": { - "shape": "M2tsSettings", - "locationName": "m2tsSettings" - }, - "RawSettings": { - "shape": "RawSettings", - "locationName": "rawSettings" - } + "output": { + "shape": "CreateNodeResponse", + "documentation": "A node create is in progress." }, - "documentation": "Archive Container Settings" - }, - "ArchiveGroupSettings": { - "type": "structure", - "members": { - "ArchiveCdnSettings": { - "shape": "ArchiveCdnSettings", - "locationName": "archiveCdnSettings", - "documentation": "Parameters that control interactions with the CDN." + "errors": [ + { + "shape": "BadRequestException", + "documentation": "This request was invalid." }, - "Destination": { - "shape": "OutputLocationRef", - "locationName": "destination", - "documentation": "A directory and base filename where archive files should be written." + { + "shape": "UnprocessableEntityException", + "documentation": "The node failed validation and could not be created." }, - "RolloverInterval": { - "shape": "__integerMin1", - "locationName": "rolloverInterval", - "documentation": "Number of seconds to write to archive file before closing and starting a new one." - } - }, - "documentation": "Archive Group Settings", - "required": [ - "Destination" - ] - }, - "ArchiveOutputSettings": { - "type": "structure", - "members": { - "ContainerSettings": { - "shape": "ArchiveContainerSettings", - "locationName": "containerSettings", - "documentation": "Settings specific to the container type of the file." + { + "shape": "InternalServerErrorException", + "documentation": "Internal Service Error." }, - "Extension": { - "shape": "__string", - "locationName": "extension", - "documentation": "Output file extension. If excluded, this will be auto-selected from the container type." + { + "shape": "ForbiddenException", + "documentation": "You don't have permission to create a node in this cluster." }, - "NameModifier": { - "shape": "__string", - "locationName": "nameModifier", - "documentation": "String concatenated to the end of the destination filename. Required for multiple outputs of the same type." + { + "shape": "BadGatewayException", + "documentation": "Bad Gateway Error." + }, + { + "shape": "GatewayTimeoutException", + "documentation": "Gateway Timeout." + }, + { + "shape": "TooManyRequestsException", + "documentation": "Request limit exceeded in createNode calls to the cluster service." } - }, - "documentation": "Archive Output Settings", - "required": [ - "ContainerSettings" - ] - }, - "ArchiveS3LogUploads": { - "type": "string", - "documentation": "Archive S3 Log Uploads", - "enum": [ - "DISABLED", - "ENABLED" - ] + ], + "documentation": "Create a Node in the specified Cluster. You can also create Nodes using the CreateNodeRegistrationScript. Note that you can't move a Node to another Cluster." }, - "ArchiveS3Settings": { - "type": "structure", - "members": { - "CannedAcl": { - "shape": "S3CannedAcl", - "locationName": "cannedAcl", - "documentation": "Specify the canned ACL to apply to each S3 request. Defaults to none." - } + "CreateNodeRegistrationScript": { + "name": "CreateNodeRegistrationScript", + "http": { + "method": "POST", + "requestUri": "/prod/clusters/{clusterId}/nodeRegistrationScript", + "responseCode": 200 }, - "documentation": "Archive S3 Settings" - }, - "AribDestinationSettings": { - "type": "structure", - "members": { + "input": { + "shape": "CreateNodeRegistrationScriptRequest" }, - "documentation": "Arib Destination Settings" - }, - "AribSourceSettings": { - "type": "structure", - "members": { + "output": { + "shape": "CreateNodeRegistrationScriptResponse", + "documentation": "A new node registration script has been completed." }, - "documentation": "Arib Source Settings" - }, - "AudioChannelMapping": { - "type": "structure", - "members": { - "InputChannelLevels": { - "shape": "__listOfInputChannelLevel", - "locationName": "inputChannelLevels", - "documentation": "Indices and gain values for each input channel that should be remixed into this output channel." + "errors": [ + { + "shape": "BadRequestException", + "documentation": "MediaLive can't process your request because of a problem in the request. Please check your request form and syntax." }, - "OutputChannel": { - "shape": "__integerMin0Max7", - "locationName": "outputChannel", - "documentation": "The index of the output channel being produced." - } - }, - "documentation": "Audio Channel Mapping", - "required": [ - "OutputChannel", - "InputChannelLevels" - ] - }, - "AudioCodecSettings": { - "type": "structure", - "members": { - "AacSettings": { - "shape": "AacSettings", - "locationName": "aacSettings" + { + "shape": "InternalServerErrorException", + "documentation": "Internal Service Error." }, - "Ac3Settings": { - "shape": "Ac3Settings", - "locationName": "ac3Settings" + { + "shape": "ForbiddenException", + "documentation": "You don't have permission to create a node registration script for this cluster." }, - "Eac3AtmosSettings": { - "shape": "Eac3AtmosSettings", - "locationName": "eac3AtmosSettings" + { + "shape": "BadGatewayException", + "documentation": "Bad Gateway Error." }, - "Eac3Settings": { - "shape": "Eac3Settings", - "locationName": "eac3Settings" + { + "shape": "GatewayTimeoutException", + "documentation": "Gateway Timeout." }, - "Mp2Settings": { - "shape": "Mp2Settings", - "locationName": "mp2Settings" - }, - "PassThroughSettings": { - "shape": "PassThroughSettings", - "locationName": "passThroughSettings" + { + "shape": "TooManyRequestsException", + "documentation": "Request limit exceeded on create node registration script calls to service." }, - "WavSettings": { - "shape": "WavSettings", - "locationName": "wavSettings" + { + "shape": "ConflictException", + "documentation": "The node registration script is unable to be created due to an issue with cluster resources." } - }, - "documentation": "Audio Codec Settings" + ], + "documentation": "Create the Register Node script for all the nodes intended for a specific Cluster. You will then run the script on each hardware unit that is intended for that Cluster. The script creates a Node in the specified Cluster. It then binds the Node to this hardware unit, and activates the node hardware for use with MediaLive Anywhere." }, - "AudioDescription": { - "type": "structure", - "members": { - "AudioNormalizationSettings": { - "shape": "AudioNormalizationSettings", - "locationName": "audioNormalizationSettings", - "documentation": "Advanced audio normalization settings." + "DeleteChannelPlacementGroup": { + "name": "DeleteChannelPlacementGroup", + "http": { + "method": "DELETE", + "requestUri": "/prod/clusters/{clusterId}/channelplacementgroups/{channelPlacementGroupId}", + "responseCode": 200 + }, + "input": { + "shape": "DeleteChannelPlacementGroupRequest" + }, + "output": { + "shape": "DeleteChannelPlacementGroupResponse", + "documentation": "Deletion of the channel placement group is successful." + }, + "errors": [ + { + "shape": "BadRequestException", + "documentation": "This request was invalid." }, - "AudioSelectorName": { - "shape": "__string", - "locationName": "audioSelectorName", - "documentation": "The name of the AudioSelector used as the source for this AudioDescription." + { + "shape": "InternalServerErrorException", + "documentation": "Internal Service Error." }, - "AudioType": { - "shape": "AudioType", - "locationName": "audioType", - "documentation": "Applies only if audioTypeControl is useConfigured. The values for audioType are defined in ISO-IEC 13818-1." + { + "shape": "ForbiddenException", + "documentation": "You don't have permission to delete the channel placement group." }, - "AudioTypeControl": { - "shape": "AudioDescriptionAudioTypeControl", - "locationName": "audioTypeControl", - "documentation": "Determines how audio type is determined.\n followInput: If the input contains an ISO 639 audioType, then that value is passed through to the output. If the input contains no ISO 639 audioType, the value in Audio Type is included in the output.\n useConfigured: The value in Audio Type is included in the output.\nNote that this field and audioType are both ignored if inputType is broadcasterMixedAd." + { + "shape": "BadGatewayException", + "documentation": "Bad Gateway Error." }, - "AudioWatermarkingSettings": { - "shape": "AudioWatermarkSettings", - "locationName": "audioWatermarkingSettings", - "documentation": "Settings to configure one or more solutions that insert audio watermarks in the audio encode" + { + "shape": "NotFoundException", + "documentation": "The channel placement group that you are trying to delete does not exist. Check the ID and try again." }, - "CodecSettings": { - "shape": "AudioCodecSettings", - "locationName": "codecSettings", - "documentation": "Audio codec settings." + { + "shape": "GatewayTimeoutException", + "documentation": "Gateway Timeout." }, - "LanguageCode": { - "shape": "__stringMin1Max35", - "locationName": "languageCode", - "documentation": "RFC 5646 language code representing the language of the audio output track. Only used if languageControlMode is useConfigured, or there is no ISO 639 language code specified in the input." + { + "shape": "TooManyRequestsException", + "documentation": "Request limit exceeded on delete channel placement group calls to the cluster service." }, - "LanguageCodeControl": { - "shape": "AudioDescriptionLanguageCodeControl", - "locationName": "languageCodeControl", - "documentation": "Choosing followInput will cause the ISO 639 language code of the output to follow the ISO 639 language code of the input. The languageCode will be used when useConfigured is set, or when followInput is selected but there is no ISO 639 language code specified by the input." + { + "shape": "ConflictException", + "documentation": "The channel placement group is unable to delete due to an issue with channel placement group resources." + } + ], + "documentation": "Delete the specified ChannelPlacementGroup that exists in the specified Cluster." + }, + "DeleteCluster": { + "name": "DeleteCluster", + "http": { + "method": "DELETE", + "requestUri": "/prod/clusters/{clusterId}", + "responseCode": 202 + }, + "input": { + "shape": "DeleteClusterRequest" + }, + "output": { + "shape": "DeleteClusterResponse", + "documentation": "Deletion of the cluster is in progress." + }, + "errors": [ + { + "shape": "BadRequestException", + "documentation": "This request was invalid." }, - "Name": { - "shape": "__stringMax255", - "locationName": "name", - "documentation": "The name of this AudioDescription. Outputs will use this name to uniquely identify this AudioDescription. Description names should be unique within this Live Event." + { + "shape": "InternalServerErrorException", + "documentation": "Internal Service Error." }, - "RemixSettings": { - "shape": "RemixSettings", - "locationName": "remixSettings", - "documentation": "Settings that control how input audio channels are remixed into the output audio channels." + { + "shape": "ForbiddenException", + "documentation": "You don't have permission to delete the cluster." }, - "StreamName": { - "shape": "__string", - "locationName": "streamName", - "documentation": "Used for MS Smooth and Apple HLS outputs. Indicates the name displayed by the player (eg. English, or Director Commentary)." + { + "shape": "BadGatewayException", + "documentation": "Bad Gateway Error." }, - "AudioDashRoles": { - "shape": "__listOfDashRoleAudio", - "locationName": "audioDashRoles", - "documentation": "Identifies the DASH roles to assign to this audio output. Applies only when the audio output is configured for DVB DASH accessibility signaling." + { + "shape": "NotFoundException", + "documentation": "The cluster that you are trying to delete doesn't exist. Check the ID and try again." }, - "DvbDashAccessibility": { - "shape": "DvbDashAccessibility", - "locationName": "dvbDashAccessibility", - "documentation": "Identifies DVB DASH accessibility signaling in this audio output. Used in Microsoft Smooth Streaming outputs to signal accessibility information to packagers." + { + "shape": "GatewayTimeoutException", + "documentation": "Gateway Timeout." + }, + { + "shape": "TooManyRequestsException", + "documentation": "Request limit exceeded on delete cluster calls to cluster service." + }, + { + "shape": "ConflictException", + "documentation": "The cluster is unable to delete due to an issue with cluster resources." } - }, - "documentation": "Audio Description", - "required": [ - "AudioSelectorName", - "Name" - ] - }, - "AudioDescriptionAudioTypeControl": { - "type": "string", - "documentation": "Audio Description Audio Type Control", - "enum": [ - "FOLLOW_INPUT", - "USE_CONFIGURED" - ] - }, - "AudioDescriptionLanguageCodeControl": { - "type": "string", - "documentation": "Audio Description Language Code Control", - "enum": [ - "FOLLOW_INPUT", - "USE_CONFIGURED" - ] + ], + "documentation": "Delete a Cluster. The Cluster must be idle." }, - "AudioDolbyEDecode": { - "type": "structure", - "members": { - "ProgramSelection": { - "shape": "DolbyEProgramSelection", - "locationName": "programSelection", - "documentation": "Applies only to Dolby E. Enter the program ID (according to the metadata in the audio) of the Dolby E program to extract from the specified track. One program extracted per audio selector. To select multiple programs, create multiple selectors with the same Track and different Program numbers. “All channels” means to ignore the program IDs and include all the channels in this selector; useful if metadata is known to be incorrect." - } + "DeleteNetwork": { + "name": "DeleteNetwork", + "http": { + "method": "DELETE", + "requestUri": "/prod/networks/{networkId}", + "responseCode": 202 }, - "documentation": "Audio Dolby EDecode", - "required": [ - "ProgramSelection" - ] - }, - "AudioHlsRenditionSelection": { - "type": "structure", - "members": { - "GroupId": { - "shape": "__stringMin1", - "locationName": "groupId", - "documentation": "Specifies the GROUP-ID in the #EXT-X-MEDIA tag of the target HLS audio rendition." + "input": { + "shape": "DeleteNetworkRequest" + }, + "output": { + "shape": "DeleteNetworkResponse", + "documentation": "Deletion of the network is in progress." + }, + "errors": [ + { + "shape": "BadRequestException", + "documentation": "This request was invalid." }, - "Name": { - "shape": "__stringMin1", - "locationName": "name", - "documentation": "Specifies the NAME in the #EXT-X-MEDIA tag of the target HLS audio rendition." + { + "shape": "InternalServerErrorException", + "documentation": "Internal Service Error." + }, + { + "shape": "ForbiddenException", + "documentation": "You don't have permission to delete the network." + }, + { + "shape": "BadGatewayException", + "documentation": "Bad Gateway Error." + }, + { + "shape": "NotFoundException", + "documentation": "The network that you are trying to delete doesn’t exist. Check the ID and try again." + }, + { + "shape": "GatewayTimeoutException", + "documentation": "Gateway Timeout." + }, + { + "shape": "TooManyRequestsException", + "documentation": "Request limit exceeded on delete network calls to network service." + }, + { + "shape": "ConflictException", + "documentation": "The network is unable to delete due to an issue with network resources." } - }, - "documentation": "Audio Hls Rendition Selection", - "required": [ - "Name", - "GroupId" - ] + ], + "documentation": "Delete a Network. The Network must have no resources associated with it." }, - "AudioLanguageSelection": { - "type": "structure", - "members": { - "LanguageCode": { - "shape": "__string", - "locationName": "languageCode", - "documentation": "Selects a specific three-letter language code from within an audio source." + "DeleteNode": { + "name": "DeleteNode", + "http": { + "method": "DELETE", + "requestUri": "/prod/clusters/{clusterId}/nodes/{nodeId}", + "responseCode": 202 + }, + "input": { + "shape": "DeleteNodeRequest" + }, + "output": { + "shape": "DeleteNodeResponse", + "documentation": "Deletion of the node is in progress." + }, + "errors": [ + { + "shape": "BadRequestException", + "documentation": "This request was invalid." }, - "LanguageSelectionPolicy": { - "shape": "AudioLanguageSelectionPolicy", - "locationName": "languageSelectionPolicy", - "documentation": "When set to \"strict\", the transport stream demux strictly identifies audio streams by their language descriptor. If a PMT update occurs such that an audio stream matching the initially selected language is no longer present then mute will be encoded until the language returns. If \"loose\", then on a PMT update the demux will choose another audio stream in the program with the same stream type if it can't find one with the same language." + { + "shape": "InternalServerErrorException", + "documentation": "Internal Service Error." + }, + { + "shape": "ForbiddenException", + "documentation": "You don't have permission to delete the node." + }, + { + "shape": "BadGatewayException", + "documentation": "Bad Gateway Error." + }, + { + "shape": "NotFoundException", + "documentation": "The node that you are trying to delete doesn’t exist. Check the ID and try again." + }, + { + "shape": "GatewayTimeoutException", + "documentation": "Gateway Timeout." + }, + { + "shape": "TooManyRequestsException", + "documentation": "Request limit exceeded on delete node calls to the cluster service." + }, + { + "shape": "ConflictException", + "documentation": "The node is unable to delete due to an issue with node resources." } - }, - "documentation": "Audio Language Selection", - "required": [ - "LanguageCode" - ] - }, - "AudioLanguageSelectionPolicy": { - "type": "string", - "documentation": "Audio Language Selection Policy", - "enum": [ - "LOOSE", - "STRICT" - ] - }, - "AudioNormalizationAlgorithm": { - "type": "string", - "documentation": "Audio Normalization Algorithm", - "enum": [ - "ITU_1770_1", - "ITU_1770_2" - ] - }, - "AudioNormalizationAlgorithmControl": { - "type": "string", - "documentation": "Audio Normalization Algorithm Control", - "enum": [ - "CORRECT_AUDIO" - ] + ], + "documentation": "Delete a Node. The Node must be IDLE." }, - "AudioNormalizationSettings": { - "type": "structure", - "members": { - "Algorithm": { - "shape": "AudioNormalizationAlgorithm", - "locationName": "algorithm", - "documentation": "Audio normalization algorithm to use. itu17701 conforms to the CALM Act specification, itu17702 conforms to the EBU R-128 specification." + "DescribeChannelPlacementGroup": { + "name": "DescribeChannelPlacementGroup", + "http": { + "method": "GET", + "requestUri": "/prod/clusters/{clusterId}/channelplacementgroups/{channelPlacementGroupId}", + "responseCode": 200 + }, + "input": { + "shape": "DescribeChannelPlacementGroupRequest" + }, + "output": { + "shape": "DescribeChannelPlacementGroupResponse", + "documentation": "Details for one channel placement group." + }, + "errors": [ + { + "shape": "BadRequestException", + "documentation": "This request was invalid." }, - "AlgorithmControl": { - "shape": "AudioNormalizationAlgorithmControl", - "locationName": "algorithmControl", - "documentation": "When set to correctAudio the output audio is corrected using the chosen algorithm. If set to measureOnly, the audio will be measured but not adjusted." + { + "shape": "InternalServerErrorException", + "documentation": "Internal Service Error." }, - "TargetLkfs": { - "shape": "__doubleMinNegative59Max0", - "locationName": "targetLkfs", - "documentation": "Target LKFS(loudness) to adjust volume to. If no value is entered, a default value will be used according to the chosen algorithm. The CALM Act (1770-1) recommends a target of -24 LKFS. The EBU R-128 specification (1770-2) recommends a target of -23 LKFS." - } - }, - "documentation": "Audio Normalization Settings" - }, - "AudioOnlyHlsSegmentType": { - "type": "string", - "documentation": "Audio Only Hls Segment Type", - "enum": [ - "AAC", - "FMP4" - ] - }, - "AudioOnlyHlsSettings": { - "type": "structure", - "members": { - "AudioGroupId": { - "shape": "__string", - "locationName": "audioGroupId", - "documentation": "Specifies the group to which the audio Rendition belongs." + { + "shape": "ForbiddenException", + "documentation": "You do not have permission to describe the channel placement group." }, - "AudioOnlyImage": { - "shape": "InputLocation", - "locationName": "audioOnlyImage", - "documentation": "Optional. Specifies the .jpg or .png image to use as the cover art for an audio-only output. We recommend a low bit-size file because the image increases the output audio bandwidth.\n\nThe image is attached to the audio as an ID3 tag, frame type APIC, picture type 0x10, as per the \"ID3 tag version 2.4.0 - Native Frames\" standard." + { + "shape": "BadGatewayException", + "documentation": "Bad Gateway Error." }, - "AudioTrackType": { - "shape": "AudioOnlyHlsTrackType", - "locationName": "audioTrackType", - "documentation": "Four types of audio-only tracks are supported:\n\nAudio-Only Variant Stream\nThe client can play back this audio-only stream instead of video in low-bandwidth scenarios. Represented as an EXT-X-STREAM-INF in the HLS manifest.\n\nAlternate Audio, Auto Select, Default\nAlternate rendition that the client should try to play back by default. Represented as an EXT-X-MEDIA in the HLS manifest with DEFAULT=YES, AUTOSELECT=YES\n\nAlternate Audio, Auto Select, Not Default\nAlternate rendition that the client may try to play back by default. Represented as an EXT-X-MEDIA in the HLS manifest with DEFAULT=NO, AUTOSELECT=YES\n\nAlternate Audio, not Auto Select\nAlternate rendition that the client will not try to play back by default. Represented as an EXT-X-MEDIA in the HLS manifest with DEFAULT=NO, AUTOSELECT=NO" + { + "shape": "NotFoundException", + "documentation": "The channel placement group that you are trying to describe does not exist. Check the ID and try again." }, - "SegmentType": { - "shape": "AudioOnlyHlsSegmentType", - "locationName": "segmentType", - "documentation": "Specifies the segment type." + { + "shape": "GatewayTimeoutException", + "documentation": "Gateway Timeout." + }, + { + "shape": "TooManyRequestsException", + "documentation": "Request limit exceeded on describe channel placement group calls to the cluster service." } - }, - "documentation": "Audio Only Hls Settings" - }, - "AudioOnlyHlsTrackType": { - "type": "string", - "documentation": "Audio Only Hls Track Type", - "enum": [ - "ALTERNATE_AUDIO_AUTO_SELECT", - "ALTERNATE_AUDIO_AUTO_SELECT_DEFAULT", - "ALTERNATE_AUDIO_NOT_AUTO_SELECT", - "AUDIO_ONLY_VARIANT_STREAM" - ] + ], + "documentation": "Get details about a ChannelPlacementGroup." }, - "AudioPidSelection": { - "type": "structure", - "members": { - "Pid": { - "shape": "__integerMin0Max8191", - "locationName": "pid", - "documentation": "Selects a specific PID from within a source." - } + "DescribeCluster": { + "name": "DescribeCluster", + "http": { + "method": "GET", + "requestUri": "/prod/clusters/{clusterId}", + "responseCode": 200 }, - "documentation": "Audio Pid Selection", - "required": [ - "Pid" - ] - }, - "AudioSelector": { - "type": "structure", - "members": { - "Name": { - "shape": "__stringMin1", - "locationName": "name", - "documentation": "The name of this AudioSelector. AudioDescriptions will use this name to uniquely identify this Selector. Selector names should be unique per input." - }, - "SelectorSettings": { - "shape": "AudioSelectorSettings", - "locationName": "selectorSettings", - "documentation": "The audio selector settings." - } + "input": { + "shape": "DescribeClusterRequest" }, - "documentation": "Audio Selector", - "required": [ - "Name" - ] - }, - "AudioSelectorSettings": { - "type": "structure", - "members": { - "AudioHlsRenditionSelection": { - "shape": "AudioHlsRenditionSelection", - "locationName": "audioHlsRenditionSelection" + "output": { + "shape": "DescribeClusterResponse", + "documentation": "Details for one cluster." + }, + "errors": [ + { + "shape": "BadRequestException", + "documentation": "This request was invalid." }, - "AudioLanguageSelection": { - "shape": "AudioLanguageSelection", - "locationName": "audioLanguageSelection" + { + "shape": "InternalServerErrorException", + "documentation": "Internal Service Error." }, - "AudioPidSelection": { - "shape": "AudioPidSelection", - "locationName": "audioPidSelection" + { + "shape": "ForbiddenException", + "documentation": "You don't have permission to describe the cluster." }, - "AudioTrackSelection": { - "shape": "AudioTrackSelection", - "locationName": "audioTrackSelection" - } - }, - "documentation": "Audio Selector Settings" - }, - "AudioSilenceFailoverSettings": { - "type": "structure", - "members": { - "AudioSelectorName": { - "shape": "__string", - "locationName": "audioSelectorName", - "documentation": "The name of the audio selector in the input that MediaLive should monitor to detect silence. Select your most important rendition. If you didn't create an audio selector in this input, leave blank." + { + "shape": "BadGatewayException", + "documentation": "Bad Gateway Error." }, - "AudioSilenceThresholdMsec": { - "shape": "__integerMin1000", - "locationName": "audioSilenceThresholdMsec", - "documentation": "The amount of time (in milliseconds) that the active input must be silent before automatic input failover occurs. Silence is defined as audio loss or audio quieter than -50 dBFS." + { + "shape": "NotFoundException", + "documentation": "The cluster that you are trying to describe does not exist. Check the ID and try again." + }, + { + "shape": "GatewayTimeoutException", + "documentation": "Gateway Timeout." + }, + { + "shape": "TooManyRequestsException", + "documentation": "Request limit exceeded on describe cluster calls to cluster service." } - }, - "required": [ - "AudioSelectorName" ], - "documentation": "Placeholder documentation for AudioSilenceFailoverSettings" + "documentation": "Get details about a Cluster." }, - "AudioTrack": { - "type": "structure", - "members": { - "Track": { - "shape": "__integerMin1", - "locationName": "track", - "documentation": "1-based integer value that maps to a specific audio track" - } + "DescribeNetwork": { + "name": "DescribeNetwork", + "http": { + "method": "GET", + "requestUri": "/prod/networks/{networkId}", + "responseCode": 200 }, - "documentation": "Audio Track", - "required": [ - "Track" - ] - }, - "AudioTrackSelection": { - "type": "structure", - "members": { - "Tracks": { - "shape": "__listOfAudioTrack", - "locationName": "tracks", - "documentation": "Selects one or more unique audio tracks from within a source." - }, - "DolbyEDecode": { - "shape": "AudioDolbyEDecode", - "locationName": "dolbyEDecode", - "documentation": "Configure decoding options for Dolby E streams - these should be Dolby E frames carried in PCM streams tagged with SMPTE-337" - } + "input": { + "shape": "DescribeNetworkRequest" }, - "documentation": "Audio Track Selection", - "required": [ - "Tracks" - ] - }, - "AudioType": { - "type": "string", - "documentation": "Audio Type", - "enum": [ - "CLEAN_EFFECTS", - "HEARING_IMPAIRED", - "UNDEFINED", - "VISUAL_IMPAIRED_COMMENTARY" - ] - }, - "AudioWatermarkSettings": { - "type": "structure", - "members": { - "NielsenWatermarksSettings": { - "shape": "NielsenWatermarksSettings", - "locationName": "nielsenWatermarksSettings", - "documentation": "Settings to configure Nielsen Watermarks in the audio encode" - } + "output": { + "shape": "DescribeNetworkResponse", + "documentation": "Details for one network." }, - "documentation": "Audio Watermark Settings" - }, - "AuthenticationScheme": { - "type": "string", - "documentation": "Authentication Scheme", - "enum": [ - "AKAMAI", - "COMMON" - ] - }, - "AutomaticInputFailoverSettings": { - "type": "structure", - "members": { - "ErrorClearTimeMsec": { - "shape": "__integerMin1", - "locationName": "errorClearTimeMsec", - "documentation": "This clear time defines the requirement a recovered input must meet to be considered healthy. The input must have no failover conditions for this length of time. Enter a time in milliseconds. This value is particularly important if the input_preference for the failover pair is set to PRIMARY_INPUT_PREFERRED, because after this time, MediaLive will switch back to the primary input." - }, - "FailoverConditions": { - "shape": "__listOfFailoverCondition", - "locationName": "failoverConditions", - "documentation": "A list of failover conditions. If any of these conditions occur, MediaLive will perform a failover to the other input." + "errors": [ + { + "shape": "BadRequestException", + "documentation": "This request was invalid." }, - "InputPreference": { - "shape": "InputPreference", - "locationName": "inputPreference", - "documentation": "Input preference when deciding which input to make active when a previously failed input has recovered." + { + "shape": "InternalServerErrorException", + "documentation": "Internal Service Error." }, - "SecondaryInputId": { - "shape": "__string", - "locationName": "secondaryInputId", - "documentation": "The input ID of the secondary input in the automatic input failover pair." - } - }, - "documentation": "The settings for Automatic Input Failover.", - "required": [ - "SecondaryInputId" - ] - }, - "AvailBlanking": { - "type": "structure", - "members": { - "AvailBlankingImage": { - "shape": "InputLocation", - "locationName": "availBlankingImage", - "documentation": "Blanking image to be used. Leave empty for solid black. Only bmp and png images are supported." + { + "shape": "ForbiddenException", + "documentation": "You don't have permission to describe the network." }, - "State": { - "shape": "AvailBlankingState", - "locationName": "state", - "documentation": "When set to enabled, causes video, audio and captions to be blanked when insertion metadata is added." - } - }, - "documentation": "Avail Blanking" - }, - "AvailBlankingState": { - "type": "string", - "documentation": "Avail Blanking State", - "enum": [ - "DISABLED", - "ENABLED" - ] - }, - "AvailConfiguration": { - "type": "structure", - "members": { - "AvailSettings": { - "shape": "AvailSettings", - "locationName": "availSettings", - "documentation": "Controls how SCTE-35 messages create cues. Splice Insert mode treats all segmentation signals traditionally. With Time Signal APOS mode only Time Signal Placement Opportunity and Break messages create segment breaks. With ESAM mode, signals are forwarded to an ESAM server for possible update." + { + "shape": "BadGatewayException", + "documentation": "Bad Gateway Error." }, - "Scte35SegmentationScope": { - "shape": "Scte35SegmentationScope", - "locationName": "scte35SegmentationScope", - "documentation": "Configures whether SCTE 35 passthrough triggers segment breaks in all output groups that use segmented outputs. Insertion of a SCTE 35 message typically results in a segment break, in addition to the regular cadence of breaks. The segment breaks appear in video outputs, audio outputs, and captions outputs (if any).\n\nALL_OUTPUT_GROUPS: Default. Insert the segment break in in all output groups that have segmented outputs. This is the legacy behavior.\nSCTE35_ENABLED_OUTPUT_GROUPS: Insert the segment break only in output groups that have SCTE 35 passthrough enabled. This is the recommended value, because it reduces unnecessary segment breaks." - } - }, - "documentation": "Avail Configuration" - }, - "AvailSettings": { - "type": "structure", - "members": { - "Esam": { - "shape": "Esam", - "locationName": "esam" + { + "shape": "NotFoundException", + "documentation": "The network that you are trying to describe does not exist. Check the ID and try again." }, - "Scte35SpliceInsert": { - "shape": "Scte35SpliceInsert", - "locationName": "scte35SpliceInsert" + { + "shape": "GatewayTimeoutException", + "documentation": "Gateway Timeout." }, - "Scte35TimeSignalApos": { - "shape": "Scte35TimeSignalApos", - "locationName": "scte35TimeSignalApos" + { + "shape": "TooManyRequestsException", + "documentation": "Request limit exceeded on describe network calls to network service." } - }, - "documentation": "Avail Settings" + ], + "documentation": "Get details about a Network." }, - "BadGatewayException": { - "type": "structure", - "members": { - "Message": { - "shape": "__string", - "locationName": "message" - } - }, - "exception": true, - "error": { - "httpStatusCode": 502 + "DescribeNode": { + "name": "DescribeNode", + "http": { + "method": "GET", + "requestUri": "/prod/clusters/{clusterId}/nodes/{nodeId}", + "responseCode": 200 }, - "documentation": "Placeholder documentation for BadGatewayException" - }, - "BadRequestException": { - "type": "structure", - "members": { - "Message": { - "shape": "__string", - "locationName": "message" - } + "input": { + "shape": "DescribeNodeRequest" }, - "exception": true, - "error": { - "httpStatusCode": 400 + "output": { + "shape": "DescribeNodeResponse", + "documentation": "Details for one node." }, - "documentation": "Placeholder documentation for BadRequestException" - }, - "BatchDelete": { - "type": "structure", - "members": { - "ChannelIds": { - "shape": "__listOf__string", - "locationName": "channelIds", - "documentation": "List of channel IDs" + "errors": [ + { + "shape": "BadRequestException", + "documentation": "This request was invalid." }, - "InputIds": { - "shape": "__listOf__string", - "locationName": "inputIds", - "documentation": "List of input IDs" + { + "shape": "InternalServerErrorException", + "documentation": "Internal Service Error." }, - "InputSecurityGroupIds": { - "shape": "__listOf__string", - "locationName": "inputSecurityGroupIds", - "documentation": "List of input security group IDs" + { + "shape": "ForbiddenException", + "documentation": "You don't have permission to describe the node." }, - "MultiplexIds": { - "shape": "__listOf__string", - "locationName": "multiplexIds", - "documentation": "List of multiplex IDs" - } - }, - "documentation": "Batch delete resource request" - }, - "BatchDeleteRequest": { - "type": "structure", - "members": { - "ChannelIds": { - "shape": "__listOf__string", - "locationName": "channelIds", - "documentation": "List of channel IDs" + { + "shape": "BadGatewayException", + "documentation": "Bad Gateway Error." }, - "InputIds": { - "shape": "__listOf__string", - "locationName": "inputIds", - "documentation": "List of input IDs" + { + "shape": "NotFoundException", + "documentation": "The node that you are trying to describe doesn’t exist. Check the ID and try again." }, - "InputSecurityGroupIds": { - "shape": "__listOf__string", - "locationName": "inputSecurityGroupIds", - "documentation": "List of input security group IDs" + { + "shape": "GatewayTimeoutException", + "documentation": "Gateway Timeout." }, - "MultiplexIds": { - "shape": "__listOf__string", - "locationName": "multiplexIds", - "documentation": "List of multiplex IDs" + { + "shape": "TooManyRequestsException", + "documentation": "Request limit exceeded on describe node calls to the cluster service." } - }, - "documentation": "A request to delete resources" + ], + "documentation": "Get details about a Node in the specified Cluster." }, - "BatchDeleteResponse": { - "type": "structure", - "members": { - "Failed": { - "shape": "__listOfBatchFailedResultModel", - "locationName": "failed", - "documentation": "List of failed operations" - }, - "Successful": { - "shape": "__listOfBatchSuccessfulResultModel", - "locationName": "successful", - "documentation": "List of successful operations" - } + "ListChannelPlacementGroups": { + "name": "ListChannelPlacementGroups", + "http": { + "method": "GET", + "requestUri": "/prod/clusters/{clusterId}/channelplacementgroups", + "responseCode": 200 }, - "documentation": "Placeholder documentation for BatchDeleteResponse" - }, - "BatchDeleteResultModel": { - "type": "structure", - "members": { - "Failed": { - "shape": "__listOfBatchFailedResultModel", - "locationName": "failed", - "documentation": "List of failed operations" - }, - "Successful": { - "shape": "__listOfBatchSuccessfulResultModel", - "locationName": "successful", - "documentation": "List of successful operations" - } + "input": { + "shape": "ListChannelPlacementGroupsRequest" }, - "documentation": "Batch delete resource results" - }, - "BatchFailedResultModel": { - "type": "structure", - "members": { - "Arn": { - "shape": "__string", - "locationName": "arn", - "documentation": "ARN of the resource" + "output": { + "shape": "ListChannelPlacementGroupsResponse", + "documentation": "An array of channel placement groups." + }, + "errors": [ + { + "shape": "BadRequestException", + "documentation": "MediaLive can't process your request because of a problem in the request. Please check your request form and syntax." }, - "Code": { - "shape": "__string", - "locationName": "code", - "documentation": "Error code for the failed operation" + { + "shape": "InternalServerErrorException", + "documentation": "Internal Service Error." }, - "Id": { - "shape": "__string", - "locationName": "id", - "documentation": "ID of the resource" + { + "shape": "ForbiddenException", + "documentation": "You don't have permission to list channel placement groups." }, - "Message": { - "shape": "__string", - "locationName": "message", - "documentation": "Error message for the failed operation" - } - }, - "documentation": "Details from a failed operation" - }, - "BatchScheduleActionCreateRequest": { - "type": "structure", - "members": { - "ScheduleActions": { - "shape": "__listOfScheduleAction", - "locationName": "scheduleActions", - "documentation": "A list of schedule actions to create." + { + "shape": "BadGatewayException", + "documentation": "Bad Gateway Error." + }, + { + "shape": "GatewayTimeoutException", + "documentation": "Gateway Timeout." + }, + { + "shape": "TooManyRequestsException", + "documentation": "Request limit exceeded on list channel placement group calls to the cluster service." } - }, - "documentation": "A list of schedule actions to create (in a request) or that have been created (in a response).", - "required": [ - "ScheduleActions" - ] + ], + "documentation": "Retrieve the list of ChannelPlacementGroups in the specified Cluster." }, - "BatchScheduleActionCreateResult": { - "type": "structure", - "members": { - "ScheduleActions": { - "shape": "__listOfScheduleAction", - "locationName": "scheduleActions", - "documentation": "List of actions that have been created in the schedule." - } + "ListClusters": { + "name": "ListClusters", + "http": { + "method": "GET", + "requestUri": "/prod/clusters", + "responseCode": 200 }, - "documentation": "List of actions that have been created in the schedule.", - "required": [ - "ScheduleActions" - ] - }, - "BatchScheduleActionDeleteRequest": { - "type": "structure", - "members": { - "ActionNames": { - "shape": "__listOf__string", - "locationName": "actionNames", - "documentation": "A list of schedule actions to delete." - } + "input": { + "shape": "ListClustersRequest" }, - "documentation": "A list of schedule actions to delete.", - "required": [ - "ActionNames" - ] - }, - "BatchScheduleActionDeleteResult": { - "type": "structure", - "members": { - "ScheduleActions": { - "shape": "__listOfScheduleAction", - "locationName": "scheduleActions", - "documentation": "List of actions that have been deleted from the schedule." - } + "output": { + "shape": "ListClustersResponse", + "documentation": "An array of clusters." }, - "documentation": "List of actions that have been deleted from the schedule.", - "required": [ - "ScheduleActions" - ] - }, - "BatchStart": { - "type": "structure", - "members": { - "ChannelIds": { - "shape": "__listOf__string", - "locationName": "channelIds", - "documentation": "List of channel IDs" + "errors": [ + { + "shape": "BadRequestException", + "documentation": "MediaLive can't process your request because of a problem in the request. Please check your request form and syntax." }, - "MultiplexIds": { - "shape": "__listOf__string", - "locationName": "multiplexIds", - "documentation": "List of multiplex IDs" - } - }, - "documentation": "Batch start resource request" - }, - "BatchStartRequest": { - "type": "structure", - "members": { - "ChannelIds": { - "shape": "__listOf__string", - "locationName": "channelIds", - "documentation": "List of channel IDs" + { + "shape": "InternalServerErrorException", + "documentation": "Internal Service Error." }, - "MultiplexIds": { - "shape": "__listOf__string", - "locationName": "multiplexIds", - "documentation": "List of multiplex IDs" - } - }, - "documentation": "A request to start resources" - }, - "BatchStartResponse": { - "type": "structure", - "members": { - "Failed": { - "shape": "__listOfBatchFailedResultModel", - "locationName": "failed", - "documentation": "List of failed operations" + { + "shape": "ForbiddenException", + "documentation": "You don't have permission to list clusters." }, - "Successful": { - "shape": "__listOfBatchSuccessfulResultModel", - "locationName": "successful", - "documentation": "List of successful operations" - } - }, - "documentation": "Placeholder documentation for BatchStartResponse" - }, - "BatchStartResultModel": { - "type": "structure", - "members": { - "Failed": { - "shape": "__listOfBatchFailedResultModel", - "locationName": "failed", - "documentation": "List of failed operations" + { + "shape": "BadGatewayException", + "documentation": "Bad Gateway Error." }, - "Successful": { - "shape": "__listOfBatchSuccessfulResultModel", - "locationName": "successful", - "documentation": "List of successful operations" - } - }, - "documentation": "Batch start resource results" - }, - "BatchStop": { - "type": "structure", - "members": { - "ChannelIds": { - "shape": "__listOf__string", - "locationName": "channelIds", - "documentation": "List of channel IDs" + { + "shape": "GatewayTimeoutException", + "documentation": "Gateway Timeout." }, - "MultiplexIds": { - "shape": "__listOf__string", - "locationName": "multiplexIds", - "documentation": "List of multiplex IDs" + { + "shape": "TooManyRequestsException", + "documentation": "Request limit exceeded on list cluster calls to cluster service." } - }, - "documentation": "Batch stop resource request" + ], + "documentation": "Retrieve the list of Clusters." }, - "BatchStopRequest": { - "type": "structure", - "members": { - "ChannelIds": { - "shape": "__listOf__string", - "locationName": "channelIds", - "documentation": "List of channel IDs" - }, - "MultiplexIds": { - "shape": "__listOf__string", - "locationName": "multiplexIds", - "documentation": "List of multiplex IDs" - } + "ListNetworks": { + "name": "ListNetworks", + "http": { + "method": "GET", + "requestUri": "/prod/networks", + "responseCode": 200 }, - "documentation": "A request to stop resources" - }, - "BatchStopResponse": { - "type": "structure", - "members": { - "Failed": { - "shape": "__listOfBatchFailedResultModel", - "locationName": "failed", - "documentation": "List of failed operations" - }, - "Successful": { - "shape": "__listOfBatchSuccessfulResultModel", - "locationName": "successful", - "documentation": "List of successful operations" - } + "input": { + "shape": "ListNetworksRequest" }, - "documentation": "Placeholder documentation for BatchStopResponse" - }, - "BatchStopResultModel": { - "type": "structure", - "members": { - "Failed": { - "shape": "__listOfBatchFailedResultModel", - "locationName": "failed", - "documentation": "List of failed operations" - }, - "Successful": { - "shape": "__listOfBatchSuccessfulResultModel", - "locationName": "successful", - "documentation": "List of successful operations" - } + "output": { + "shape": "ListNetworksResponse", + "documentation": "An array of networks." }, - "documentation": "Batch stop resource results" - }, - "BatchSuccessfulResultModel": { - "type": "structure", - "members": { - "Arn": { - "shape": "__string", - "locationName": "arn", - "documentation": "ARN of the resource" + "errors": [ + { + "shape": "BadRequestException", + "documentation": "MediaLive can't process your request because of a problem in the request. Please check your request form and syntax." }, - "Id": { - "shape": "__string", - "locationName": "id", - "documentation": "ID of the resource" + { + "shape": "InternalServerErrorException", + "documentation": "Internal Service Error." }, - "State": { - "shape": "__string", - "locationName": "state", - "documentation": "Current state of the resource" - } - }, - "documentation": "Details from a successful operation" - }, - "BatchUpdateScheduleRequest": { - "type": "structure", - "members": { - "ChannelId": { - "shape": "__string", - "location": "uri", - "locationName": "channelId", - "documentation": "Id of the channel whose schedule is being updated." + { + "shape": "ForbiddenException", + "documentation": "You don't have permission to list clusters." }, - "Creates": { - "shape": "BatchScheduleActionCreateRequest", - "locationName": "creates", - "documentation": "Schedule actions to create in the schedule." + { + "shape": "BadGatewayException", + "documentation": "Bad Gateway Error." }, - "Deletes": { - "shape": "BatchScheduleActionDeleteRequest", - "locationName": "deletes", - "documentation": "Schedule actions to delete from the schedule." - } - }, - "documentation": "List of actions to create and list of actions to delete.", - "required": [ - "ChannelId" - ] - }, - "BatchUpdateScheduleResponse": { - "type": "structure", - "members": { - "Creates": { - "shape": "BatchScheduleActionCreateResult", - "locationName": "creates", - "documentation": "Schedule actions created in the schedule." + { + "shape": "GatewayTimeoutException", + "documentation": "Gateway Timeout." }, - "Deletes": { - "shape": "BatchScheduleActionDeleteResult", - "locationName": "deletes", - "documentation": "Schedule actions deleted from the schedule." + { + "shape": "TooManyRequestsException", + "documentation": "Request limit exceeded on list cluster calls to cluster service." } - }, - "documentation": "Placeholder documentation for BatchUpdateScheduleResponse" + ], + "documentation": "Retrieve the list of Networks." }, - "BatchUpdateScheduleResult": { - "type": "structure", - "members": { - "Creates": { - "shape": "BatchScheduleActionCreateResult", - "locationName": "creates", - "documentation": "Schedule actions created in the schedule." - }, - "Deletes": { - "shape": "BatchScheduleActionDeleteResult", - "locationName": "deletes", - "documentation": "Schedule actions deleted from the schedule." - } + "ListNodes": { + "name": "ListNodes", + "http": { + "method": "GET", + "requestUri": "/prod/clusters/{clusterId}/nodes", + "responseCode": 200 }, - "documentation": "Results of a batch schedule update." - }, - "BlackoutSlate": { - "type": "structure", - "members": { - "BlackoutSlateImage": { - "shape": "InputLocation", - "locationName": "blackoutSlateImage", - "documentation": "Blackout slate image to be used. Leave empty for solid black. Only bmp and png images are supported." + "input": { + "shape": "ListNodesRequest" + }, + "output": { + "shape": "ListNodesResponse", + "documentation": "An array of nodes." + }, + "errors": [ + { + "shape": "BadRequestException", + "documentation": "MediaLive can't process your request because of a problem in the request. Please check your request form and syntax." }, - "NetworkEndBlackout": { - "shape": "BlackoutSlateNetworkEndBlackout", - "locationName": "networkEndBlackout", - "documentation": "Setting to enabled causes the encoder to blackout the video, audio, and captions, and raise the \"Network Blackout Image\" slate when an SCTE104/35 Network End Segmentation Descriptor is encountered. The blackout will be lifted when the Network Start Segmentation Descriptor is encountered. The Network End and Network Start descriptors must contain a network ID that matches the value entered in \"Network ID\"." + { + "shape": "InternalServerErrorException", + "documentation": "Internal Service Error." }, - "NetworkEndBlackoutImage": { - "shape": "InputLocation", - "locationName": "networkEndBlackoutImage", - "documentation": "Path to local file to use as Network End Blackout image. Image will be scaled to fill the entire output raster." + { + "shape": "ForbiddenException", + "documentation": "You don't have permission to list nodes." }, - "NetworkId": { - "shape": "__stringMin34Max34", - "locationName": "networkId", - "documentation": "Provides Network ID that matches EIDR ID format (e.g., \"10.XXXX/XXXX-XXXX-XXXX-XXXX-XXXX-C\")." + { + "shape": "BadGatewayException", + "documentation": "Bad Gateway Error." }, - "State": { - "shape": "BlackoutSlateState", - "locationName": "state", - "documentation": "When set to enabled, causes video, audio and captions to be blanked when indicated by program metadata." + { + "shape": "GatewayTimeoutException", + "documentation": "Gateway Timeout." + }, + { + "shape": "TooManyRequestsException", + "documentation": "Request limit exceeded on list node calls to the cluster service." } - }, - "documentation": "Blackout Slate" - }, - "BlackoutSlateNetworkEndBlackout": { - "type": "string", - "documentation": "Blackout Slate Network End Blackout", - "enum": [ - "DISABLED", - "ENABLED" - ] - }, - "BlackoutSlateState": { - "type": "string", - "documentation": "Blackout Slate State", - "enum": [ - "DISABLED", - "ENABLED" - ] - }, - "BurnInAlignment": { - "type": "string", - "documentation": "Burn In Alignment", - "enum": [ - "CENTERED", - "LEFT", - "SMART" - ] - }, - "BurnInBackgroundColor": { - "type": "string", - "documentation": "Burn In Background Color", - "enum": [ - "BLACK", - "NONE", - "WHITE" - ] + ], + "documentation": "Retrieve the list of Nodes." }, - "BurnInDestinationSettings": { - "type": "structure", - "members": { - "Alignment": { - "shape": "BurnInAlignment", - "locationName": "alignment", - "documentation": "If no explicit xPosition or yPosition is provided, setting alignment to centered will place the captions at the bottom center of the output. Similarly, setting a left alignment will align captions to the bottom left of the output. If x and y positions are given in conjunction with the alignment parameter, the font will be justified (either left or centered) relative to those coordinates. Selecting \"smart\" justification will left-justify live subtitles and center-justify pre-recorded subtitles. All burn-in and DVB-Sub font settings must match." - }, - "BackgroundColor": { - "shape": "BurnInBackgroundColor", - "locationName": "backgroundColor", - "documentation": "Specifies the color of the rectangle behind the captions. All burn-in and DVB-Sub font settings must match." - }, - "BackgroundOpacity": { - "shape": "__integerMin0Max255", - "locationName": "backgroundOpacity", - "documentation": "Specifies the opacity of the background rectangle. 255 is opaque; 0 is transparent. Leaving this parameter out is equivalent to setting it to 0 (transparent). All burn-in and DVB-Sub font settings must match." - }, - "Font": { - "shape": "InputLocation", - "locationName": "font", - "documentation": "External font file used for caption burn-in. File extension must be 'ttf' or 'tte'. Although the user can select output fonts for many different types of input captions, embedded, STL and teletext sources use a strict grid system. Using external fonts with these caption sources could cause unexpected display of proportional fonts. All burn-in and DVB-Sub font settings must match." + "UpdateChannelPlacementGroup": { + "name": "UpdateChannelPlacementGroup", + "http": { + "method": "PUT", + "requestUri": "/prod/clusters/{clusterId}/channelplacementgroups/{channelPlacementGroupId}", + "responseCode": 200 + }, + "input": { + "shape": "UpdateChannelPlacementGroupRequest" + }, + "output": { + "shape": "UpdateChannelPlacementGroupResponse", + "documentation": "The channel placement group has been successfully updated." + }, + "errors": [ + { + "shape": "BadRequestException", + "documentation": "This request was invalid" }, - "FontColor": { - "shape": "BurnInFontColor", - "locationName": "fontColor", - "documentation": "Specifies the color of the burned-in captions. This option is not valid for source captions that are STL, 608/embedded or teletext. These source settings are already pre-defined by the caption stream. All burn-in and DVB-Sub font settings must match." + { + "shape": "UnprocessableEntityException", + "documentation": "The channel placement group failed validation and could not be updated." }, - "FontOpacity": { - "shape": "__integerMin0Max255", - "locationName": "fontOpacity", - "documentation": "Specifies the opacity of the burned-in captions. 255 is opaque; 0 is transparent. All burn-in and DVB-Sub font settings must match." + { + "shape": "InternalServerErrorException", + "documentation": "Internal Service Error." }, - "FontResolution": { - "shape": "__integerMin96Max600", - "locationName": "fontResolution", - "documentation": "Font resolution in DPI (dots per inch); default is 96 dpi. All burn-in and DVB-Sub font settings must match." + { + "shape": "ForbiddenException", + "documentation": "You don't have permission to update the channel placement group." }, - "FontSize": { - "shape": "__string", - "locationName": "fontSize", - "documentation": "When set to 'auto' fontSize will scale depending on the size of the output. Giving a positive integer will specify the exact font size in points. All burn-in and DVB-Sub font settings must match." + { + "shape": "BadGatewayException", + "documentation": "Bad Gateway Error." }, - "OutlineColor": { - "shape": "BurnInOutlineColor", - "locationName": "outlineColor", - "documentation": "Specifies font outline color. This option is not valid for source captions that are either 608/embedded or teletext. These source settings are already pre-defined by the caption stream. All burn-in and DVB-Sub font settings must match." + { + "shape": "GatewayTimeoutException", + "documentation": "Gateway Timeout." }, - "OutlineSize": { - "shape": "__integerMin0Max10", - "locationName": "outlineSize", - "documentation": "Specifies font outline size in pixels. This option is not valid for source captions that are either 608/embedded or teletext. These source settings are already pre-defined by the caption stream. All burn-in and DVB-Sub font settings must match." + { + "shape": "TooManyRequestsException", + "documentation": "Request limit exceeded on update channel placement group calls to service." }, - "ShadowColor": { - "shape": "BurnInShadowColor", - "locationName": "shadowColor", - "documentation": "Specifies the color of the shadow cast by the captions. All burn-in and DVB-Sub font settings must match." + { + "shape": "ConflictException", + "documentation": "The channel placement group is unable to update due to an issue with channel placement group resources." + } + ], + "documentation": "Change the settings for a ChannelPlacementGroup." + }, + "UpdateCluster": { + "name": "UpdateCluster", + "http": { + "method": "PUT", + "requestUri": "/prod/clusters/{clusterId}", + "responseCode": 200 + }, + "input": { + "shape": "UpdateClusterRequest" + }, + "output": { + "shape": "UpdateClusterResponse", + "documentation": "The cluster has been successfully updated." + }, + "errors": [ + { + "shape": "BadRequestException", + "documentation": "MediaLive can't process your request because of a problem in the request. Please check your request form and syntax." }, - "ShadowOpacity": { - "shape": "__integerMin0Max255", - "locationName": "shadowOpacity", - "documentation": "Specifies the opacity of the shadow. 255 is opaque; 0 is transparent. Leaving this parameter out is equivalent to setting it to 0 (transparent). All burn-in and DVB-Sub font settings must match." + { + "shape": "InternalServerErrorException", + "documentation": "Internal Service Error." }, - "ShadowXOffset": { - "shape": "__integer", - "locationName": "shadowXOffset", - "documentation": "Specifies the horizontal offset of the shadow relative to the captions in pixels. A value of -2 would result in a shadow offset 2 pixels to the left. All burn-in and DVB-Sub font settings must match." + { + "shape": "ForbiddenException", + "documentation": "You don't have permission to update the Cluster." }, - "ShadowYOffset": { - "shape": "__integer", - "locationName": "shadowYOffset", - "documentation": "Specifies the vertical offset of the shadow relative to the captions in pixels. A value of -2 would result in a shadow offset 2 pixels above the text. All burn-in and DVB-Sub font settings must match." + { + "shape": "BadGatewayException", + "documentation": "Bad Gateway Error." }, - "TeletextGridControl": { - "shape": "BurnInTeletextGridControl", - "locationName": "teletextGridControl", - "documentation": "Controls whether a fixed grid size will be used to generate the output subtitles bitmap. Only applicable for Teletext inputs and DVB-Sub/Burn-in outputs." + { + "shape": "GatewayTimeoutException", + "documentation": "Gateway Timeout." }, - "XPosition": { - "shape": "__integerMin0", - "locationName": "xPosition", - "documentation": "Specifies the horizontal position of the caption relative to the left side of the output in pixels. A value of 10 would result in the captions starting 10 pixels from the left of the output. If no explicit xPosition is provided, the horizontal caption position will be determined by the alignment parameter. All burn-in and DVB-Sub font settings must match." + { + "shape": "TooManyRequestsException", + "documentation": "Request limit exceeded on update Cluster calls to service." }, - "YPosition": { - "shape": "__integerMin0", - "locationName": "yPosition", - "documentation": "Specifies the vertical position of the caption relative to the top of the output in pixels. A value of 10 would result in the captions starting 10 pixels from the top of the output. If no explicit yPosition is provided, the caption will be positioned towards the bottom of the output. All burn-in and DVB-Sub font settings must match." + { + "shape": "ConflictException", + "documentation": "The Cluster is unable to update due to an issue with cluster resources." } - }, - "documentation": "Burn In Destination Settings" + ], + "documentation": "Change the settings for a Cluster." }, - "BurnInFontColor": { - "type": "string", - "documentation": "Burn In Font Color", - "enum": [ - "BLACK", - "BLUE", - "GREEN", - "RED", - "WHITE", - "YELLOW" - ] + "UpdateNetwork": { + "name": "UpdateNetwork", + "http": { + "method": "PUT", + "requestUri": "/prod/networks/{networkId}", + "responseCode": 200 + }, + "input": { + "shape": "UpdateNetworkRequest" + }, + "output": { + "shape": "UpdateNetworkResponse", + "documentation": "The network has been successfully updated." + }, + "errors": [ + { + "shape": "BadRequestException", + "documentation": "MediaLive can't process your request because of a problem in the request. Please check your request form and syntax." + }, + { + "shape": "InternalServerErrorException", + "documentation": "Internal Service Error." + }, + { + "shape": "ForbiddenException", + "documentation": "You don't have permission to update the Network." + }, + { + "shape": "BadGatewayException", + "documentation": "Bad Gateway Error." + }, + { + "shape": "GatewayTimeoutException", + "documentation": "Gateway Timeout." + }, + { + "shape": "TooManyRequestsException", + "documentation": "Request limit exceeded on update Network calls to service." + }, + { + "shape": "ConflictException", + "documentation": "The Network is unable to update due to an issue with network resources." + } + ], + "documentation": "Change the settings for a Network." }, - "BurnInOutlineColor": { + "UpdateNode": { + "name": "UpdateNode", + "http": { + "method": "PUT", + "requestUri": "/prod/clusters/{clusterId}/nodes/{nodeId}", + "responseCode": 201 + }, + "input": { + "shape": "UpdateNodeRequest" + }, + "output": { + "shape": "UpdateNodeResponse", + "documentation": "Update of the Node is in progress." + }, + "errors": [ + { + "shape": "BadRequestException", + "documentation": "MediaLive can't process your request because of a problem in the request. Please check your request form and syntax." + }, + { + "shape": "InternalServerErrorException", + "documentation": "Internal Service Error." + }, + { + "shape": "ForbiddenException", + "documentation": "You don't have permission to update the node." + }, + { + "shape": "BadGatewayException", + "documentation": "Bad Gateway Error." + }, + { + "shape": "GatewayTimeoutException", + "documentation": "Gateway Timeout." + }, + { + "shape": "TooManyRequestsException", + "documentation": "Request limit exceeded on update node calls to the service." + }, + { + "shape": "ConflictException", + "documentation": "The node is unable to update due to an issue with node resources." + } + ], + "documentation": "Change the settings for a Node." + }, + "UpdateNodeState": { + "name": "UpdateNodeState", + "http": { + "method": "PUT", + "requestUri": "/prod/clusters/{clusterId}/nodes/{nodeId}/state", + "responseCode": 201 + }, + "input": { + "shape": "UpdateNodeStateRequest" + }, + "output": { + "shape": "UpdateNodeStateResponse", + "documentation": "An update to node state is in progress." + }, + "errors": [ + { + "shape": "BadRequestException", + "documentation": "MediaLive can't process your request because of a problem in the request. Please check your request form and syntax." + }, + { + "shape": "UnprocessableEntityException", + "documentation": "The node failed validation and the state could not be updated." + }, + { + "shape": "InternalServerErrorException", + "documentation": "Internal Service Error." + }, + { + "shape": "ForbiddenException", + "documentation": "You don't have permission to update the state of the node." + }, + { + "shape": "BadGatewayException", + "documentation": "Bad Gateway Error." + }, + { + "shape": "GatewayTimeoutException", + "documentation": "Gateway Timeout." + }, + { + "shape": "TooManyRequestsException", + "documentation": "Request limit exceeded on node calls to service." + }, + { + "shape": "ConflictException", + "documentation": "The node state is unable to updated due to an issue with node resources." + } + ], + "documentation": "Update the state of a node." + } + }, + "shapes": { + "AacCodingMode": { "type": "string", - "documentation": "Burn In Outline Color", + "documentation": "Aac Coding Mode", "enum": [ - "BLACK", - "BLUE", - "GREEN", - "RED", - "WHITE", - "YELLOW" + "AD_RECEIVER_MIX", + "CODING_MODE_1_0", + "CODING_MODE_1_1", + "CODING_MODE_2_0", + "CODING_MODE_5_1" ] }, - "BurnInShadowColor": { + "AacInputType": { "type": "string", - "documentation": "Burn In Shadow Color", + "documentation": "Aac Input Type", "enum": [ - "BLACK", - "NONE", - "WHITE" + "BROADCASTER_MIXED_AD", + "NORMAL" ] }, - "BurnInTeletextGridControl": { + "AacProfile": { "type": "string", - "documentation": "Burn In Teletext Grid Control", + "documentation": "Aac Profile", "enum": [ - "FIXED", - "SCALED" + "HEV1", + "HEV2", + "LC" ] }, - "CancelInputDeviceTransferRequest": { - "type": "structure", - "members": { - "InputDeviceId": { - "shape": "__string", - "location": "uri", - "locationName": "inputDeviceId", - "documentation": "The unique ID of the input device to cancel. For example, hd-123456789abcdef." - } - }, - "required": [ - "InputDeviceId" - ], - "documentation": "Placeholder documentation for CancelInputDeviceTransferRequest" + "AacRateControlMode": { + "type": "string", + "documentation": "Aac Rate Control Mode", + "enum": [ + "CBR", + "VBR" + ] }, - "CancelInputDeviceTransferResponse": { - "type": "structure", - "members": { - }, - "documentation": "Placeholder documentation for CancelInputDeviceTransferResponse" + "AacRawFormat": { + "type": "string", + "documentation": "Aac Raw Format", + "enum": [ + "LATM_LOAS", + "NONE" + ] }, - "CaptionDescription": { + "AacSettings": { "type": "structure", "members": { - "Accessibility": { - "shape": "AccessibilityType", - "locationName": "accessibility", - "documentation": "Indicates whether the caption track implements accessibility features such as written descriptions of spoken dialog, music, and sounds. This signaling is added to HLS output group and MediaPackage output group." + "Bitrate": { + "shape": "__double", + "locationName": "bitrate", + "documentation": "Average bitrate in bits/second. Valid values depend on rate control mode and profile." }, - "CaptionSelectorName": { - "shape": "__string", - "locationName": "captionSelectorName", - "documentation": "Specifies which input caption selector to use as a caption source when generating output captions. This field should match a captionSelector name." + "CodingMode": { + "shape": "AacCodingMode", + "locationName": "codingMode", + "documentation": "Mono, Stereo, or 5.1 channel layout. Valid values depend on rate control mode and profile. The adReceiverMix setting receives a stereo description plus control track and emits a mono AAC encode of the description track, with control data emitted in the PES header as per ETSI TS 101 154 Annex E." }, - "DestinationSettings": { - "shape": "CaptionDestinationSettings", - "locationName": "destinationSettings", - "documentation": "Additional settings for captions destination that depend on the destination type." + "InputType": { + "shape": "AacInputType", + "locationName": "inputType", + "documentation": "Set to \"broadcasterMixedAd\" when input contains pre-mixed main audio + AD (narration) as a stereo pair. The Audio Type field (audioType) will be set to 3, which signals to downstream systems that this stream contains \"broadcaster mixed AD\". Note that the input received by the encoder must contain pre-mixed audio; the encoder does not perform the mixing. The values in audioTypeControl and audioType (in AudioDescription) are ignored when set to broadcasterMixedAd.\n\nLeave set to \"normal\" when input does not contain pre-mixed audio + AD." }, - "LanguageCode": { - "shape": "__string", - "locationName": "languageCode", - "documentation": "ISO 639-2 three-digit code: http://www.loc.gov/standards/iso639-2/" + "Profile": { + "shape": "AacProfile", + "locationName": "profile", + "documentation": "AAC Profile." }, - "LanguageDescription": { - "shape": "__string", - "locationName": "languageDescription", - "documentation": "Human readable information to indicate captions available for players (eg. English, or Spanish)." + "RateControlMode": { + "shape": "AacRateControlMode", + "locationName": "rateControlMode", + "documentation": "Rate Control Mode." }, - "Name": { - "shape": "__string", - "locationName": "name", - "documentation": "Name of the caption description. Used to associate a caption description with an output. Names must be unique within an event." + "RawFormat": { + "shape": "AacRawFormat", + "locationName": "rawFormat", + "documentation": "Sets LATM / LOAS AAC output for raw containers." }, - "CaptionDashRoles": { - "shape": "__listOfDashRoleCaption", - "locationName": "captionDashRoles", - "documentation": "Identifies the DASH roles to assign to this captions output. Applies only when the captions output is configured for DVB DASH accessibility signaling." + "SampleRate": { + "shape": "__double", + "locationName": "sampleRate", + "documentation": "Sample rate in Hz. Valid values depend on rate control mode and profile." }, - "DvbDashAccessibility": { - "shape": "DvbDashAccessibility", - "locationName": "dvbDashAccessibility", - "documentation": "Identifies DVB DASH accessibility signaling in this captions output. Used in Microsoft Smooth Streaming outputs to signal accessibility information to packagers." + "Spec": { + "shape": "AacSpec", + "locationName": "spec", + "documentation": "Use MPEG-2 AAC audio instead of MPEG-4 AAC audio for raw or MPEG-2 Transport Stream containers." + }, + "VbrQuality": { + "shape": "AacVbrQuality", + "locationName": "vbrQuality", + "documentation": "VBR Quality Level - Only used if rateControlMode is VBR." } }, - "documentation": "Caption Description", - "required": [ - "CaptionSelectorName", - "Name" - ] + "documentation": "Aac Settings" }, - "CaptionDestinationSettings": { - "type": "structure", - "members": { - "AribDestinationSettings": { - "shape": "AribDestinationSettings", - "locationName": "aribDestinationSettings" - }, - "BurnInDestinationSettings": { - "shape": "BurnInDestinationSettings", - "locationName": "burnInDestinationSettings" - }, - "DvbSubDestinationSettings": { - "shape": "DvbSubDestinationSettings", - "locationName": "dvbSubDestinationSettings" - }, - "EbuTtDDestinationSettings": { - "shape": "EbuTtDDestinationSettings", - "locationName": "ebuTtDDestinationSettings" - }, - "EmbeddedDestinationSettings": { - "shape": "EmbeddedDestinationSettings", - "locationName": "embeddedDestinationSettings" - }, - "EmbeddedPlusScte20DestinationSettings": { - "shape": "EmbeddedPlusScte20DestinationSettings", - "locationName": "embeddedPlusScte20DestinationSettings" + "AacSpec": { + "type": "string", + "documentation": "Aac Spec", + "enum": [ + "MPEG2", + "MPEG4" + ] + }, + "AacVbrQuality": { + "type": "string", + "documentation": "Aac Vbr Quality", + "enum": [ + "HIGH", + "LOW", + "MEDIUM_HIGH", + "MEDIUM_LOW" + ] + }, + "Ac3AttenuationControl": { + "type": "string", + "documentation": "Ac3 Attenuation Control", + "enum": [ + "ATTENUATE_3_DB", + "NONE" + ] + }, + "Ac3BitstreamMode": { + "type": "string", + "documentation": "Ac3 Bitstream Mode", + "enum": [ + "COMMENTARY", + "COMPLETE_MAIN", + "DIALOGUE", + "EMERGENCY", + "HEARING_IMPAIRED", + "MUSIC_AND_EFFECTS", + "VISUALLY_IMPAIRED", + "VOICE_OVER" + ] + }, + "Ac3CodingMode": { + "type": "string", + "documentation": "Ac3 Coding Mode", + "enum": [ + "CODING_MODE_1_0", + "CODING_MODE_1_1", + "CODING_MODE_2_0", + "CODING_MODE_3_2_LFE" + ] + }, + "Ac3DrcProfile": { + "type": "string", + "documentation": "Ac3 Drc Profile", + "enum": [ + "FILM_STANDARD", + "NONE" + ] + }, + "Ac3LfeFilter": { + "type": "string", + "documentation": "Ac3 Lfe Filter", + "enum": [ + "DISABLED", + "ENABLED" + ] + }, + "Ac3MetadataControl": { + "type": "string", + "documentation": "Ac3 Metadata Control", + "enum": [ + "FOLLOW_INPUT", + "USE_CONFIGURED" + ] + }, + "Ac3Settings": { + "type": "structure", + "members": { + "Bitrate": { + "shape": "__double", + "locationName": "bitrate", + "documentation": "Average bitrate in bits/second. Valid bitrates depend on the coding mode." }, - "RtmpCaptionInfoDestinationSettings": { - "shape": "RtmpCaptionInfoDestinationSettings", - "locationName": "rtmpCaptionInfoDestinationSettings" + "BitstreamMode": { + "shape": "Ac3BitstreamMode", + "locationName": "bitstreamMode", + "documentation": "Specifies the bitstream mode (bsmod) for the emitted AC-3 stream. See ATSC A/52-2012 for background on these values." }, - "Scte20PlusEmbeddedDestinationSettings": { - "shape": "Scte20PlusEmbeddedDestinationSettings", - "locationName": "scte20PlusEmbeddedDestinationSettings" + "CodingMode": { + "shape": "Ac3CodingMode", + "locationName": "codingMode", + "documentation": "Dolby Digital coding mode. Determines number of channels." }, - "Scte27DestinationSettings": { - "shape": "Scte27DestinationSettings", - "locationName": "scte27DestinationSettings" + "Dialnorm": { + "shape": "__integerMin1Max31", + "locationName": "dialnorm", + "documentation": "Sets the dialnorm for the output. If excluded and input audio is Dolby Digital, dialnorm will be passed through." }, - "SmpteTtDestinationSettings": { - "shape": "SmpteTtDestinationSettings", - "locationName": "smpteTtDestinationSettings" + "DrcProfile": { + "shape": "Ac3DrcProfile", + "locationName": "drcProfile", + "documentation": "If set to filmStandard, adds dynamic range compression signaling to the output bitstream as defined in the Dolby Digital specification." }, - "TeletextDestinationSettings": { - "shape": "TeletextDestinationSettings", - "locationName": "teletextDestinationSettings" + "LfeFilter": { + "shape": "Ac3LfeFilter", + "locationName": "lfeFilter", + "documentation": "When set to enabled, applies a 120Hz lowpass filter to the LFE channel prior to encoding. Only valid in codingMode32Lfe mode." }, - "TtmlDestinationSettings": { - "shape": "TtmlDestinationSettings", - "locationName": "ttmlDestinationSettings" + "MetadataControl": { + "shape": "Ac3MetadataControl", + "locationName": "metadataControl", + "documentation": "When set to \"followInput\", encoder metadata will be sourced from the DD, DD+, or DolbyE decoder that supplied this audio data. If audio was not supplied from one of these streams, then the static metadata settings will be used." }, - "WebvttDestinationSettings": { - "shape": "WebvttDestinationSettings", - "locationName": "webvttDestinationSettings" + "AttenuationControl": { + "shape": "Ac3AttenuationControl", + "locationName": "attenuationControl", + "documentation": "Applies a 3 dB attenuation to the surround channels. Applies only when the coding mode parameter is CODING_MODE_3_2_LFE." } }, - "documentation": "Caption Destination Settings" + "documentation": "Ac3 Settings" }, - "CaptionLanguageMapping": { + "AcceptInputDeviceTransferRequest": { "type": "structure", "members": { - "CaptionChannel": { - "shape": "__integerMin1Max4", - "locationName": "captionChannel", - "documentation": "The closed caption channel being described by this CaptionLanguageMapping. Each channel mapping must have a unique channel number (maximum of 4)" - }, - "LanguageCode": { - "shape": "__stringMin3Max3", - "locationName": "languageCode", - "documentation": "Three character ISO 639-2 language code (see http://www.loc.gov/standards/iso639-2)" - }, - "LanguageDescription": { - "shape": "__stringMin1", - "locationName": "languageDescription", - "documentation": "Textual description of language" + "InputDeviceId": { + "shape": "__string", + "location": "uri", + "locationName": "inputDeviceId", + "documentation": "The unique ID of the input device to accept. For example, hd-123456789abcdef." } }, - "documentation": "Maps a caption channel to an ISO 693-2 language code (http://www.loc.gov/standards/iso639-2), with an optional description.", "required": [ - "LanguageCode", - "LanguageDescription", - "CaptionChannel" - ] + "InputDeviceId" + ], + "documentation": "Placeholder documentation for AcceptInputDeviceTransferRequest" }, - "CaptionRectangle": { + "AcceptInputDeviceTransferResponse": { "type": "structure", "members": { - "Height": { - "shape": "__doubleMin0Max100", - "locationName": "height", - "documentation": "See the description in leftOffset.\nFor height, specify the entire height of the rectangle as a percentage of the underlying frame height. For example, \\\"80\\\" means the rectangle height is 80% of the underlying frame height. The topOffset and rectangleHeight must add up to 100% or less.\nThis field corresponds to tts:extent - Y in the TTML standard." - }, - "LeftOffset": { - "shape": "__doubleMin0Max100", - "locationName": "leftOffset", - "documentation": "Applies only if you plan to convert these source captions to EBU-TT-D or TTML in an output. (Make sure to leave the default if you don't have either of these formats in the output.) You can define a display rectangle for the captions that is smaller than the underlying video frame. You define the rectangle by specifying the position of the left edge, top edge, bottom edge, and right edge of the rectangle, all within the underlying video frame. The units for the measurements are percentages.\nIf you specify a value for one of these fields, you must specify a value for all of them.\nFor leftOffset, specify the position of the left edge of the rectangle, as a percentage of the underlying frame width, and relative to the left edge of the frame. For example, \\\"10\\\" means the measurement is 10% of the underlying frame width. The rectangle left edge starts at that position from the left edge of the frame.\nThis field corresponds to tts:origin - X in the TTML standard." - }, - "TopOffset": { - "shape": "__doubleMin0Max100", - "locationName": "topOffset", - "documentation": "See the description in leftOffset.\nFor topOffset, specify the position of the top edge of the rectangle, as a percentage of the underlying frame height, and relative to the top edge of the frame. For example, \\\"10\\\" means the measurement is 10% of the underlying frame height. The rectangle top edge starts at that position from the top edge of the frame.\nThis field corresponds to tts:origin - Y in the TTML standard." - }, - "Width": { - "shape": "__doubleMin0Max100", - "locationName": "width", - "documentation": "See the description in leftOffset.\nFor width, specify the entire width of the rectangle as a percentage of the underlying frame width. For example, \\\"80\\\" means the rectangle width is 80% of the underlying frame width. The leftOffset and rectangleWidth must add up to 100% or less.\nThis field corresponds to tts:extent - X in the TTML standard." - } }, - "documentation": "Caption Rectangle", - "required": [ - "TopOffset", - "Height", - "Width", - "LeftOffset" - ] + "documentation": "Placeholder documentation for AcceptInputDeviceTransferResponse" }, - "CaptionSelector": { + "AccessDenied": { "type": "structure", "members": { - "LanguageCode": { + "Message": { "shape": "__string", - "locationName": "languageCode", - "documentation": "When specified this field indicates the three letter language code of the caption track to extract from the source." - }, - "Name": { - "shape": "__stringMin1", - "locationName": "name", - "documentation": "Name identifier for a caption selector. This name is used to associate this caption selector with one or more caption descriptions. Names must be unique within an event." - }, - "SelectorSettings": { - "shape": "CaptionSelectorSettings", - "locationName": "selectorSettings", - "documentation": "Caption selector settings." + "locationName": "message" } }, - "documentation": "Caption Selector", - "required": [ - "Name" + "documentation": "Placeholder documentation for AccessDenied" + }, + "AccessibilityType": { + "type": "string", + "documentation": "Accessibility Type", + "enum": [ + "DOES_NOT_IMPLEMENT_ACCESSIBILITY_FEATURES", + "IMPLEMENTS_ACCESSIBILITY_FEATURES" ] }, - "CaptionSelectorSettings": { + "AccountConfiguration": { "type": "structure", "members": { - "AncillarySourceSettings": { - "shape": "AncillarySourceSettings", - "locationName": "ancillarySourceSettings" - }, - "AribSourceSettings": { - "shape": "AribSourceSettings", - "locationName": "aribSourceSettings" - }, - "DvbSubSourceSettings": { - "shape": "DvbSubSourceSettings", - "locationName": "dvbSubSourceSettings" - }, - "EmbeddedSourceSettings": { - "shape": "EmbeddedSourceSettings", - "locationName": "embeddedSourceSettings" - }, - "Scte20SourceSettings": { - "shape": "Scte20SourceSettings", - "locationName": "scte20SourceSettings" - }, - "Scte27SourceSettings": { - "shape": "Scte27SourceSettings", - "locationName": "scte27SourceSettings" - }, - "TeletextSourceSettings": { - "shape": "TeletextSourceSettings", - "locationName": "teletextSourceSettings" + "KmsKeyId": { + "shape": "__string", + "locationName": "kmsKeyId", + "documentation": "Specifies the KMS key to use for all features that use key encryption. Specify the ARN of a KMS key that you have created. Or leave blank to use the key that MediaLive creates and manages for you." } }, - "documentation": "Caption Selector Settings" + "documentation": "Placeholder documentation for AccountConfiguration" }, - "CdiInputResolution": { + "AfdSignaling": { "type": "string", - "documentation": "Maximum CDI input resolution; SD is 480i and 576i up to 30 frames-per-second (fps), HD is 720p up to 60 fps / 1080i up to 30 fps, FHD is 1080p up to 60 fps, UHD is 2160p up to 60 fps", + "documentation": "Afd Signaling", "enum": [ - "SD", - "HD", - "FHD", - "UHD" + "AUTO", + "FIXED", + "NONE" ] }, - "CdiInputSpecification": { + "AncillarySourceSettings": { "type": "structure", "members": { - "Resolution": { - "shape": "CdiInputResolution", - "locationName": "resolution", - "documentation": "Maximum CDI input resolution" + "SourceAncillaryChannelNumber": { + "shape": "__integerMin1Max4", + "locationName": "sourceAncillaryChannelNumber", + "documentation": "Specifies the number (1 to 4) of the captions channel you want to extract from the ancillary captions. If you plan to convert the ancillary captions to another format, complete this field. If you plan to choose Embedded as the captions destination in the output (to pass through all the channels in the ancillary captions), leave this field blank because MediaLive ignores the field." } }, - "documentation": "Placeholder documentation for CdiInputSpecification" + "documentation": "Ancillary Source Settings" }, - "Channel": { + "ArchiveCdnSettings": { "type": "structure", "members": { - "Arn": { - "shape": "__string", - "locationName": "arn", - "documentation": "The unique arn of the channel." - }, - "CdiInputSpecification": { - "shape": "CdiInputSpecification", - "locationName": "cdiInputSpecification", - "documentation": "Specification of CDI inputs for this channel" - }, - "ChannelClass": { - "shape": "ChannelClass", - "locationName": "channelClass", - "documentation": "The class for this channel. STANDARD for a channel with two pipelines or SINGLE_PIPELINE for a channel with one pipeline." - }, - "Destinations": { - "shape": "__listOfOutputDestination", - "locationName": "destinations", - "documentation": "A list of destinations of the channel. For UDP outputs, there is one\ndestination per output. For other types (HLS, for example), there is\none destination per packager." - }, - "EgressEndpoints": { - "shape": "__listOfChannelEgressEndpoint", - "locationName": "egressEndpoints", - "documentation": "The endpoints where outgoing connections initiate from" - }, - "EncoderSettings": { - "shape": "EncoderSettings", - "locationName": "encoderSettings" - }, - "Id": { - "shape": "__string", - "locationName": "id", - "documentation": "The unique id of the channel." - }, - "InputAttachments": { - "shape": "__listOfInputAttachment", - "locationName": "inputAttachments", - "documentation": "List of input attachments for channel." + "ArchiveS3Settings": { + "shape": "ArchiveS3Settings", + "locationName": "archiveS3Settings" + } + }, + "documentation": "Archive Cdn Settings" + }, + "ArchiveContainerSettings": { + "type": "structure", + "members": { + "M2tsSettings": { + "shape": "M2tsSettings", + "locationName": "m2tsSettings" }, - "InputSpecification": { - "shape": "InputSpecification", - "locationName": "inputSpecification", - "documentation": "Specification of network and file inputs for this channel" + "RawSettings": { + "shape": "RawSettings", + "locationName": "rawSettings" + } + }, + "documentation": "Archive Container Settings" + }, + "ArchiveGroupSettings": { + "type": "structure", + "members": { + "ArchiveCdnSettings": { + "shape": "ArchiveCdnSettings", + "locationName": "archiveCdnSettings", + "documentation": "Parameters that control interactions with the CDN." }, - "LogLevel": { - "shape": "LogLevel", - "locationName": "logLevel", - "documentation": "The log level being written to CloudWatch Logs." + "Destination": { + "shape": "OutputLocationRef", + "locationName": "destination", + "documentation": "A directory and base filename where archive files should be written." }, - "Maintenance": { - "shape": "MaintenanceStatus", - "locationName": "maintenance", - "documentation": "Maintenance settings for this channel." + "RolloverInterval": { + "shape": "__integerMin1", + "locationName": "rolloverInterval", + "documentation": "Number of seconds to write to archive file before closing and starting a new one." + } + }, + "documentation": "Archive Group Settings", + "required": [ + "Destination" + ] + }, + "ArchiveOutputSettings": { + "type": "structure", + "members": { + "ContainerSettings": { + "shape": "ArchiveContainerSettings", + "locationName": "containerSettings", + "documentation": "Settings specific to the container type of the file." }, - "Name": { + "Extension": { "shape": "__string", - "locationName": "name", - "documentation": "The name of the channel. (user-mutable)" - }, - "PipelineDetails": { - "shape": "__listOfPipelineDetail", - "locationName": "pipelineDetails", - "documentation": "Runtime details for the pipelines of a running channel." - }, - "PipelinesRunningCount": { - "shape": "__integer", - "locationName": "pipelinesRunningCount", - "documentation": "The number of currently healthy pipelines." + "locationName": "extension", + "documentation": "Output file extension. If excluded, this will be auto-selected from the container type." }, - "RoleArn": { + "NameModifier": { "shape": "__string", - "locationName": "roleArn", - "documentation": "The Amazon Resource Name (ARN) of the role assumed when running the Channel." - }, - "State": { - "shape": "ChannelState", - "locationName": "state" - }, - "Tags": { - "shape": "Tags", - "locationName": "tags", - "documentation": "A collection of key-value pairs." - }, - "Vpc": { - "shape": "VpcOutputSettingsDescription", - "locationName": "vpc", - "documentation": "Settings for VPC output" + "locationName": "nameModifier", + "documentation": "String concatenated to the end of the destination filename. Required for multiple outputs of the same type." } }, - "documentation": "Placeholder documentation for Channel" + "documentation": "Archive Output Settings", + "required": [ + "ContainerSettings" + ] }, - "ChannelClass": { + "ArchiveS3LogUploads": { "type": "string", - "documentation": "A standard channel has two encoding pipelines and a single pipeline channel only has one.", + "documentation": "Archive S3 Log Uploads", "enum": [ - "STANDARD", - "SINGLE_PIPELINE" + "DISABLED", + "ENABLED" ] }, - "ChannelConfigurationValidationError": { + "ArchiveS3Settings": { "type": "structure", "members": { - "Message": { - "shape": "__string", - "locationName": "message" - }, - "ValidationErrors": { - "shape": "__listOfValidationError", - "locationName": "validationErrors", - "documentation": "A collection of validation error responses." + "CannedAcl": { + "shape": "S3CannedAcl", + "locationName": "cannedAcl", + "documentation": "Specify the canned ACL to apply to each S3 request. Defaults to none." } }, - "documentation": "Placeholder documentation for ChannelConfigurationValidationError" + "documentation": "Archive S3 Settings" }, - "ChannelEgressEndpoint": { + "AribDestinationSettings": { "type": "structure", "members": { - "SourceIp": { - "shape": "__string", - "locationName": "sourceIp", - "documentation": "Public IP of where a channel's output comes from" - } }, - "documentation": "Placeholder documentation for ChannelEgressEndpoint" + "documentation": "Arib Destination Settings" }, - "ChannelState": { - "type": "string", - "enum": [ - "CREATING", - "CREATE_FAILED", - "IDLE", - "STARTING", - "RUNNING", - "RECOVERING", - "STOPPING", - "DELETING", - "DELETED", - "UPDATING", - "UPDATE_FAILED" - ], - "documentation": "Placeholder documentation for ChannelState" + "AribSourceSettings": { + "type": "structure", + "members": { + }, + "documentation": "Arib Source Settings" }, - "ChannelSummary": { + "AudioChannelMapping": { "type": "structure", "members": { - "Arn": { - "shape": "__string", - "locationName": "arn", - "documentation": "The unique arn of the channel." - }, - "CdiInputSpecification": { - "shape": "CdiInputSpecification", - "locationName": "cdiInputSpecification", - "documentation": "Specification of CDI inputs for this channel" + "InputChannelLevels": { + "shape": "__listOfInputChannelLevel", + "locationName": "inputChannelLevels", + "documentation": "Indices and gain values for each input channel that should be remixed into this output channel." }, - "ChannelClass": { - "shape": "ChannelClass", - "locationName": "channelClass", - "documentation": "The class for this channel. STANDARD for a channel with two pipelines or SINGLE_PIPELINE for a channel with one pipeline." + "OutputChannel": { + "shape": "__integerMin0Max7", + "locationName": "outputChannel", + "documentation": "The index of the output channel being produced." + } + }, + "documentation": "Audio Channel Mapping", + "required": [ + "OutputChannel", + "InputChannelLevels" + ] + }, + "AudioCodecSettings": { + "type": "structure", + "members": { + "AacSettings": { + "shape": "AacSettings", + "locationName": "aacSettings" }, - "Destinations": { - "shape": "__listOfOutputDestination", - "locationName": "destinations", - "documentation": "A list of destinations of the channel. For UDP outputs, there is one\ndestination per output. For other types (HLS, for example), there is\none destination per packager." + "Ac3Settings": { + "shape": "Ac3Settings", + "locationName": "ac3Settings" }, - "EgressEndpoints": { - "shape": "__listOfChannelEgressEndpoint", - "locationName": "egressEndpoints", - "documentation": "The endpoints where outgoing connections initiate from" + "Eac3AtmosSettings": { + "shape": "Eac3AtmosSettings", + "locationName": "eac3AtmosSettings" }, - "Id": { + "Eac3Settings": { + "shape": "Eac3Settings", + "locationName": "eac3Settings" + }, + "Mp2Settings": { + "shape": "Mp2Settings", + "locationName": "mp2Settings" + }, + "PassThroughSettings": { + "shape": "PassThroughSettings", + "locationName": "passThroughSettings" + }, + "WavSettings": { + "shape": "WavSettings", + "locationName": "wavSettings" + } + }, + "documentation": "Audio Codec Settings" + }, + "AudioDescription": { + "type": "structure", + "members": { + "AudioNormalizationSettings": { + "shape": "AudioNormalizationSettings", + "locationName": "audioNormalizationSettings", + "documentation": "Advanced audio normalization settings." + }, + "AudioSelectorName": { "shape": "__string", - "locationName": "id", - "documentation": "The unique id of the channel." + "locationName": "audioSelectorName", + "documentation": "The name of the AudioSelector used as the source for this AudioDescription." }, - "InputAttachments": { - "shape": "__listOfInputAttachment", - "locationName": "inputAttachments", - "documentation": "List of input attachments for channel." + "AudioType": { + "shape": "AudioType", + "locationName": "audioType", + "documentation": "Applies only if audioTypeControl is useConfigured. The values for audioType are defined in ISO-IEC 13818-1." }, - "InputSpecification": { - "shape": "InputSpecification", - "locationName": "inputSpecification", - "documentation": "Specification of network and file inputs for this channel" + "AudioTypeControl": { + "shape": "AudioDescriptionAudioTypeControl", + "locationName": "audioTypeControl", + "documentation": "Determines how audio type is determined.\n followInput: If the input contains an ISO 639 audioType, then that value is passed through to the output. If the input contains no ISO 639 audioType, the value in Audio Type is included in the output.\n useConfigured: The value in Audio Type is included in the output.\nNote that this field and audioType are both ignored if inputType is broadcasterMixedAd." }, - "LogLevel": { - "shape": "LogLevel", - "locationName": "logLevel", - "documentation": "The log level being written to CloudWatch Logs." + "AudioWatermarkingSettings": { + "shape": "AudioWatermarkSettings", + "locationName": "audioWatermarkingSettings", + "documentation": "Settings to configure one or more solutions that insert audio watermarks in the audio encode" }, - "Maintenance": { - "shape": "MaintenanceStatus", - "locationName": "maintenance", - "documentation": "Maintenance settings for this channel." + "CodecSettings": { + "shape": "AudioCodecSettings", + "locationName": "codecSettings", + "documentation": "Audio codec settings." + }, + "LanguageCode": { + "shape": "__stringMin1Max35", + "locationName": "languageCode", + "documentation": "RFC 5646 language code representing the language of the audio output track. Only used if languageControlMode is useConfigured, or there is no ISO 639 language code specified in the input." + }, + "LanguageCodeControl": { + "shape": "AudioDescriptionLanguageCodeControl", + "locationName": "languageCodeControl", + "documentation": "Choosing followInput will cause the ISO 639 language code of the output to follow the ISO 639 language code of the input. The languageCode will be used when useConfigured is set, or when followInput is selected but there is no ISO 639 language code specified by the input." }, "Name": { - "shape": "__string", + "shape": "__stringMax255", "locationName": "name", - "documentation": "The name of the channel. (user-mutable)" + "documentation": "The name of this AudioDescription. Outputs will use this name to uniquely identify this AudioDescription. Description names should be unique within this Live Event." }, - "PipelinesRunningCount": { - "shape": "__integer", - "locationName": "pipelinesRunningCount", - "documentation": "The number of currently healthy pipelines." + "RemixSettings": { + "shape": "RemixSettings", + "locationName": "remixSettings", + "documentation": "Settings that control how input audio channels are remixed into the output audio channels." }, - "RoleArn": { + "StreamName": { "shape": "__string", - "locationName": "roleArn", - "documentation": "The Amazon Resource Name (ARN) of the role assumed when running the Channel." - }, - "State": { - "shape": "ChannelState", - "locationName": "state" + "locationName": "streamName", + "documentation": "Used for MS Smooth and Apple HLS outputs. Indicates the name displayed by the player (eg. English, or Director Commentary)." }, - "Tags": { - "shape": "Tags", - "locationName": "tags", - "documentation": "A collection of key-value pairs." + "AudioDashRoles": { + "shape": "__listOfDashRoleAudio", + "locationName": "audioDashRoles", + "documentation": "Identifies the DASH roles to assign to this audio output. Applies only when the audio output is configured for DVB DASH accessibility signaling." }, - "Vpc": { - "shape": "VpcOutputSettingsDescription", - "locationName": "vpc", - "documentation": "Settings for any VPC outputs." + "DvbDashAccessibility": { + "shape": "DvbDashAccessibility", + "locationName": "dvbDashAccessibility", + "documentation": "Identifies DVB DASH accessibility signaling in this audio output. Used in Microsoft Smooth Streaming outputs to signal accessibility information to packagers." } }, - "documentation": "Placeholder documentation for ChannelSummary" + "documentation": "Audio Description", + "required": [ + "AudioSelectorName", + "Name" + ] }, - "ClaimDeviceRequest": { - "type": "structure", - "members": { - "Id": { - "shape": "__string", - "locationName": "id", - "documentation": "The id of the device you want to claim." - } - }, - "documentation": "A request to claim an AWS Elemental device that you have purchased from a third-party vendor." + "AudioDescriptionAudioTypeControl": { + "type": "string", + "documentation": "Audio Description Audio Type Control", + "enum": [ + "FOLLOW_INPUT", + "USE_CONFIGURED" + ] }, - "ClaimDeviceResponse": { + "AudioDescriptionLanguageCodeControl": { + "type": "string", + "documentation": "Audio Description Language Code Control", + "enum": [ + "FOLLOW_INPUT", + "USE_CONFIGURED" + ] + }, + "AudioDolbyEDecode": { "type": "structure", "members": { + "ProgramSelection": { + "shape": "DolbyEProgramSelection", + "locationName": "programSelection", + "documentation": "Applies only to Dolby E. Enter the program ID (according to the metadata in the audio) of the Dolby E program to extract from the specified track. One program extracted per audio selector. To select multiple programs, create multiple selectors with the same Track and different Program numbers. “All channels” means to ignore the program IDs and include all the channels in this selector; useful if metadata is known to be incorrect." + } }, - "documentation": "Placeholder documentation for ClaimDeviceResponse" + "documentation": "Audio Dolby EDecode", + "required": [ + "ProgramSelection" + ] }, - "ColorCorrection": { + "AudioHlsRenditionSelection": { "type": "structure", "members": { - "InputColorSpace": { - "shape": "ColorSpace", - "locationName": "inputColorSpace", - "documentation": "The color space of the input." - }, - "OutputColorSpace": { - "shape": "ColorSpace", - "locationName": "outputColorSpace", - "documentation": "The color space of the output." + "GroupId": { + "shape": "__stringMin1", + "locationName": "groupId", + "documentation": "Specifies the GROUP-ID in the #EXT-X-MEDIA tag of the target HLS audio rendition." }, - "Uri": { - "shape": "__string", - "locationName": "uri", - "documentation": "The URI of the 3D LUT file. The protocol must be 's3:' or 's3ssl:':." + "Name": { + "shape": "__stringMin1", + "locationName": "name", + "documentation": "Specifies the NAME in the #EXT-X-MEDIA tag of the target HLS audio rendition." } }, - "documentation": "Property of ColorCorrectionSettings. Used for custom color space conversion. The object identifies one 3D LUT file and specifies the input/output color space combination that the file will be used for.", + "documentation": "Audio Hls Rendition Selection", "required": [ - "OutputColorSpace", - "InputColorSpace", - "Uri" + "Name", + "GroupId" ] }, - "ColorCorrectionSettings": { + "AudioLanguageSelection": { "type": "structure", "members": { - "GlobalColorCorrections": { - "shape": "__listOfColorCorrection", - "locationName": "globalColorCorrections", - "documentation": "An array of colorCorrections that applies when you are using 3D LUT files to perform color conversion on video. Each colorCorrection contains one 3D LUT file (that defines the color mapping for converting an input color space to an output color space), and the input/output combination that this 3D LUT file applies to. MediaLive reads the color space in the input metadata, determines the color space that you have specified for the output, and finds and uses the LUT file that applies to this combination." + "LanguageCode": { + "shape": "__string", + "locationName": "languageCode", + "documentation": "Selects a specific three-letter language code from within an audio source." + }, + "LanguageSelectionPolicy": { + "shape": "AudioLanguageSelectionPolicy", + "locationName": "languageSelectionPolicy", + "documentation": "When set to \"strict\", the transport stream demux strictly identifies audio streams by their language descriptor. If a PMT update occurs such that an audio stream matching the initially selected language is no longer present then mute will be encoded until the language returns. If \"loose\", then on a PMT update the demux will choose another audio stream in the program with the same stream type if it can't find one with the same language." } }, - "documentation": "Property of encoderSettings. Controls color conversion when you are using 3D LUT files to perform color conversion on video.", + "documentation": "Audio Language Selection", "required": [ - "GlobalColorCorrections" + "LanguageCode" ] }, - "ColorSpace": { + "AudioLanguageSelectionPolicy": { "type": "string", - "documentation": "Property of colorCorrections. When you are using 3D LUT files to perform color conversion on video, these are the supported color spaces.", + "documentation": "Audio Language Selection Policy", "enum": [ - "HDR10", - "HLG_2020", - "REC_601", - "REC_709" + "LOOSE", + "STRICT" ] }, - "ColorSpacePassthroughSettings": { - "type": "structure", - "members": { - }, - "documentation": "Passthrough applies no color space conversion to the output" - }, - "ConflictException": { - "type": "structure", - "members": { - "Message": { - "shape": "__string", - "locationName": "message" - } - }, - "exception": true, - "error": { - "httpStatusCode": 409 - }, - "documentation": "Placeholder documentation for ConflictException" + "AudioNormalizationAlgorithm": { + "type": "string", + "documentation": "Audio Normalization Algorithm", + "enum": [ + "ITU_1770_1", + "ITU_1770_2" + ] }, - "CreateChannel": { + "AudioNormalizationAlgorithmControl": { + "type": "string", + "documentation": "Audio Normalization Algorithm Control", + "enum": [ + "CORRECT_AUDIO" + ] + }, + "AudioNormalizationSettings": { "type": "structure", "members": { - "CdiInputSpecification": { - "shape": "CdiInputSpecification", - "locationName": "cdiInputSpecification", - "documentation": "Specification of CDI inputs for this channel" - }, - "ChannelClass": { - "shape": "ChannelClass", - "locationName": "channelClass", - "documentation": "The class for this channel. STANDARD for a channel with two pipelines or SINGLE_PIPELINE for a channel with one pipeline." - }, - "Destinations": { - "shape": "__listOfOutputDestination", - "locationName": "destinations" - }, - "EncoderSettings": { - "shape": "EncoderSettings", - "locationName": "encoderSettings" - }, - "InputAttachments": { - "shape": "__listOfInputAttachment", - "locationName": "inputAttachments", - "documentation": "List of input attachments for channel." - }, - "InputSpecification": { - "shape": "InputSpecification", - "locationName": "inputSpecification", - "documentation": "Specification of network and file inputs for this channel" - }, - "LogLevel": { - "shape": "LogLevel", - "locationName": "logLevel", - "documentation": "The log level to write to CloudWatch Logs." - }, - "Maintenance": { - "shape": "MaintenanceCreateSettings", - "locationName": "maintenance", - "documentation": "Maintenance settings for this channel." - }, - "Name": { - "shape": "__string", - "locationName": "name", - "documentation": "Name of channel." - }, - "RequestId": { - "shape": "__string", - "locationName": "requestId", - "documentation": "Unique request ID to be specified. This is needed to prevent retries from\ncreating multiple resources.", - "idempotencyToken": true - }, - "Reserved": { - "shape": "__string", - "locationName": "reserved", - "documentation": "Deprecated field that's only usable by whitelisted customers.", - "deprecated": true - }, - "RoleArn": { - "shape": "__string", - "locationName": "roleArn", - "documentation": "An optional Amazon Resource Name (ARN) of the role to assume when running the Channel." + "Algorithm": { + "shape": "AudioNormalizationAlgorithm", + "locationName": "algorithm", + "documentation": "Audio normalization algorithm to use. itu17701 conforms to the CALM Act specification, itu17702 conforms to the EBU R-128 specification." }, - "Tags": { - "shape": "Tags", - "locationName": "tags", - "documentation": "A collection of key-value pairs." + "AlgorithmControl": { + "shape": "AudioNormalizationAlgorithmControl", + "locationName": "algorithmControl", + "documentation": "When set to correctAudio the output audio is corrected using the chosen algorithm. If set to measureOnly, the audio will be measured but not adjusted." }, - "Vpc": { - "shape": "VpcOutputSettings", - "locationName": "vpc", - "documentation": "Settings for the VPC outputs" + "TargetLkfs": { + "shape": "__doubleMinNegative59Max0", + "locationName": "targetLkfs", + "documentation": "Target LKFS(loudness) to adjust volume to. If no value is entered, a default value will be used according to the chosen algorithm. The CALM Act (1770-1) recommends a target of -24 LKFS. The EBU R-128 specification (1770-2) recommends a target of -23 LKFS." } }, - "documentation": "Placeholder documentation for CreateChannel" + "documentation": "Audio Normalization Settings" }, - "CreateChannelRequest": { + "AudioOnlyHlsSegmentType": { + "type": "string", + "documentation": "Audio Only Hls Segment Type", + "enum": [ + "AAC", + "FMP4" + ] + }, + "AudioOnlyHlsSettings": { "type": "structure", "members": { - "CdiInputSpecification": { - "shape": "CdiInputSpecification", - "locationName": "cdiInputSpecification", - "documentation": "Specification of CDI inputs for this channel" - }, - "ChannelClass": { - "shape": "ChannelClass", - "locationName": "channelClass", - "documentation": "The class for this channel. STANDARD for a channel with two pipelines or SINGLE_PIPELINE for a channel with one pipeline." - }, - "Destinations": { - "shape": "__listOfOutputDestination", - "locationName": "destinations" - }, - "EncoderSettings": { - "shape": "EncoderSettings", - "locationName": "encoderSettings" - }, - "InputAttachments": { - "shape": "__listOfInputAttachment", - "locationName": "inputAttachments", - "documentation": "List of input attachments for channel." - }, - "InputSpecification": { - "shape": "InputSpecification", - "locationName": "inputSpecification", - "documentation": "Specification of network and file inputs for this channel" - }, - "LogLevel": { - "shape": "LogLevel", - "locationName": "logLevel", - "documentation": "The log level to write to CloudWatch Logs." - }, - "Maintenance": { - "shape": "MaintenanceCreateSettings", - "locationName": "maintenance", - "documentation": "Maintenance settings for this channel." - }, - "Name": { - "shape": "__string", - "locationName": "name", - "documentation": "Name of channel." - }, - "RequestId": { - "shape": "__string", - "locationName": "requestId", - "documentation": "Unique request ID to be specified. This is needed to prevent retries from\ncreating multiple resources.", - "idempotencyToken": true - }, - "Reserved": { + "AudioGroupId": { "shape": "__string", - "locationName": "reserved", - "documentation": "Deprecated field that's only usable by whitelisted customers.", - "deprecated": true + "locationName": "audioGroupId", + "documentation": "Specifies the group to which the audio Rendition belongs." }, - "RoleArn": { - "shape": "__string", - "locationName": "roleArn", - "documentation": "An optional Amazon Resource Name (ARN) of the role to assume when running the Channel." + "AudioOnlyImage": { + "shape": "InputLocation", + "locationName": "audioOnlyImage", + "documentation": "Optional. Specifies the .jpg or .png image to use as the cover art for an audio-only output. We recommend a low bit-size file because the image increases the output audio bandwidth.\n\nThe image is attached to the audio as an ID3 tag, frame type APIC, picture type 0x10, as per the \"ID3 tag version 2.4.0 - Native Frames\" standard." }, - "Tags": { - "shape": "Tags", - "locationName": "tags", - "documentation": "A collection of key-value pairs." + "AudioTrackType": { + "shape": "AudioOnlyHlsTrackType", + "locationName": "audioTrackType", + "documentation": "Four types of audio-only tracks are supported:\n\nAudio-Only Variant Stream\nThe client can play back this audio-only stream instead of video in low-bandwidth scenarios. Represented as an EXT-X-STREAM-INF in the HLS manifest.\n\nAlternate Audio, Auto Select, Default\nAlternate rendition that the client should try to play back by default. Represented as an EXT-X-MEDIA in the HLS manifest with DEFAULT=YES, AUTOSELECT=YES\n\nAlternate Audio, Auto Select, Not Default\nAlternate rendition that the client may try to play back by default. Represented as an EXT-X-MEDIA in the HLS manifest with DEFAULT=NO, AUTOSELECT=YES\n\nAlternate Audio, not Auto Select\nAlternate rendition that the client will not try to play back by default. Represented as an EXT-X-MEDIA in the HLS manifest with DEFAULT=NO, AUTOSELECT=NO" }, - "Vpc": { - "shape": "VpcOutputSettings", - "locationName": "vpc", - "documentation": "Settings for the VPC outputs" + "SegmentType": { + "shape": "AudioOnlyHlsSegmentType", + "locationName": "segmentType", + "documentation": "Specifies the segment type." } }, - "documentation": "A request to create a channel" + "documentation": "Audio Only Hls Settings" }, - "CreateChannelResponse": { + "AudioOnlyHlsTrackType": { + "type": "string", + "documentation": "Audio Only Hls Track Type", + "enum": [ + "ALTERNATE_AUDIO_AUTO_SELECT", + "ALTERNATE_AUDIO_AUTO_SELECT_DEFAULT", + "ALTERNATE_AUDIO_NOT_AUTO_SELECT", + "AUDIO_ONLY_VARIANT_STREAM" + ] + }, + "AudioPidSelection": { "type": "structure", "members": { - "Channel": { - "shape": "Channel", - "locationName": "channel" + "Pid": { + "shape": "__integerMin0Max8191", + "locationName": "pid", + "documentation": "Selects a specific PID from within a source." } }, - "documentation": "Placeholder documentation for CreateChannelResponse" + "documentation": "Audio Pid Selection", + "required": [ + "Pid" + ] }, - "CreateChannelResultModel": { + "AudioSelector": { "type": "structure", "members": { - "Channel": { - "shape": "Channel", - "locationName": "channel" + "Name": { + "shape": "__stringMin1", + "locationName": "name", + "documentation": "The name of this AudioSelector. AudioDescriptions will use this name to uniquely identify this Selector. Selector names should be unique per input." + }, + "SelectorSettings": { + "shape": "AudioSelectorSettings", + "locationName": "selectorSettings", + "documentation": "The audio selector settings." } }, - "documentation": "Placeholder documentation for CreateChannelResultModel" + "documentation": "Audio Selector", + "required": [ + "Name" + ] }, - "CreateInput": { + "AudioSelectorSettings": { "type": "structure", "members": { - "Destinations": { - "shape": "__listOfInputDestinationRequest", - "locationName": "destinations", - "documentation": "Destination settings for PUSH type inputs." + "AudioHlsRenditionSelection": { + "shape": "AudioHlsRenditionSelection", + "locationName": "audioHlsRenditionSelection" }, - "InputDevices": { - "shape": "__listOfInputDeviceSettings", - "locationName": "inputDevices", - "documentation": "Settings for the devices." - }, - "InputSecurityGroups": { - "shape": "__listOf__string", - "locationName": "inputSecurityGroups", - "documentation": "A list of security groups referenced by IDs to attach to the input." - }, - "MediaConnectFlows": { - "shape": "__listOfMediaConnectFlowRequest", - "locationName": "mediaConnectFlows", - "documentation": "A list of the MediaConnect Flows that you want to use in this input. You can specify as few as one\nFlow and presently, as many as two. The only requirement is when you have more than one is that each Flow is in a\nseparate Availability Zone as this ensures your EML input is redundant to AZ issues." - }, - "Name": { - "shape": "__string", - "locationName": "name", - "documentation": "Name of the input." - }, - "RequestId": { - "shape": "__string", - "locationName": "requestId", - "documentation": "Unique identifier of the request to ensure the request is handled\nexactly once in case of retries.", - "idempotencyToken": true - }, - "RoleArn": { - "shape": "__string", - "locationName": "roleArn", - "documentation": "The Amazon Resource Name (ARN) of the role this input assumes during and after creation." - }, - "Sources": { - "shape": "__listOfInputSourceRequest", - "locationName": "sources", - "documentation": "The source URLs for a PULL-type input. Every PULL type input needs\nexactly two source URLs for redundancy.\nOnly specify sources for PULL type Inputs. Leave Destinations empty." - }, - "Tags": { - "shape": "Tags", - "locationName": "tags", - "documentation": "A collection of key-value pairs." - }, - "Type": { - "shape": "InputType", - "locationName": "type" + "AudioLanguageSelection": { + "shape": "AudioLanguageSelection", + "locationName": "audioLanguageSelection" }, - "Vpc": { - "shape": "InputVpcRequest", - "locationName": "vpc" + "AudioPidSelection": { + "shape": "AudioPidSelection", + "locationName": "audioPidSelection" }, - "SrtSettings": { - "shape": "SrtSettingsRequest", - "locationName": "srtSettings", - "documentation": "The settings associated with an SRT input." + "AudioTrackSelection": { + "shape": "AudioTrackSelection", + "locationName": "audioTrackSelection" } }, - "documentation": "Placeholder documentation for CreateInput" + "documentation": "Audio Selector Settings" }, - "CreateInputRequest": { + "AudioSilenceFailoverSettings": { "type": "structure", "members": { - "Destinations": { - "shape": "__listOfInputDestinationRequest", - "locationName": "destinations", - "documentation": "Destination settings for PUSH type inputs." - }, - "InputDevices": { - "shape": "__listOfInputDeviceSettings", - "locationName": "inputDevices", - "documentation": "Settings for the devices." - }, - "InputSecurityGroups": { - "shape": "__listOf__string", - "locationName": "inputSecurityGroups", - "documentation": "A list of security groups referenced by IDs to attach to the input." - }, - "MediaConnectFlows": { - "shape": "__listOfMediaConnectFlowRequest", - "locationName": "mediaConnectFlows", - "documentation": "A list of the MediaConnect Flows that you want to use in this input. You can specify as few as one\nFlow and presently, as many as two. The only requirement is when you have more than one is that each Flow is in a\nseparate Availability Zone as this ensures your EML input is redundant to AZ issues." - }, - "Name": { - "shape": "__string", - "locationName": "name", - "documentation": "Name of the input." - }, - "RequestId": { - "shape": "__string", - "locationName": "requestId", - "documentation": "Unique identifier of the request to ensure the request is handled\nexactly once in case of retries.", - "idempotencyToken": true - }, - "RoleArn": { + "AudioSelectorName": { "shape": "__string", - "locationName": "roleArn", - "documentation": "The Amazon Resource Name (ARN) of the role this input assumes during and after creation." - }, - "Sources": { - "shape": "__listOfInputSourceRequest", - "locationName": "sources", - "documentation": "The source URLs for a PULL-type input. Every PULL type input needs\nexactly two source URLs for redundancy.\nOnly specify sources for PULL type Inputs. Leave Destinations empty." - }, - "Tags": { - "shape": "Tags", - "locationName": "tags", - "documentation": "A collection of key-value pairs." - }, - "Type": { - "shape": "InputType", - "locationName": "type" - }, - "Vpc": { - "shape": "InputVpcRequest", - "locationName": "vpc" + "locationName": "audioSelectorName", + "documentation": "The name of the audio selector in the input that MediaLive should monitor to detect silence. Select your most important rendition. If you didn't create an audio selector in this input, leave blank." }, - "SrtSettings": { - "shape": "SrtSettingsRequest", - "locationName": "srtSettings", - "documentation": "The settings associated with an SRT input." + "AudioSilenceThresholdMsec": { + "shape": "__integerMin1000", + "locationName": "audioSilenceThresholdMsec", + "documentation": "The amount of time (in milliseconds) that the active input must be silent before automatic input failover occurs. Silence is defined as audio loss or audio quieter than -50 dBFS." } }, - "documentation": "The name of the input" + "required": [ + "AudioSelectorName" + ], + "documentation": "Placeholder documentation for AudioSilenceFailoverSettings" }, - "CreateInputResponse": { + "AudioTrack": { "type": "structure", "members": { - "Input": { - "shape": "Input", - "locationName": "input" + "Track": { + "shape": "__integerMin1", + "locationName": "track", + "documentation": "1-based integer value that maps to a specific audio track" } }, - "documentation": "Placeholder documentation for CreateInputResponse" + "documentation": "Audio Track", + "required": [ + "Track" + ] }, - "CreateInputResultModel": { + "AudioTrackSelection": { "type": "structure", "members": { - "Input": { - "shape": "Input", - "locationName": "input" + "Tracks": { + "shape": "__listOfAudioTrack", + "locationName": "tracks", + "documentation": "Selects one or more unique audio tracks from within a source." + }, + "DolbyEDecode": { + "shape": "AudioDolbyEDecode", + "locationName": "dolbyEDecode", + "documentation": "Configure decoding options for Dolby E streams - these should be Dolby E frames carried in PCM streams tagged with SMPTE-337" } }, - "documentation": "Placeholder documentation for CreateInputResultModel" + "documentation": "Audio Track Selection", + "required": [ + "Tracks" + ] }, - "CreateInputSecurityGroupRequest": { + "AudioType": { + "type": "string", + "documentation": "Audio Type", + "enum": [ + "CLEAN_EFFECTS", + "HEARING_IMPAIRED", + "UNDEFINED", + "VISUAL_IMPAIRED_COMMENTARY" + ] + }, + "AudioWatermarkSettings": { "type": "structure", "members": { - "Tags": { - "shape": "Tags", - "locationName": "tags", - "documentation": "A collection of key-value pairs." - }, - "WhitelistRules": { - "shape": "__listOfInputWhitelistRuleCidr", - "locationName": "whitelistRules", - "documentation": "List of IPv4 CIDR addresses to whitelist" + "NielsenWatermarksSettings": { + "shape": "NielsenWatermarksSettings", + "locationName": "nielsenWatermarksSettings", + "documentation": "Settings to configure Nielsen Watermarks in the audio encode" } }, - "documentation": "The IPv4 CIDRs to whitelist for this Input Security Group" + "documentation": "Audio Watermark Settings" }, - "CreateInputSecurityGroupResponse": { + "AuthenticationScheme": { + "type": "string", + "documentation": "Authentication Scheme", + "enum": [ + "AKAMAI", + "COMMON" + ] + }, + "AutomaticInputFailoverSettings": { "type": "structure", "members": { - "SecurityGroup": { - "shape": "InputSecurityGroup", - "locationName": "securityGroup" + "ErrorClearTimeMsec": { + "shape": "__integerMin1", + "locationName": "errorClearTimeMsec", + "documentation": "This clear time defines the requirement a recovered input must meet to be considered healthy. The input must have no failover conditions for this length of time. Enter a time in milliseconds. This value is particularly important if the input_preference for the failover pair is set to PRIMARY_INPUT_PREFERRED, because after this time, MediaLive will switch back to the primary input." + }, + "FailoverConditions": { + "shape": "__listOfFailoverCondition", + "locationName": "failoverConditions", + "documentation": "A list of failover conditions. If any of these conditions occur, MediaLive will perform a failover to the other input." + }, + "InputPreference": { + "shape": "InputPreference", + "locationName": "inputPreference", + "documentation": "Input preference when deciding which input to make active when a previously failed input has recovered." + }, + "SecondaryInputId": { + "shape": "__string", + "locationName": "secondaryInputId", + "documentation": "The input ID of the secondary input in the automatic input failover pair." } }, - "documentation": "Placeholder documentation for CreateInputSecurityGroupResponse" + "documentation": "The settings for Automatic Input Failover.", + "required": [ + "SecondaryInputId" + ] }, - "CreateInputSecurityGroupResultModel": { + "AvailBlanking": { "type": "structure", "members": { - "SecurityGroup": { - "shape": "InputSecurityGroup", - "locationName": "securityGroup" + "AvailBlankingImage": { + "shape": "InputLocation", + "locationName": "availBlankingImage", + "documentation": "Blanking image to be used. Leave empty for solid black. Only bmp and png images are supported." + }, + "State": { + "shape": "AvailBlankingState", + "locationName": "state", + "documentation": "When set to enabled, causes video, audio and captions to be blanked when insertion metadata is added." } }, - "documentation": "Placeholder documentation for CreateInputSecurityGroupResultModel" + "documentation": "Avail Blanking" }, - "CreateMultiplex": { + "AvailBlankingState": { + "type": "string", + "documentation": "Avail Blanking State", + "enum": [ + "DISABLED", + "ENABLED" + ] + }, + "AvailConfiguration": { "type": "structure", "members": { - "AvailabilityZones": { - "shape": "__listOf__string", - "locationName": "availabilityZones", - "documentation": "A list of availability zones for the multiplex. You must specify exactly two." - }, - "MultiplexSettings": { - "shape": "MultiplexSettings", - "locationName": "multiplexSettings", - "documentation": "Configuration for a multiplex event." - }, - "Name": { - "shape": "__string", - "locationName": "name", - "documentation": "Name of multiplex." - }, - "RequestId": { - "shape": "__string", - "locationName": "requestId", - "documentation": "Unique request ID. This prevents retries from creating multiple\nresources.", - "idempotencyToken": true + "AvailSettings": { + "shape": "AvailSettings", + "locationName": "availSettings", + "documentation": "Controls how SCTE-35 messages create cues. Splice Insert mode treats all segmentation signals traditionally. With Time Signal APOS mode only Time Signal Placement Opportunity and Break messages create segment breaks. With ESAM mode, signals are forwarded to an ESAM server for possible update." }, - "Tags": { - "shape": "Tags", - "locationName": "tags", - "documentation": "A collection of key-value pairs." + "Scte35SegmentationScope": { + "shape": "Scte35SegmentationScope", + "locationName": "scte35SegmentationScope", + "documentation": "Configures whether SCTE 35 passthrough triggers segment breaks in all output groups that use segmented outputs. Insertion of a SCTE 35 message typically results in a segment break, in addition to the regular cadence of breaks. The segment breaks appear in video outputs, audio outputs, and captions outputs (if any).\n\nALL_OUTPUT_GROUPS: Default. Insert the segment break in in all output groups that have segmented outputs. This is the legacy behavior.\nSCTE35_ENABLED_OUTPUT_GROUPS: Insert the segment break only in output groups that have SCTE 35 passthrough enabled. This is the recommended value, because it reduces unnecessary segment breaks." } }, - "required": [ - "RequestId", - "MultiplexSettings", - "AvailabilityZones", - "Name" - ], - "documentation": "Placeholder documentation for CreateMultiplex" + "documentation": "Avail Configuration" }, - "CreateMultiplexProgram": { + "AvailSettings": { "type": "structure", "members": { - "MultiplexProgramSettings": { - "shape": "MultiplexProgramSettings", - "locationName": "multiplexProgramSettings", - "documentation": "The settings for this multiplex program." + "Esam": { + "shape": "Esam", + "locationName": "esam" }, - "ProgramName": { - "shape": "__string", - "locationName": "programName", - "documentation": "Name of multiplex program." + "Scte35SpliceInsert": { + "shape": "Scte35SpliceInsert", + "locationName": "scte35SpliceInsert" }, - "RequestId": { - "shape": "__string", - "locationName": "requestId", - "documentation": "Unique request ID. This prevents retries from creating multiple\nresources.", - "idempotencyToken": true + "Scte35TimeSignalApos": { + "shape": "Scte35TimeSignalApos", + "locationName": "scte35TimeSignalApos" } }, - "required": [ - "RequestId", - "MultiplexProgramSettings", - "ProgramName" - ], - "documentation": "Placeholder documentation for CreateMultiplexProgram" + "documentation": "Avail Settings" }, - "CreateMultiplexProgramRequest": { + "BadGatewayException": { "type": "structure", "members": { - "MultiplexId": { - "shape": "__string", - "location": "uri", - "locationName": "multiplexId", - "documentation": "ID of the multiplex where the program is to be created." - }, - "MultiplexProgramSettings": { - "shape": "MultiplexProgramSettings", - "locationName": "multiplexProgramSettings", - "documentation": "The settings for this multiplex program." - }, - "ProgramName": { - "shape": "__string", - "locationName": "programName", - "documentation": "Name of multiplex program." - }, - "RequestId": { + "Message": { "shape": "__string", - "locationName": "requestId", - "documentation": "Unique request ID. This prevents retries from creating multiple\nresources.", - "idempotencyToken": true + "locationName": "message" } }, - "documentation": "A request to create a program in a multiplex.", - "required": [ - "MultiplexId", - "RequestId", - "MultiplexProgramSettings", - "ProgramName" - ] + "exception": true, + "error": { + "httpStatusCode": 502 + }, + "documentation": "Placeholder documentation for BadGatewayException" }, - "CreateMultiplexProgramResponse": { + "BadRequestException": { "type": "structure", "members": { - "MultiplexProgram": { - "shape": "MultiplexProgram", - "locationName": "multiplexProgram", - "documentation": "The newly created multiplex program." + "Message": { + "shape": "__string", + "locationName": "message" } }, - "documentation": "Placeholder documentation for CreateMultiplexProgramResponse" + "exception": true, + "error": { + "httpStatusCode": 400 + }, + "documentation": "Placeholder documentation for BadRequestException" }, - "CreateMultiplexProgramResultModel": { + "BatchDelete": { "type": "structure", "members": { - "MultiplexProgram": { - "shape": "MultiplexProgram", - "locationName": "multiplexProgram", - "documentation": "The newly created multiplex program." + "ChannelIds": { + "shape": "__listOf__string", + "locationName": "channelIds", + "documentation": "List of channel IDs" + }, + "InputIds": { + "shape": "__listOf__string", + "locationName": "inputIds", + "documentation": "List of input IDs" + }, + "InputSecurityGroupIds": { + "shape": "__listOf__string", + "locationName": "inputSecurityGroupIds", + "documentation": "List of input security group IDs" + }, + "MultiplexIds": { + "shape": "__listOf__string", + "locationName": "multiplexIds", + "documentation": "List of multiplex IDs" } }, - "documentation": "Placeholder documentation for CreateMultiplexProgramResultModel" + "documentation": "Batch delete resource request" }, - "CreateMultiplexRequest": { + "BatchDeleteRequest": { "type": "structure", "members": { - "AvailabilityZones": { + "ChannelIds": { "shape": "__listOf__string", - "locationName": "availabilityZones", - "documentation": "A list of availability zones for the multiplex. You must specify exactly two." - }, - "MultiplexSettings": { - "shape": "MultiplexSettings", - "locationName": "multiplexSettings", - "documentation": "Configuration for a multiplex event." + "locationName": "channelIds", + "documentation": "List of channel IDs" }, - "Name": { - "shape": "__string", - "locationName": "name", - "documentation": "Name of multiplex." + "InputIds": { + "shape": "__listOf__string", + "locationName": "inputIds", + "documentation": "List of input IDs" }, - "RequestId": { - "shape": "__string", - "locationName": "requestId", - "documentation": "Unique request ID. This prevents retries from creating multiple\nresources.", - "idempotencyToken": true + "InputSecurityGroupIds": { + "shape": "__listOf__string", + "locationName": "inputSecurityGroupIds", + "documentation": "List of input security group IDs" }, - "Tags": { - "shape": "Tags", - "locationName": "tags", - "documentation": "A collection of key-value pairs." + "MultiplexIds": { + "shape": "__listOf__string", + "locationName": "multiplexIds", + "documentation": "List of multiplex IDs" } }, - "documentation": "A request to create a multiplex.", - "required": [ - "RequestId", - "MultiplexSettings", - "AvailabilityZones", - "Name" - ] + "documentation": "A request to delete resources" }, - "CreateMultiplexResponse": { + "BatchDeleteResponse": { "type": "structure", "members": { - "Multiplex": { - "shape": "Multiplex", - "locationName": "multiplex", - "documentation": "The newly created multiplex." + "Failed": { + "shape": "__listOfBatchFailedResultModel", + "locationName": "failed", + "documentation": "List of failed operations" + }, + "Successful": { + "shape": "__listOfBatchSuccessfulResultModel", + "locationName": "successful", + "documentation": "List of successful operations" } }, - "documentation": "Placeholder documentation for CreateMultiplexResponse" + "documentation": "Placeholder documentation for BatchDeleteResponse" }, - "CreateMultiplexResultModel": { + "BatchDeleteResultModel": { "type": "structure", "members": { - "Multiplex": { - "shape": "Multiplex", - "locationName": "multiplex", - "documentation": "The newly created multiplex." + "Failed": { + "shape": "__listOfBatchFailedResultModel", + "locationName": "failed", + "documentation": "List of failed operations" + }, + "Successful": { + "shape": "__listOfBatchSuccessfulResultModel", + "locationName": "successful", + "documentation": "List of successful operations" } }, - "documentation": "Placeholder documentation for CreateMultiplexResultModel" + "documentation": "Batch delete resource results" }, - "CreatePartnerInput": { + "BatchFailedResultModel": { "type": "structure", "members": { - "RequestId": { + "Arn": { "shape": "__string", - "locationName": "requestId", - "documentation": "Unique identifier of the request to ensure the request is handled\nexactly once in case of retries.", - "idempotencyToken": true + "locationName": "arn", + "documentation": "ARN of the resource" }, - "Tags": { - "shape": "Tags", - "locationName": "tags", - "documentation": "A collection of key-value pairs." + "Code": { + "shape": "__string", + "locationName": "code", + "documentation": "Error code for the failed operation" + }, + "Id": { + "shape": "__string", + "locationName": "id", + "documentation": "ID of the resource" + }, + "Message": { + "shape": "__string", + "locationName": "message", + "documentation": "Error message for the failed operation" } }, - "documentation": "Placeholder documentation for CreatePartnerInput" + "documentation": "Details from a failed operation" }, - "CreatePartnerInputRequest": { + "BatchScheduleActionCreateRequest": { "type": "structure", "members": { - "InputId": { - "shape": "__string", - "location": "uri", - "locationName": "inputId", - "documentation": "Unique ID of the input." - }, - "RequestId": { - "shape": "__string", - "locationName": "requestId", - "documentation": "Unique identifier of the request to ensure the request is handled\nexactly once in case of retries.", - "idempotencyToken": true - }, - "Tags": { - "shape": "Tags", - "locationName": "tags", - "documentation": "A collection of key-value pairs." + "ScheduleActions": { + "shape": "__listOfScheduleAction", + "locationName": "scheduleActions", + "documentation": "A list of schedule actions to create." } }, - "documentation": "A request to create a partner input", + "documentation": "A list of schedule actions to create (in a request) or that have been created (in a response).", "required": [ - "InputId" + "ScheduleActions" ] }, - "CreatePartnerInputResponse": { - "type": "structure", - "members": { - "Input": { - "shape": "Input", - "locationName": "input" - } - }, - "documentation": "Placeholder documentation for CreatePartnerInputResponse" - }, - "CreatePartnerInputResultModel": { + "BatchScheduleActionCreateResult": { "type": "structure", "members": { - "Input": { - "shape": "Input", - "locationName": "input" + "ScheduleActions": { + "shape": "__listOfScheduleAction", + "locationName": "scheduleActions", + "documentation": "List of actions that have been created in the schedule." } }, - "documentation": "Placeholder documentation for CreatePartnerInputResultModel" + "documentation": "List of actions that have been created in the schedule.", + "required": [ + "ScheduleActions" + ] }, - "CreateTagsRequest": { + "BatchScheduleActionDeleteRequest": { "type": "structure", "members": { - "ResourceArn": { - "shape": "__string", - "location": "uri", - "locationName": "resource-arn" - }, - "Tags": { - "shape": "Tags", - "locationName": "tags" + "ActionNames": { + "shape": "__listOf__string", + "locationName": "actionNames", + "documentation": "A list of schedule actions to delete." } }, + "documentation": "A list of schedule actions to delete.", "required": [ - "ResourceArn" - ], - "documentation": "Placeholder documentation for CreateTagsRequest" + "ActionNames" + ] }, - "DeleteChannelRequest": { + "BatchScheduleActionDeleteResult": { "type": "structure", "members": { - "ChannelId": { - "shape": "__string", - "location": "uri", - "locationName": "channelId", - "documentation": "Unique ID of the channel." + "ScheduleActions": { + "shape": "__listOfScheduleAction", + "locationName": "scheduleActions", + "documentation": "List of actions that have been deleted from the schedule." } }, + "documentation": "List of actions that have been deleted from the schedule.", "required": [ - "ChannelId" - ], - "documentation": "Placeholder documentation for DeleteChannelRequest" + "ScheduleActions" + ] }, - "DeleteChannelResponse": { + "BatchStart": { "type": "structure", "members": { - "Arn": { - "shape": "__string", - "locationName": "arn", - "documentation": "The unique arn of the channel." - }, - "CdiInputSpecification": { - "shape": "CdiInputSpecification", - "locationName": "cdiInputSpecification", - "documentation": "Specification of CDI inputs for this channel" - }, - "ChannelClass": { - "shape": "ChannelClass", - "locationName": "channelClass", - "documentation": "The class for this channel. STANDARD for a channel with two pipelines or SINGLE_PIPELINE for a channel with one pipeline." - }, - "Destinations": { - "shape": "__listOfOutputDestination", - "locationName": "destinations", - "documentation": "A list of destinations of the channel. For UDP outputs, there is one\ndestination per output. For other types (HLS, for example), there is\none destination per packager." - }, - "EgressEndpoints": { - "shape": "__listOfChannelEgressEndpoint", - "locationName": "egressEndpoints", - "documentation": "The endpoints where outgoing connections initiate from" - }, - "EncoderSettings": { - "shape": "EncoderSettings", - "locationName": "encoderSettings" - }, - "Id": { - "shape": "__string", - "locationName": "id", - "documentation": "The unique id of the channel." - }, - "InputAttachments": { - "shape": "__listOfInputAttachment", - "locationName": "inputAttachments", - "documentation": "List of input attachments for channel." - }, - "InputSpecification": { - "shape": "InputSpecification", - "locationName": "inputSpecification", - "documentation": "Specification of network and file inputs for this channel" - }, - "LogLevel": { - "shape": "LogLevel", - "locationName": "logLevel", - "documentation": "The log level being written to CloudWatch Logs." - }, - "Maintenance": { - "shape": "MaintenanceStatus", - "locationName": "maintenance", - "documentation": "Maintenance settings for this channel." - }, - "Name": { - "shape": "__string", - "locationName": "name", - "documentation": "The name of the channel. (user-mutable)" - }, - "PipelineDetails": { - "shape": "__listOfPipelineDetail", - "locationName": "pipelineDetails", - "documentation": "Runtime details for the pipelines of a running channel." - }, - "PipelinesRunningCount": { - "shape": "__integer", - "locationName": "pipelinesRunningCount", - "documentation": "The number of currently healthy pipelines." - }, - "RoleArn": { - "shape": "__string", - "locationName": "roleArn", - "documentation": "The Amazon Resource Name (ARN) of the role assumed when running the Channel." - }, - "State": { - "shape": "ChannelState", - "locationName": "state" - }, - "Tags": { - "shape": "Tags", - "locationName": "tags", - "documentation": "A collection of key-value pairs." + "ChannelIds": { + "shape": "__listOf__string", + "locationName": "channelIds", + "documentation": "List of channel IDs" }, - "Vpc": { - "shape": "VpcOutputSettingsDescription", - "locationName": "vpc", - "documentation": "Settings for VPC output" + "MultiplexIds": { + "shape": "__listOf__string", + "locationName": "multiplexIds", + "documentation": "List of multiplex IDs" } }, - "documentation": "Placeholder documentation for DeleteChannelResponse" + "documentation": "Batch start resource request" }, - "DeleteInputRequest": { + "BatchStartRequest": { "type": "structure", "members": { - "InputId": { - "shape": "__string", - "location": "uri", - "locationName": "inputId", - "documentation": "Unique ID of the input" + "ChannelIds": { + "shape": "__listOf__string", + "locationName": "channelIds", + "documentation": "List of channel IDs" + }, + "MultiplexIds": { + "shape": "__listOf__string", + "locationName": "multiplexIds", + "documentation": "List of multiplex IDs" } }, - "required": [ - "InputId" - ], - "documentation": "Placeholder documentation for DeleteInputRequest" + "documentation": "A request to start resources" }, - "DeleteInputResponse": { + "BatchStartResponse": { "type": "structure", "members": { + "Failed": { + "shape": "__listOfBatchFailedResultModel", + "locationName": "failed", + "documentation": "List of failed operations" + }, + "Successful": { + "shape": "__listOfBatchSuccessfulResultModel", + "locationName": "successful", + "documentation": "List of successful operations" + } }, - "documentation": "Placeholder documentation for DeleteInputResponse" + "documentation": "Placeholder documentation for BatchStartResponse" }, - "DeleteInputSecurityGroupRequest": { + "BatchStartResultModel": { "type": "structure", "members": { - "InputSecurityGroupId": { - "shape": "__string", - "location": "uri", - "locationName": "inputSecurityGroupId", - "documentation": "The Input Security Group to delete" + "Failed": { + "shape": "__listOfBatchFailedResultModel", + "locationName": "failed", + "documentation": "List of failed operations" + }, + "Successful": { + "shape": "__listOfBatchSuccessfulResultModel", + "locationName": "successful", + "documentation": "List of successful operations" } }, - "required": [ - "InputSecurityGroupId" - ], - "documentation": "Placeholder documentation for DeleteInputSecurityGroupRequest" + "documentation": "Batch start resource results" }, - "DeleteInputSecurityGroupResponse": { + "BatchStop": { "type": "structure", "members": { + "ChannelIds": { + "shape": "__listOf__string", + "locationName": "channelIds", + "documentation": "List of channel IDs" + }, + "MultiplexIds": { + "shape": "__listOf__string", + "locationName": "multiplexIds", + "documentation": "List of multiplex IDs" + } }, - "documentation": "Placeholder documentation for DeleteInputSecurityGroupResponse" + "documentation": "Batch stop resource request" }, - "DeleteMultiplexProgramRequest": { + "BatchStopRequest": { "type": "structure", "members": { - "MultiplexId": { - "shape": "__string", - "location": "uri", - "locationName": "multiplexId", - "documentation": "The ID of the multiplex that the program belongs to." + "ChannelIds": { + "shape": "__listOf__string", + "locationName": "channelIds", + "documentation": "List of channel IDs" }, - "ProgramName": { - "shape": "__string", - "location": "uri", - "locationName": "programName", - "documentation": "The multiplex program name." + "MultiplexIds": { + "shape": "__listOf__string", + "locationName": "multiplexIds", + "documentation": "List of multiplex IDs" } }, - "required": [ - "MultiplexId", - "ProgramName" - ], - "documentation": "Placeholder documentation for DeleteMultiplexProgramRequest" + "documentation": "A request to stop resources" }, - "DeleteMultiplexProgramResponse": { + "BatchStopResponse": { "type": "structure", "members": { - "ChannelId": { - "shape": "__string", - "locationName": "channelId", - "documentation": "The MediaLive channel associated with the program." - }, - "MultiplexProgramSettings": { - "shape": "MultiplexProgramSettings", - "locationName": "multiplexProgramSettings", - "documentation": "The settings for this multiplex program." - }, - "PacketIdentifiersMap": { - "shape": "MultiplexProgramPacketIdentifiersMap", - "locationName": "packetIdentifiersMap", - "documentation": "The packet identifier map for this multiplex program." - }, - "PipelineDetails": { - "shape": "__listOfMultiplexProgramPipelineDetail", - "locationName": "pipelineDetails", - "documentation": "Contains information about the current sources for the specified program in the specified multiplex. Keep in mind that each multiplex pipeline connects to both pipelines in a given source channel (the channel identified by the program). But only one of those channel pipelines is ever active at one time." + "Failed": { + "shape": "__listOfBatchFailedResultModel", + "locationName": "failed", + "documentation": "List of failed operations" }, - "ProgramName": { - "shape": "__string", - "locationName": "programName", - "documentation": "The name of the multiplex program." + "Successful": { + "shape": "__listOfBatchSuccessfulResultModel", + "locationName": "successful", + "documentation": "List of successful operations" } }, - "documentation": "Placeholder documentation for DeleteMultiplexProgramResponse" + "documentation": "Placeholder documentation for BatchStopResponse" }, - "DeleteMultiplexRequest": { + "BatchStopResultModel": { "type": "structure", "members": { - "MultiplexId": { - "shape": "__string", - "location": "uri", - "locationName": "multiplexId", - "documentation": "The ID of the multiplex." + "Failed": { + "shape": "__listOfBatchFailedResultModel", + "locationName": "failed", + "documentation": "List of failed operations" + }, + "Successful": { + "shape": "__listOfBatchSuccessfulResultModel", + "locationName": "successful", + "documentation": "List of successful operations" } }, - "required": [ - "MultiplexId" - ], - "documentation": "Placeholder documentation for DeleteMultiplexRequest" + "documentation": "Batch stop resource results" }, - "DeleteMultiplexResponse": { + "BatchSuccessfulResultModel": { "type": "structure", "members": { "Arn": { "shape": "__string", "locationName": "arn", - "documentation": "The unique arn of the multiplex." - }, - "AvailabilityZones": { - "shape": "__listOf__string", - "locationName": "availabilityZones", - "documentation": "A list of availability zones for the multiplex." - }, - "Destinations": { - "shape": "__listOfMultiplexOutputDestination", - "locationName": "destinations", - "documentation": "A list of the multiplex output destinations." + "documentation": "ARN of the resource" }, "Id": { "shape": "__string", "locationName": "id", - "documentation": "The unique id of the multiplex." - }, - "MultiplexSettings": { - "shape": "MultiplexSettings", - "locationName": "multiplexSettings", - "documentation": "Configuration for a multiplex event." - }, - "Name": { - "shape": "__string", - "locationName": "name", - "documentation": "The name of the multiplex." - }, - "PipelinesRunningCount": { - "shape": "__integer", - "locationName": "pipelinesRunningCount", - "documentation": "The number of currently healthy pipelines." - }, - "ProgramCount": { - "shape": "__integer", - "locationName": "programCount", - "documentation": "The number of programs in the multiplex." + "documentation": "ID of the resource" }, "State": { - "shape": "MultiplexState", + "shape": "__string", "locationName": "state", - "documentation": "The current state of the multiplex." - }, - "Tags": { - "shape": "Tags", - "locationName": "tags", - "documentation": "A collection of key-value pairs." + "documentation": "Current state of the resource" } }, - "documentation": "Placeholder documentation for DeleteMultiplexResponse" + "documentation": "Details from a successful operation" }, - "DeleteReservationRequest": { + "BatchUpdateScheduleRequest": { "type": "structure", "members": { - "ReservationId": { + "ChannelId": { "shape": "__string", "location": "uri", - "locationName": "reservationId", - "documentation": "Unique reservation ID, e.g. '1234567'" + "locationName": "channelId", + "documentation": "Id of the channel whose schedule is being updated." + }, + "Creates": { + "shape": "BatchScheduleActionCreateRequest", + "locationName": "creates", + "documentation": "Schedule actions to create in the schedule." + }, + "Deletes": { + "shape": "BatchScheduleActionDeleteRequest", + "locationName": "deletes", + "documentation": "Schedule actions to delete from the schedule." } }, + "documentation": "List of actions to create and list of actions to delete.", "required": [ - "ReservationId" - ], - "documentation": "Placeholder documentation for DeleteReservationRequest" + "ChannelId" + ] }, - "DeleteReservationResponse": { + "BatchUpdateScheduleResponse": { "type": "structure", "members": { - "Arn": { - "shape": "__string", - "locationName": "arn", - "documentation": "Unique reservation ARN, e.g. 'arn:aws:medialive:us-west-2:123456789012:reservation:1234567'" - }, - "Count": { - "shape": "__integer", - "locationName": "count", - "documentation": "Number of reserved resources" - }, - "CurrencyCode": { - "shape": "__string", - "locationName": "currencyCode", - "documentation": "Currency code for usagePrice and fixedPrice in ISO-4217 format, e.g. 'USD'" - }, - "Duration": { - "shape": "__integer", - "locationName": "duration", - "documentation": "Lease duration, e.g. '12'" - }, - "DurationUnits": { - "shape": "OfferingDurationUnits", - "locationName": "durationUnits", - "documentation": "Units for duration, e.g. 'MONTHS'" - }, - "End": { - "shape": "__string", - "locationName": "end", - "documentation": "Reservation UTC end date and time in ISO-8601 format, e.g. '2019-03-01T00:00:00'" - }, - "FixedPrice": { - "shape": "__double", - "locationName": "fixedPrice", - "documentation": "One-time charge for each reserved resource, e.g. '0.0' for a NO_UPFRONT offering" + "Creates": { + "shape": "BatchScheduleActionCreateResult", + "locationName": "creates", + "documentation": "Schedule actions created in the schedule." }, - "Name": { - "shape": "__string", - "locationName": "name", - "documentation": "User specified reservation name" + "Deletes": { + "shape": "BatchScheduleActionDeleteResult", + "locationName": "deletes", + "documentation": "Schedule actions deleted from the schedule." + } + }, + "documentation": "Placeholder documentation for BatchUpdateScheduleResponse" + }, + "BatchUpdateScheduleResult": { + "type": "structure", + "members": { + "Creates": { + "shape": "BatchScheduleActionCreateResult", + "locationName": "creates", + "documentation": "Schedule actions created in the schedule." }, - "OfferingDescription": { - "shape": "__string", - "locationName": "offeringDescription", - "documentation": "Offering description, e.g. 'HD AVC output at 10-20 Mbps, 30 fps, and standard VQ in US West (Oregon)'" + "Deletes": { + "shape": "BatchScheduleActionDeleteResult", + "locationName": "deletes", + "documentation": "Schedule actions deleted from the schedule." + } + }, + "documentation": "Results of a batch schedule update." + }, + "BlackoutSlate": { + "type": "structure", + "members": { + "BlackoutSlateImage": { + "shape": "InputLocation", + "locationName": "blackoutSlateImage", + "documentation": "Blackout slate image to be used. Leave empty for solid black. Only bmp and png images are supported." }, - "OfferingId": { - "shape": "__string", - "locationName": "offeringId", - "documentation": "Unique offering ID, e.g. '87654321'" + "NetworkEndBlackout": { + "shape": "BlackoutSlateNetworkEndBlackout", + "locationName": "networkEndBlackout", + "documentation": "Setting to enabled causes the encoder to blackout the video, audio, and captions, and raise the \"Network Blackout Image\" slate when an SCTE104/35 Network End Segmentation Descriptor is encountered. The blackout will be lifted when the Network Start Segmentation Descriptor is encountered. The Network End and Network Start descriptors must contain a network ID that matches the value entered in \"Network ID\"." }, - "OfferingType": { - "shape": "OfferingType", - "locationName": "offeringType", - "documentation": "Offering type, e.g. 'NO_UPFRONT'" + "NetworkEndBlackoutImage": { + "shape": "InputLocation", + "locationName": "networkEndBlackoutImage", + "documentation": "Path to local file to use as Network End Blackout image. Image will be scaled to fill the entire output raster." }, - "Region": { - "shape": "__string", - "locationName": "region", - "documentation": "AWS region, e.g. 'us-west-2'" + "NetworkId": { + "shape": "__stringMin34Max34", + "locationName": "networkId", + "documentation": "Provides Network ID that matches EIDR ID format (e.g., \"10.XXXX/XXXX-XXXX-XXXX-XXXX-XXXX-C\")." }, - "RenewalSettings": { - "shape": "RenewalSettings", - "locationName": "renewalSettings", - "documentation": "Renewal settings for the reservation" + "State": { + "shape": "BlackoutSlateState", + "locationName": "state", + "documentation": "When set to enabled, causes video, audio and captions to be blanked when indicated by program metadata." + } + }, + "documentation": "Blackout Slate" + }, + "BlackoutSlateNetworkEndBlackout": { + "type": "string", + "documentation": "Blackout Slate Network End Blackout", + "enum": [ + "DISABLED", + "ENABLED" + ] + }, + "BlackoutSlateState": { + "type": "string", + "documentation": "Blackout Slate State", + "enum": [ + "DISABLED", + "ENABLED" + ] + }, + "BurnInAlignment": { + "type": "string", + "documentation": "Burn In Alignment", + "enum": [ + "CENTERED", + "LEFT", + "SMART" + ] + }, + "BurnInBackgroundColor": { + "type": "string", + "documentation": "Burn In Background Color", + "enum": [ + "BLACK", + "NONE", + "WHITE" + ] + }, + "BurnInDestinationSettings": { + "type": "structure", + "members": { + "Alignment": { + "shape": "BurnInAlignment", + "locationName": "alignment", + "documentation": "If no explicit xPosition or yPosition is provided, setting alignment to centered will place the captions at the bottom center of the output. Similarly, setting a left alignment will align captions to the bottom left of the output. If x and y positions are given in conjunction with the alignment parameter, the font will be justified (either left or centered) relative to those coordinates. Selecting \"smart\" justification will left-justify live subtitles and center-justify pre-recorded subtitles. All burn-in and DVB-Sub font settings must match." }, - "ReservationId": { - "shape": "__string", - "locationName": "reservationId", - "documentation": "Unique reservation ID, e.g. '1234567'" + "BackgroundColor": { + "shape": "BurnInBackgroundColor", + "locationName": "backgroundColor", + "documentation": "Specifies the color of the rectangle behind the captions. All burn-in and DVB-Sub font settings must match." }, - "ResourceSpecification": { - "shape": "ReservationResourceSpecification", - "locationName": "resourceSpecification", - "documentation": "Resource configuration details" + "BackgroundOpacity": { + "shape": "__integerMin0Max255", + "locationName": "backgroundOpacity", + "documentation": "Specifies the opacity of the background rectangle. 255 is opaque; 0 is transparent. Leaving this parameter out is equivalent to setting it to 0 (transparent). All burn-in and DVB-Sub font settings must match." }, - "Start": { + "Font": { + "shape": "InputLocation", + "locationName": "font", + "documentation": "External font file used for caption burn-in. File extension must be 'ttf' or 'tte'. Although the user can select output fonts for many different types of input captions, embedded, STL and teletext sources use a strict grid system. Using external fonts with these caption sources could cause unexpected display of proportional fonts. All burn-in and DVB-Sub font settings must match." + }, + "FontColor": { + "shape": "BurnInFontColor", + "locationName": "fontColor", + "documentation": "Specifies the color of the burned-in captions. This option is not valid for source captions that are STL, 608/embedded or teletext. These source settings are already pre-defined by the caption stream. All burn-in and DVB-Sub font settings must match." + }, + "FontOpacity": { + "shape": "__integerMin0Max255", + "locationName": "fontOpacity", + "documentation": "Specifies the opacity of the burned-in captions. 255 is opaque; 0 is transparent. All burn-in and DVB-Sub font settings must match." + }, + "FontResolution": { + "shape": "__integerMin96Max600", + "locationName": "fontResolution", + "documentation": "Font resolution in DPI (dots per inch); default is 96 dpi. All burn-in and DVB-Sub font settings must match." + }, + "FontSize": { "shape": "__string", - "locationName": "start", - "documentation": "Reservation UTC start date and time in ISO-8601 format, e.g. '2018-03-01T00:00:00'" + "locationName": "fontSize", + "documentation": "When set to 'auto' fontSize will scale depending on the size of the output. Giving a positive integer will specify the exact font size in points. All burn-in and DVB-Sub font settings must match." }, - "State": { - "shape": "ReservationState", - "locationName": "state", - "documentation": "Current state of reservation, e.g. 'ACTIVE'" + "OutlineColor": { + "shape": "BurnInOutlineColor", + "locationName": "outlineColor", + "documentation": "Specifies font outline color. This option is not valid for source captions that are either 608/embedded or teletext. These source settings are already pre-defined by the caption stream. All burn-in and DVB-Sub font settings must match." }, - "Tags": { - "shape": "Tags", - "locationName": "tags", - "documentation": "A collection of key-value pairs" + "OutlineSize": { + "shape": "__integerMin0Max10", + "locationName": "outlineSize", + "documentation": "Specifies font outline size in pixels. This option is not valid for source captions that are either 608/embedded or teletext. These source settings are already pre-defined by the caption stream. All burn-in and DVB-Sub font settings must match." }, - "UsagePrice": { - "shape": "__double", - "locationName": "usagePrice", - "documentation": "Recurring usage charge for each reserved resource, e.g. '157.0'" + "ShadowColor": { + "shape": "BurnInShadowColor", + "locationName": "shadowColor", + "documentation": "Specifies the color of the shadow cast by the captions. All burn-in and DVB-Sub font settings must match." + }, + "ShadowOpacity": { + "shape": "__integerMin0Max255", + "locationName": "shadowOpacity", + "documentation": "Specifies the opacity of the shadow. 255 is opaque; 0 is transparent. Leaving this parameter out is equivalent to setting it to 0 (transparent). All burn-in and DVB-Sub font settings must match." + }, + "ShadowXOffset": { + "shape": "__integer", + "locationName": "shadowXOffset", + "documentation": "Specifies the horizontal offset of the shadow relative to the captions in pixels. A value of -2 would result in a shadow offset 2 pixels to the left. All burn-in and DVB-Sub font settings must match." + }, + "ShadowYOffset": { + "shape": "__integer", + "locationName": "shadowYOffset", + "documentation": "Specifies the vertical offset of the shadow relative to the captions in pixels. A value of -2 would result in a shadow offset 2 pixels above the text. All burn-in and DVB-Sub font settings must match." + }, + "TeletextGridControl": { + "shape": "BurnInTeletextGridControl", + "locationName": "teletextGridControl", + "documentation": "Controls whether a fixed grid size will be used to generate the output subtitles bitmap. Only applicable for Teletext inputs and DVB-Sub/Burn-in outputs." + }, + "XPosition": { + "shape": "__integerMin0", + "locationName": "xPosition", + "documentation": "Specifies the horizontal position of the caption relative to the left side of the output in pixels. A value of 10 would result in the captions starting 10 pixels from the left of the output. If no explicit xPosition is provided, the horizontal caption position will be determined by the alignment parameter. All burn-in and DVB-Sub font settings must match." + }, + "YPosition": { + "shape": "__integerMin0", + "locationName": "yPosition", + "documentation": "Specifies the vertical position of the caption relative to the top of the output in pixels. A value of 10 would result in the captions starting 10 pixels from the top of the output. If no explicit yPosition is provided, the caption will be positioned towards the bottom of the output. All burn-in and DVB-Sub font settings must match." } }, - "documentation": "Placeholder documentation for DeleteReservationResponse" + "documentation": "Burn In Destination Settings" }, - "DeleteScheduleRequest": { + "BurnInFontColor": { + "type": "string", + "documentation": "Burn In Font Color", + "enum": [ + "BLACK", + "BLUE", + "GREEN", + "RED", + "WHITE", + "YELLOW" + ] + }, + "BurnInOutlineColor": { + "type": "string", + "documentation": "Burn In Outline Color", + "enum": [ + "BLACK", + "BLUE", + "GREEN", + "RED", + "WHITE", + "YELLOW" + ] + }, + "BurnInShadowColor": { + "type": "string", + "documentation": "Burn In Shadow Color", + "enum": [ + "BLACK", + "NONE", + "WHITE" + ] + }, + "BurnInTeletextGridControl": { + "type": "string", + "documentation": "Burn In Teletext Grid Control", + "enum": [ + "FIXED", + "SCALED" + ] + }, + "CancelInputDeviceTransferRequest": { "type": "structure", "members": { - "ChannelId": { + "InputDeviceId": { "shape": "__string", "location": "uri", - "locationName": "channelId", - "documentation": "Id of the channel whose schedule is being deleted." + "locationName": "inputDeviceId", + "documentation": "The unique ID of the input device to cancel. For example, hd-123456789abcdef." } }, "required": [ - "ChannelId" + "InputDeviceId" ], - "documentation": "Placeholder documentation for DeleteScheduleRequest" + "documentation": "Placeholder documentation for CancelInputDeviceTransferRequest" }, - "DeleteScheduleResponse": { + "CancelInputDeviceTransferResponse": { "type": "structure", "members": { }, - "documentation": "Placeholder documentation for DeleteScheduleResponse" + "documentation": "Placeholder documentation for CancelInputDeviceTransferResponse" }, - "DeleteTagsRequest": { + "CaptionDescription": { "type": "structure", "members": { - "ResourceArn": { + "Accessibility": { + "shape": "AccessibilityType", + "locationName": "accessibility", + "documentation": "Indicates whether the caption track implements accessibility features such as written descriptions of spoken dialog, music, and sounds. This signaling is added to HLS output group and MediaPackage output group." + }, + "CaptionSelectorName": { "shape": "__string", - "location": "uri", - "locationName": "resource-arn" + "locationName": "captionSelectorName", + "documentation": "Specifies which input caption selector to use as a caption source when generating output captions. This field should match a captionSelector name." }, - "TagKeys": { - "shape": "__listOf__string", - "location": "querystring", - "locationName": "tagKeys", - "documentation": "An array of tag keys to delete" + "DestinationSettings": { + "shape": "CaptionDestinationSettings", + "locationName": "destinationSettings", + "documentation": "Additional settings for captions destination that depend on the destination type." + }, + "LanguageCode": { + "shape": "__string", + "locationName": "languageCode", + "documentation": "ISO 639-2 three-digit code: http://www.loc.gov/standards/iso639-2/" + }, + "LanguageDescription": { + "shape": "__string", + "locationName": "languageDescription", + "documentation": "Human readable information to indicate captions available for players (eg. English, or Spanish)." + }, + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "Name of the caption description. Used to associate a caption description with an output. Names must be unique within an event." + }, + "CaptionDashRoles": { + "shape": "__listOfDashRoleCaption", + "locationName": "captionDashRoles", + "documentation": "Identifies the DASH roles to assign to this captions output. Applies only when the captions output is configured for DVB DASH accessibility signaling." + }, + "DvbDashAccessibility": { + "shape": "DvbDashAccessibility", + "locationName": "dvbDashAccessibility", + "documentation": "Identifies DVB DASH accessibility signaling in this captions output. Used in Microsoft Smooth Streaming outputs to signal accessibility information to packagers." } }, + "documentation": "Caption Description", "required": [ - "TagKeys", - "ResourceArn" - ], - "documentation": "Placeholder documentation for DeleteTagsRequest" + "CaptionSelectorName", + "Name" + ] }, - "DescribeAccountConfigurationRequest": { + "CaptionDestinationSettings": { "type": "structure", "members": { + "AribDestinationSettings": { + "shape": "AribDestinationSettings", + "locationName": "aribDestinationSettings" + }, + "BurnInDestinationSettings": { + "shape": "BurnInDestinationSettings", + "locationName": "burnInDestinationSettings" + }, + "DvbSubDestinationSettings": { + "shape": "DvbSubDestinationSettings", + "locationName": "dvbSubDestinationSettings" + }, + "EbuTtDDestinationSettings": { + "shape": "EbuTtDDestinationSettings", + "locationName": "ebuTtDDestinationSettings" + }, + "EmbeddedDestinationSettings": { + "shape": "EmbeddedDestinationSettings", + "locationName": "embeddedDestinationSettings" + }, + "EmbeddedPlusScte20DestinationSettings": { + "shape": "EmbeddedPlusScte20DestinationSettings", + "locationName": "embeddedPlusScte20DestinationSettings" + }, + "RtmpCaptionInfoDestinationSettings": { + "shape": "RtmpCaptionInfoDestinationSettings", + "locationName": "rtmpCaptionInfoDestinationSettings" + }, + "Scte20PlusEmbeddedDestinationSettings": { + "shape": "Scte20PlusEmbeddedDestinationSettings", + "locationName": "scte20PlusEmbeddedDestinationSettings" + }, + "Scte27DestinationSettings": { + "shape": "Scte27DestinationSettings", + "locationName": "scte27DestinationSettings" + }, + "SmpteTtDestinationSettings": { + "shape": "SmpteTtDestinationSettings", + "locationName": "smpteTtDestinationSettings" + }, + "TeletextDestinationSettings": { + "shape": "TeletextDestinationSettings", + "locationName": "teletextDestinationSettings" + }, + "TtmlDestinationSettings": { + "shape": "TtmlDestinationSettings", + "locationName": "ttmlDestinationSettings" + }, + "WebvttDestinationSettings": { + "shape": "WebvttDestinationSettings", + "locationName": "webvttDestinationSettings" + } }, - "documentation": "Placeholder documentation for DescribeAccountConfigurationRequest" + "documentation": "Caption Destination Settings" }, - "DescribeAccountConfigurationResponse": { + "CaptionLanguageMapping": { "type": "structure", "members": { - "AccountConfiguration": { - "shape": "AccountConfiguration", - "locationName": "accountConfiguration" + "CaptionChannel": { + "shape": "__integerMin1Max4", + "locationName": "captionChannel", + "documentation": "The closed caption channel being described by this CaptionLanguageMapping. Each channel mapping must have a unique channel number (maximum of 4)" + }, + "LanguageCode": { + "shape": "__stringMin3Max3", + "locationName": "languageCode", + "documentation": "Three character ISO 639-2 language code (see http://www.loc.gov/standards/iso639-2)" + }, + "LanguageDescription": { + "shape": "__stringMin1", + "locationName": "languageDescription", + "documentation": "Textual description of language" } }, - "documentation": "Placeholder documentation for DescribeAccountConfigurationResponse" + "documentation": "Maps a caption channel to an ISO 693-2 language code (http://www.loc.gov/standards/iso639-2), with an optional description.", + "required": [ + "LanguageCode", + "LanguageDescription", + "CaptionChannel" + ] }, - "DescribeAccountConfigurationResultModel": { + "CaptionRectangle": { "type": "structure", "members": { - "AccountConfiguration": { - "shape": "AccountConfiguration", - "locationName": "accountConfiguration" + "Height": { + "shape": "__doubleMin0Max100", + "locationName": "height", + "documentation": "See the description in leftOffset.\nFor height, specify the entire height of the rectangle as a percentage of the underlying frame height. For example, \\\"80\\\" means the rectangle height is 80% of the underlying frame height. The topOffset and rectangleHeight must add up to 100% or less.\nThis field corresponds to tts:extent - Y in the TTML standard." + }, + "LeftOffset": { + "shape": "__doubleMin0Max100", + "locationName": "leftOffset", + "documentation": "Applies only if you plan to convert these source captions to EBU-TT-D or TTML in an output. (Make sure to leave the default if you don't have either of these formats in the output.) You can define a display rectangle for the captions that is smaller than the underlying video frame. You define the rectangle by specifying the position of the left edge, top edge, bottom edge, and right edge of the rectangle, all within the underlying video frame. The units for the measurements are percentages.\nIf you specify a value for one of these fields, you must specify a value for all of them.\nFor leftOffset, specify the position of the left edge of the rectangle, as a percentage of the underlying frame width, and relative to the left edge of the frame. For example, \\\"10\\\" means the measurement is 10% of the underlying frame width. The rectangle left edge starts at that position from the left edge of the frame.\nThis field corresponds to tts:origin - X in the TTML standard." + }, + "TopOffset": { + "shape": "__doubleMin0Max100", + "locationName": "topOffset", + "documentation": "See the description in leftOffset.\nFor topOffset, specify the position of the top edge of the rectangle, as a percentage of the underlying frame height, and relative to the top edge of the frame. For example, \\\"10\\\" means the measurement is 10% of the underlying frame height. The rectangle top edge starts at that position from the top edge of the frame.\nThis field corresponds to tts:origin - Y in the TTML standard." + }, + "Width": { + "shape": "__doubleMin0Max100", + "locationName": "width", + "documentation": "See the description in leftOffset.\nFor width, specify the entire width of the rectangle as a percentage of the underlying frame width. For example, \\\"80\\\" means the rectangle width is 80% of the underlying frame width. The leftOffset and rectangleWidth must add up to 100% or less.\nThis field corresponds to tts:extent - X in the TTML standard." } }, - "documentation": "The account's configuration." + "documentation": "Caption Rectangle", + "required": [ + "TopOffset", + "Height", + "Width", + "LeftOffset" + ] }, - "DescribeChannelRequest": { + "CaptionSelector": { "type": "structure", "members": { - "ChannelId": { + "LanguageCode": { "shape": "__string", - "location": "uri", - "locationName": "channelId", - "documentation": "channel ID" + "locationName": "languageCode", + "documentation": "When specified this field indicates the three letter language code of the caption track to extract from the source." + }, + "Name": { + "shape": "__stringMin1", + "locationName": "name", + "documentation": "Name identifier for a caption selector. This name is used to associate this caption selector with one or more caption descriptions. Names must be unique within an event." + }, + "SelectorSettings": { + "shape": "CaptionSelectorSettings", + "locationName": "selectorSettings", + "documentation": "Caption selector settings." } }, + "documentation": "Caption Selector", "required": [ - "ChannelId" - ], - "documentation": "Placeholder documentation for DescribeChannelRequest" + "Name" + ] }, - "DescribeChannelResponse": { + "CaptionSelectorSettings": { + "type": "structure", + "members": { + "AncillarySourceSettings": { + "shape": "AncillarySourceSettings", + "locationName": "ancillarySourceSettings" + }, + "AribSourceSettings": { + "shape": "AribSourceSettings", + "locationName": "aribSourceSettings" + }, + "DvbSubSourceSettings": { + "shape": "DvbSubSourceSettings", + "locationName": "dvbSubSourceSettings" + }, + "EmbeddedSourceSettings": { + "shape": "EmbeddedSourceSettings", + "locationName": "embeddedSourceSettings" + }, + "Scte20SourceSettings": { + "shape": "Scte20SourceSettings", + "locationName": "scte20SourceSettings" + }, + "Scte27SourceSettings": { + "shape": "Scte27SourceSettings", + "locationName": "scte27SourceSettings" + }, + "TeletextSourceSettings": { + "shape": "TeletextSourceSettings", + "locationName": "teletextSourceSettings" + } + }, + "documentation": "Caption Selector Settings" + }, + "CdiInputResolution": { + "type": "string", + "documentation": "Maximum CDI input resolution; SD is 480i and 576i up to 30 frames-per-second (fps), HD is 720p up to 60 fps / 1080i up to 30 fps, FHD is 1080p up to 60 fps, UHD is 2160p up to 60 fps", + "enum": [ + "SD", + "HD", + "FHD", + "UHD" + ] + }, + "CdiInputSpecification": { + "type": "structure", + "members": { + "Resolution": { + "shape": "CdiInputResolution", + "locationName": "resolution", + "documentation": "Maximum CDI input resolution" + } + }, + "documentation": "Placeholder documentation for CdiInputSpecification" + }, + "Channel": { "type": "structure", "members": { "Arn": { @@ -7406,9611 +7015,9479 @@ "shape": "VpcOutputSettingsDescription", "locationName": "vpc", "documentation": "Settings for VPC output" + }, + "AnywhereSettings": { + "shape": "DescribeAnywhereSettings", + "locationName": "anywhereSettings", + "documentation": "Anywhere settings for this channel." } }, - "documentation": "Placeholder documentation for DescribeChannelResponse" + "documentation": "Placeholder documentation for Channel" }, - "DescribeInputDeviceRequest": { + "ChannelClass": { + "type": "string", + "documentation": "A standard channel has two encoding pipelines and a single pipeline channel only has one.", + "enum": [ + "STANDARD", + "SINGLE_PIPELINE" + ] + }, + "ChannelConfigurationValidationError": { "type": "structure", "members": { - "InputDeviceId": { + "Message": { "shape": "__string", - "location": "uri", - "locationName": "inputDeviceId", - "documentation": "The unique ID of this input device. For example, hd-123456789abcdef." + "locationName": "message" + }, + "ValidationErrors": { + "shape": "__listOfValidationError", + "locationName": "validationErrors", + "documentation": "A collection of validation error responses." } }, - "required": [ - "InputDeviceId" + "documentation": "Placeholder documentation for ChannelConfigurationValidationError" + }, + "ChannelEgressEndpoint": { + "type": "structure", + "members": { + "SourceIp": { + "shape": "__string", + "locationName": "sourceIp", + "documentation": "Public IP of where a channel's output comes from" + } + }, + "documentation": "Placeholder documentation for ChannelEgressEndpoint" + }, + "ChannelState": { + "type": "string", + "enum": [ + "CREATING", + "CREATE_FAILED", + "IDLE", + "STARTING", + "RUNNING", + "RECOVERING", + "STOPPING", + "DELETING", + "DELETED", + "UPDATING", + "UPDATE_FAILED" ], - "documentation": "Placeholder documentation for DescribeInputDeviceRequest" + "documentation": "Placeholder documentation for ChannelState" }, - "DescribeInputDeviceResponse": { + "ChannelSummary": { "type": "structure", "members": { "Arn": { "shape": "__string", "locationName": "arn", - "documentation": "The unique ARN of the input device." + "documentation": "The unique arn of the channel." }, - "ConnectionState": { - "shape": "InputDeviceConnectionState", - "locationName": "connectionState", - "documentation": "The state of the connection between the input device and AWS." + "CdiInputSpecification": { + "shape": "CdiInputSpecification", + "locationName": "cdiInputSpecification", + "documentation": "Specification of CDI inputs for this channel" }, - "DeviceSettingsSyncState": { - "shape": "DeviceSettingsSyncState", - "locationName": "deviceSettingsSyncState", - "documentation": "The status of the action to synchronize the device configuration. If you change the configuration of the input device (for example, the maximum bitrate), MediaLive sends the new data to the device. The device might not update itself immediately. SYNCED means the device has updated its configuration. SYNCING means that it has not updated its configuration." + "ChannelClass": { + "shape": "ChannelClass", + "locationName": "channelClass", + "documentation": "The class for this channel. STANDARD for a channel with two pipelines or SINGLE_PIPELINE for a channel with one pipeline." }, - "DeviceUpdateStatus": { - "shape": "DeviceUpdateStatus", - "locationName": "deviceUpdateStatus", - "documentation": "The status of software on the input device." + "Destinations": { + "shape": "__listOfOutputDestination", + "locationName": "destinations", + "documentation": "A list of destinations of the channel. For UDP outputs, there is one\ndestination per output. For other types (HLS, for example), there is\none destination per packager." }, - "HdDeviceSettings": { - "shape": "InputDeviceHdSettings", - "locationName": "hdDeviceSettings", - "documentation": "Settings that describe an input device that is type HD." + "EgressEndpoints": { + "shape": "__listOfChannelEgressEndpoint", + "locationName": "egressEndpoints", + "documentation": "The endpoints where outgoing connections initiate from" }, "Id": { "shape": "__string", "locationName": "id", - "documentation": "The unique ID of the input device." + "documentation": "The unique id of the channel." }, - "MacAddress": { - "shape": "__string", - "locationName": "macAddress", - "documentation": "The network MAC address of the input device." + "InputAttachments": { + "shape": "__listOfInputAttachment", + "locationName": "inputAttachments", + "documentation": "List of input attachments for channel." + }, + "InputSpecification": { + "shape": "InputSpecification", + "locationName": "inputSpecification", + "documentation": "Specification of network and file inputs for this channel" + }, + "LogLevel": { + "shape": "LogLevel", + "locationName": "logLevel", + "documentation": "The log level being written to CloudWatch Logs." + }, + "Maintenance": { + "shape": "MaintenanceStatus", + "locationName": "maintenance", + "documentation": "Maintenance settings for this channel." }, "Name": { "shape": "__string", "locationName": "name", - "documentation": "A name that you specify for the input device." + "documentation": "The name of the channel. (user-mutable)" }, - "NetworkSettings": { - "shape": "InputDeviceNetworkSettings", - "locationName": "networkSettings", - "documentation": "The network settings for the input device." + "PipelinesRunningCount": { + "shape": "__integer", + "locationName": "pipelinesRunningCount", + "documentation": "The number of currently healthy pipelines." }, - "SerialNumber": { + "RoleArn": { "shape": "__string", - "locationName": "serialNumber", - "documentation": "The unique serial number of the input device." - }, - "Type": { - "shape": "InputDeviceType", - "locationName": "type", - "documentation": "The type of the input device." + "locationName": "roleArn", + "documentation": "The Amazon Resource Name (ARN) of the role assumed when running the Channel." }, - "UhdDeviceSettings": { - "shape": "InputDeviceUhdSettings", - "locationName": "uhdDeviceSettings", - "documentation": "Settings that describe an input device that is type UHD." + "State": { + "shape": "ChannelState", + "locationName": "state" }, "Tags": { "shape": "Tags", "locationName": "tags", "documentation": "A collection of key-value pairs." }, - "AvailabilityZone": { - "shape": "__string", - "locationName": "availabilityZone", - "documentation": "The Availability Zone associated with this input device." - }, - "MedialiveInputArns": { - "shape": "__listOf__string", - "locationName": "medialiveInputArns", - "documentation": "An array of the ARNs for the MediaLive inputs attached to the device. Returned only if the outputType is MEDIALIVE_INPUT." + "Vpc": { + "shape": "VpcOutputSettingsDescription", + "locationName": "vpc", + "documentation": "Settings for any VPC outputs." }, - "OutputType": { - "shape": "InputDeviceOutputType", - "locationName": "outputType", - "documentation": "The output attachment type of the input device. Specifies MEDIACONNECT_FLOW if this device is the source for a MediaConnect flow. Specifies MEDIALIVE_INPUT if this device is the source for a MediaLive input." + "AnywhereSettings": { + "shape": "DescribeAnywhereSettings", + "locationName": "anywhereSettings", + "documentation": "AnywhereSettings settings for this channel." } }, - "documentation": "Placeholder documentation for DescribeInputDeviceResponse" + "documentation": "Placeholder documentation for ChannelSummary" }, - "DescribeInputDeviceThumbnailRequest": { + "ClaimDeviceRequest": { "type": "structure", "members": { - "InputDeviceId": { + "Id": { "shape": "__string", - "location": "uri", - "locationName": "inputDeviceId", - "documentation": "The unique ID of this input device. For example, hd-123456789abcdef." - }, - "Accept": { - "shape": "AcceptHeader", - "location": "header", - "locationName": "accept", - "documentation": "The HTTP Accept header. Indicates the requested type for the thumbnail." + "locationName": "id", + "documentation": "The id of the device you want to claim." } }, - "required": [ - "InputDeviceId", - "Accept" - ], - "documentation": "Placeholder documentation for DescribeInputDeviceThumbnailRequest" + "documentation": "A request to claim an AWS Elemental device that you have purchased from a third-party vendor." }, - "DescribeInputDeviceThumbnailResponse": { + "ClaimDeviceResponse": { "type": "structure", "members": { - "Body": { - "shape": "InputDeviceThumbnail", - "locationName": "body", - "documentation": "The binary data for the thumbnail that the Link device has most recently sent to MediaLive." - }, - "ContentType": { - "shape": "ContentType", - "location": "header", - "locationName": "Content-Type", - "documentation": "Specifies the media type of the thumbnail." + }, + "documentation": "Placeholder documentation for ClaimDeviceResponse" + }, + "ColorCorrection": { + "type": "structure", + "members": { + "InputColorSpace": { + "shape": "ColorSpace", + "locationName": "inputColorSpace", + "documentation": "The color space of the input." }, - "ContentLength": { - "shape": "__long", - "location": "header", - "locationName": "Content-Length", - "documentation": "The length of the content." + "OutputColorSpace": { + "shape": "ColorSpace", + "locationName": "outputColorSpace", + "documentation": "The color space of the output." }, - "ETag": { + "Uri": { "shape": "__string", - "location": "header", - "locationName": "ETag", - "documentation": "The unique, cacheable version of this thumbnail." - }, - "LastModified": { - "shape": "__timestamp", - "location": "header", - "locationName": "Last-Modified", - "documentation": "The date and time the thumbnail was last updated at the device." + "locationName": "uri", + "documentation": "The URI of the 3D LUT file. The protocol must be 's3:' or 's3ssl:':." } }, - "documentation": "Placeholder documentation for DescribeInputDeviceThumbnailResponse", - "payload": "Body" + "documentation": "Property of ColorCorrectionSettings. Used for custom color space conversion. The object identifies one 3D LUT file and specifies the input/output color space combination that the file will be used for.", + "required": [ + "OutputColorSpace", + "InputColorSpace", + "Uri" + ] }, - "DescribeInputRequest": { + "ColorCorrectionSettings": { "type": "structure", "members": { - "InputId": { - "shape": "__string", - "location": "uri", - "locationName": "inputId", - "documentation": "Unique ID of the input" + "GlobalColorCorrections": { + "shape": "__listOfColorCorrection", + "locationName": "globalColorCorrections", + "documentation": "An array of colorCorrections that applies when you are using 3D LUT files to perform color conversion on video. Each colorCorrection contains one 3D LUT file (that defines the color mapping for converting an input color space to an output color space), and the input/output combination that this 3D LUT file applies to. MediaLive reads the color space in the input metadata, determines the color space that you have specified for the output, and finds and uses the LUT file that applies to this combination." } }, + "documentation": "Property of encoderSettings. Controls color conversion when you are using 3D LUT files to perform color conversion on video.", "required": [ - "InputId" - ], - "documentation": "Placeholder documentation for DescribeInputRequest" + "GlobalColorCorrections" + ] }, - "DescribeInputResponse": { + "ColorSpace": { + "type": "string", + "documentation": "Property of colorCorrections. When you are using 3D LUT files to perform color conversion on video, these are the supported color spaces.", + "enum": [ + "HDR10", + "HLG_2020", + "REC_601", + "REC_709" + ] + }, + "ColorSpacePassthroughSettings": { "type": "structure", "members": { - "Arn": { + }, + "documentation": "Passthrough applies no color space conversion to the output" + }, + "ConflictException": { + "type": "structure", + "members": { + "Message": { "shape": "__string", - "locationName": "arn", - "documentation": "The Unique ARN of the input (generated, immutable)." + "locationName": "message" + } + }, + "exception": true, + "error": { + "httpStatusCode": 409 + }, + "documentation": "Placeholder documentation for ConflictException" + }, + "CreateChannel": { + "type": "structure", + "members": { + "CdiInputSpecification": { + "shape": "CdiInputSpecification", + "locationName": "cdiInputSpecification", + "documentation": "Specification of CDI inputs for this channel" }, - "AttachedChannels": { - "shape": "__listOf__string", - "locationName": "attachedChannels", - "documentation": "A list of channel IDs that that input is attached to (currently an input can only be attached to one channel)." + "ChannelClass": { + "shape": "ChannelClass", + "locationName": "channelClass", + "documentation": "The class for this channel. STANDARD for a channel with two pipelines or SINGLE_PIPELINE for a channel with one pipeline." }, "Destinations": { - "shape": "__listOfInputDestination", - "locationName": "destinations", - "documentation": "A list of the destinations of the input (PUSH-type)." + "shape": "__listOfOutputDestination", + "locationName": "destinations" }, - "Id": { - "shape": "__string", - "locationName": "id", - "documentation": "The generated ID of the input (unique for user account, immutable)." + "EncoderSettings": { + "shape": "EncoderSettings", + "locationName": "encoderSettings" }, - "InputClass": { - "shape": "InputClass", - "locationName": "inputClass", - "documentation": "STANDARD - MediaLive expects two sources to be connected to this input. If the channel is also STANDARD, both sources will be ingested. If the channel is SINGLE_PIPELINE, only the first source will be ingested; the second source will always be ignored, even if the first source fails.\nSINGLE_PIPELINE - You can connect only one source to this input. If the ChannelClass is also SINGLE_PIPELINE, this value is valid. If the ChannelClass is STANDARD, this value is not valid because the channel requires two sources in the input." - }, - "InputDevices": { - "shape": "__listOfInputDeviceSettings", - "locationName": "inputDevices", - "documentation": "Settings for the input devices." + "InputAttachments": { + "shape": "__listOfInputAttachment", + "locationName": "inputAttachments", + "documentation": "List of input attachments for channel." }, - "InputPartnerIds": { - "shape": "__listOf__string", - "locationName": "inputPartnerIds", - "documentation": "A list of IDs for all Inputs which are partners of this one." + "InputSpecification": { + "shape": "InputSpecification", + "locationName": "inputSpecification", + "documentation": "Specification of network and file inputs for this channel" }, - "InputSourceType": { - "shape": "InputSourceType", - "locationName": "inputSourceType", - "documentation": "Certain pull input sources can be dynamic, meaning that they can have their URL's dynamically changes\nduring input switch actions. Presently, this functionality only works with MP4_FILE and TS_FILE inputs." + "LogLevel": { + "shape": "LogLevel", + "locationName": "logLevel", + "documentation": "The log level to write to CloudWatch Logs." }, - "MediaConnectFlows": { - "shape": "__listOfMediaConnectFlow", - "locationName": "mediaConnectFlows", - "documentation": "A list of MediaConnect Flows for this input." + "Maintenance": { + "shape": "MaintenanceCreateSettings", + "locationName": "maintenance", + "documentation": "Maintenance settings for this channel." }, "Name": { "shape": "__string", "locationName": "name", - "documentation": "The user-assigned name (This is a mutable value)." + "documentation": "Name of channel." }, - "RoleArn": { + "RequestId": { "shape": "__string", - "locationName": "roleArn", - "documentation": "The Amazon Resource Name (ARN) of the role this input assumes during and after creation." - }, - "SecurityGroups": { - "shape": "__listOf__string", - "locationName": "securityGroups", - "documentation": "A list of IDs for all the Input Security Groups attached to the input." + "locationName": "requestId", + "documentation": "Unique request ID to be specified. This is needed to prevent retries from\ncreating multiple resources.", + "idempotencyToken": true }, - "Sources": { - "shape": "__listOfInputSource", - "locationName": "sources", - "documentation": "A list of the sources of the input (PULL-type)." + "Reserved": { + "shape": "__string", + "locationName": "reserved", + "documentation": "Deprecated field that's only usable by whitelisted customers.", + "deprecated": true }, - "State": { - "shape": "InputState", - "locationName": "state" + "RoleArn": { + "shape": "__string", + "locationName": "roleArn", + "documentation": "An optional Amazon Resource Name (ARN) of the role to assume when running the Channel." }, "Tags": { "shape": "Tags", "locationName": "tags", "documentation": "A collection of key-value pairs." }, - "Type": { - "shape": "InputType", - "locationName": "type" + "Vpc": { + "shape": "VpcOutputSettings", + "locationName": "vpc", + "documentation": "Settings for the VPC outputs" }, - "SrtSettings": { - "shape": "SrtSettings", - "locationName": "srtSettings", - "documentation": "The settings associated with an SRT input." - } - }, - "documentation": "Placeholder documentation for DescribeInputResponse" - }, - "DescribeInputSecurityGroupRequest": { - "type": "structure", - "members": { - "InputSecurityGroupId": { - "shape": "__string", - "location": "uri", - "locationName": "inputSecurityGroupId", - "documentation": "The id of the Input Security Group to describe" + "AnywhereSettings": { + "shape": "AnywhereSettings", + "locationName": "anywhereSettings", + "documentation": "The Elemental Anywhere settings for this channel." } }, - "required": [ - "InputSecurityGroupId" - ], - "documentation": "Placeholder documentation for DescribeInputSecurityGroupRequest" + "documentation": "Placeholder documentation for CreateChannel" }, - "DescribeInputSecurityGroupResponse": { + "CreateChannelRequest": { "type": "structure", "members": { - "Arn": { + "CdiInputSpecification": { + "shape": "CdiInputSpecification", + "locationName": "cdiInputSpecification", + "documentation": "Specification of CDI inputs for this channel" + }, + "ChannelClass": { + "shape": "ChannelClass", + "locationName": "channelClass", + "documentation": "The class for this channel. STANDARD for a channel with two pipelines or SINGLE_PIPELINE for a channel with one pipeline." + }, + "Destinations": { + "shape": "__listOfOutputDestination", + "locationName": "destinations" + }, + "EncoderSettings": { + "shape": "EncoderSettings", + "locationName": "encoderSettings" + }, + "InputAttachments": { + "shape": "__listOfInputAttachment", + "locationName": "inputAttachments", + "documentation": "List of input attachments for channel." + }, + "InputSpecification": { + "shape": "InputSpecification", + "locationName": "inputSpecification", + "documentation": "Specification of network and file inputs for this channel" + }, + "LogLevel": { + "shape": "LogLevel", + "locationName": "logLevel", + "documentation": "The log level to write to CloudWatch Logs." + }, + "Maintenance": { + "shape": "MaintenanceCreateSettings", + "locationName": "maintenance", + "documentation": "Maintenance settings for this channel." + }, + "Name": { "shape": "__string", - "locationName": "arn", - "documentation": "Unique ARN of Input Security Group" + "locationName": "name", + "documentation": "Name of channel." }, - "Id": { + "RequestId": { "shape": "__string", - "locationName": "id", - "documentation": "The Id of the Input Security Group" + "locationName": "requestId", + "documentation": "Unique request ID to be specified. This is needed to prevent retries from\ncreating multiple resources.", + "idempotencyToken": true }, - "Inputs": { - "shape": "__listOf__string", - "locationName": "inputs", - "documentation": "The list of inputs currently using this Input Security Group." + "Reserved": { + "shape": "__string", + "locationName": "reserved", + "documentation": "Deprecated field that's only usable by whitelisted customers.", + "deprecated": true }, - "State": { - "shape": "InputSecurityGroupState", - "locationName": "state", - "documentation": "The current state of the Input Security Group." + "RoleArn": { + "shape": "__string", + "locationName": "roleArn", + "documentation": "An optional Amazon Resource Name (ARN) of the role to assume when running the Channel." }, "Tags": { "shape": "Tags", "locationName": "tags", "documentation": "A collection of key-value pairs." }, - "WhitelistRules": { - "shape": "__listOfInputWhitelistRule", - "locationName": "whitelistRules", - "documentation": "Whitelist rules and their sync status" - } - }, - "documentation": "Placeholder documentation for DescribeInputSecurityGroupResponse" - }, - "DescribeMultiplexProgramRequest": { - "type": "structure", - "members": { - "MultiplexId": { - "shape": "__string", - "location": "uri", - "locationName": "multiplexId", - "documentation": "The ID of the multiplex that the program belongs to." + "Vpc": { + "shape": "VpcOutputSettings", + "locationName": "vpc", + "documentation": "Settings for the VPC outputs" }, - "ProgramName": { - "shape": "__string", - "location": "uri", - "locationName": "programName", - "documentation": "The name of the program." + "AnywhereSettings": { + "shape": "AnywhereSettings", + "locationName": "anywhereSettings", + "documentation": "The Elemental Anywhere settings for this channel." } }, - "required": [ - "MultiplexId", - "ProgramName" - ], - "documentation": "Placeholder documentation for DescribeMultiplexProgramRequest" + "documentation": "A request to create a channel" }, - "DescribeMultiplexProgramResponse": { + "CreateChannelResponse": { "type": "structure", "members": { - "ChannelId": { - "shape": "__string", - "locationName": "channelId", - "documentation": "The MediaLive channel associated with the program." - }, - "MultiplexProgramSettings": { - "shape": "MultiplexProgramSettings", - "locationName": "multiplexProgramSettings", - "documentation": "The settings for this multiplex program." - }, - "PacketIdentifiersMap": { - "shape": "MultiplexProgramPacketIdentifiersMap", - "locationName": "packetIdentifiersMap", - "documentation": "The packet identifier map for this multiplex program." - }, - "PipelineDetails": { - "shape": "__listOfMultiplexProgramPipelineDetail", - "locationName": "pipelineDetails", - "documentation": "Contains information about the current sources for the specified program in the specified multiplex. Keep in mind that each multiplex pipeline connects to both pipelines in a given source channel (the channel identified by the program). But only one of those channel pipelines is ever active at one time." - }, - "ProgramName": { - "shape": "__string", - "locationName": "programName", - "documentation": "The name of the multiplex program." + "Channel": { + "shape": "Channel", + "locationName": "channel" } }, - "documentation": "Placeholder documentation for DescribeMultiplexProgramResponse" + "documentation": "Placeholder documentation for CreateChannelResponse" }, - "DescribeMultiplexRequest": { + "CreateChannelResultModel": { "type": "structure", "members": { - "MultiplexId": { - "shape": "__string", - "location": "uri", - "locationName": "multiplexId", - "documentation": "The ID of the multiplex." + "Channel": { + "shape": "Channel", + "locationName": "channel" } }, - "required": [ - "MultiplexId" - ], - "documentation": "Placeholder documentation for DescribeMultiplexRequest" + "documentation": "Placeholder documentation for CreateChannelResultModel" }, - "DescribeMultiplexResponse": { + "CreateInput": { "type": "structure", "members": { - "Arn": { - "shape": "__string", - "locationName": "arn", - "documentation": "The unique arn of the multiplex." - }, - "AvailabilityZones": { - "shape": "__listOf__string", - "locationName": "availabilityZones", - "documentation": "A list of availability zones for the multiplex." - }, "Destinations": { - "shape": "__listOfMultiplexOutputDestination", + "shape": "__listOfInputDestinationRequest", "locationName": "destinations", - "documentation": "A list of the multiplex output destinations." + "documentation": "Destination settings for PUSH type inputs." }, - "Id": { - "shape": "__string", - "locationName": "id", - "documentation": "The unique id of the multiplex." + "InputDevices": { + "shape": "__listOfInputDeviceSettings", + "locationName": "inputDevices", + "documentation": "Settings for the devices." }, - "MultiplexSettings": { - "shape": "MultiplexSettings", - "locationName": "multiplexSettings", - "documentation": "Configuration for a multiplex event." + "InputSecurityGroups": { + "shape": "__listOf__string", + "locationName": "inputSecurityGroups", + "documentation": "A list of security groups referenced by IDs to attach to the input." + }, + "MediaConnectFlows": { + "shape": "__listOfMediaConnectFlowRequest", + "locationName": "mediaConnectFlows", + "documentation": "A list of the MediaConnect Flows that you want to use in this input. You can specify as few as one\nFlow and presently, as many as two. The only requirement is when you have more than one is that each Flow is in a\nseparate Availability Zone as this ensures your EML input is redundant to AZ issues." }, "Name": { "shape": "__string", "locationName": "name", - "documentation": "The name of the multiplex." + "documentation": "Name of the input." }, - "PipelinesRunningCount": { - "shape": "__integer", - "locationName": "pipelinesRunningCount", - "documentation": "The number of currently healthy pipelines." + "RequestId": { + "shape": "__string", + "locationName": "requestId", + "documentation": "Unique identifier of the request to ensure the request is handled\nexactly once in case of retries.", + "idempotencyToken": true }, - "ProgramCount": { - "shape": "__integer", - "locationName": "programCount", - "documentation": "The number of programs in the multiplex." + "RoleArn": { + "shape": "__string", + "locationName": "roleArn", + "documentation": "The Amazon Resource Name (ARN) of the role this input assumes during and after creation." }, - "State": { - "shape": "MultiplexState", - "locationName": "state", - "documentation": "The current state of the multiplex." + "Sources": { + "shape": "__listOfInputSourceRequest", + "locationName": "sources", + "documentation": "The source URLs for a PULL-type input. Every PULL type input needs\nexactly two source URLs for redundancy.\nOnly specify sources for PULL type Inputs. Leave Destinations empty." }, "Tags": { "shape": "Tags", "locationName": "tags", "documentation": "A collection of key-value pairs." + }, + "Type": { + "shape": "InputType", + "locationName": "type" + }, + "Vpc": { + "shape": "InputVpcRequest", + "locationName": "vpc" + }, + "SrtSettings": { + "shape": "SrtSettingsRequest", + "locationName": "srtSettings", + "documentation": "The settings associated with an SRT input." + }, + "InputNetworkLocation": { + "shape": "InputNetworkLocation", + "locationName": "inputNetworkLocation", + "documentation": "The location of this input. AWS, for an input existing in the AWS Cloud, On-Prem for\nan input in a customer network." + }, + "MulticastSettings": { + "shape": "MulticastSettingsCreateRequest", + "locationName": "multicastSettings", + "documentation": "Multicast Input settings." } }, - "documentation": "Placeholder documentation for DescribeMultiplexResponse" - }, - "DescribeOfferingRequest": { - "type": "structure", - "members": { - "OfferingId": { - "shape": "__string", - "location": "uri", - "locationName": "offeringId", - "documentation": "Unique offering ID, e.g. '87654321'" - } - }, - "required": [ - "OfferingId" - ], - "documentation": "Placeholder documentation for DescribeOfferingRequest" + "documentation": "Placeholder documentation for CreateInput" }, - "DescribeOfferingResponse": { + "CreateInputRequest": { "type": "structure", "members": { - "Arn": { - "shape": "__string", - "locationName": "arn", - "documentation": "Unique offering ARN, e.g. 'arn:aws:medialive:us-west-2:123456789012:offering:87654321'" + "Destinations": { + "shape": "__listOfInputDestinationRequest", + "locationName": "destinations", + "documentation": "Destination settings for PUSH type inputs." }, - "CurrencyCode": { - "shape": "__string", - "locationName": "currencyCode", - "documentation": "Currency code for usagePrice and fixedPrice in ISO-4217 format, e.g. 'USD'" + "InputDevices": { + "shape": "__listOfInputDeviceSettings", + "locationName": "inputDevices", + "documentation": "Settings for the devices." }, - "Duration": { - "shape": "__integer", - "locationName": "duration", - "documentation": "Lease duration, e.g. '12'" + "InputSecurityGroups": { + "shape": "__listOf__string", + "locationName": "inputSecurityGroups", + "documentation": "A list of security groups referenced by IDs to attach to the input." }, - "DurationUnits": { - "shape": "OfferingDurationUnits", - "locationName": "durationUnits", - "documentation": "Units for duration, e.g. 'MONTHS'" + "MediaConnectFlows": { + "shape": "__listOfMediaConnectFlowRequest", + "locationName": "mediaConnectFlows", + "documentation": "A list of the MediaConnect Flows that you want to use in this input. You can specify as few as one\nFlow and presently, as many as two. The only requirement is when you have more than one is that each Flow is in a\nseparate Availability Zone as this ensures your EML input is redundant to AZ issues." }, - "FixedPrice": { - "shape": "__double", - "locationName": "fixedPrice", - "documentation": "One-time charge for each reserved resource, e.g. '0.0' for a NO_UPFRONT offering" + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "Name of the input." }, - "OfferingDescription": { + "RequestId": { "shape": "__string", - "locationName": "offeringDescription", - "documentation": "Offering description, e.g. 'HD AVC output at 10-20 Mbps, 30 fps, and standard VQ in US West (Oregon)'" + "locationName": "requestId", + "documentation": "Unique identifier of the request to ensure the request is handled\nexactly once in case of retries.", + "idempotencyToken": true }, - "OfferingId": { + "RoleArn": { "shape": "__string", - "locationName": "offeringId", - "documentation": "Unique offering ID, e.g. '87654321'" + "locationName": "roleArn", + "documentation": "The Amazon Resource Name (ARN) of the role this input assumes during and after creation." }, - "OfferingType": { - "shape": "OfferingType", - "locationName": "offeringType", - "documentation": "Offering type, e.g. 'NO_UPFRONT'" + "Sources": { + "shape": "__listOfInputSourceRequest", + "locationName": "sources", + "documentation": "The source URLs for a PULL-type input. Every PULL type input needs\nexactly two source URLs for redundancy.\nOnly specify sources for PULL type Inputs. Leave Destinations empty." }, - "Region": { - "shape": "__string", - "locationName": "region", - "documentation": "AWS region, e.g. 'us-west-2'" + "Tags": { + "shape": "Tags", + "locationName": "tags", + "documentation": "A collection of key-value pairs." }, - "ResourceSpecification": { - "shape": "ReservationResourceSpecification", - "locationName": "resourceSpecification", - "documentation": "Resource configuration details" + "Type": { + "shape": "InputType", + "locationName": "type" }, - "UsagePrice": { - "shape": "__double", - "locationName": "usagePrice", - "documentation": "Recurring usage charge for each reserved resource, e.g. '157.0'" + "Vpc": { + "shape": "InputVpcRequest", + "locationName": "vpc" + }, + "SrtSettings": { + "shape": "SrtSettingsRequest", + "locationName": "srtSettings", + "documentation": "The settings associated with an SRT input." + }, + "InputNetworkLocation": { + "shape": "InputNetworkLocation", + "locationName": "inputNetworkLocation", + "documentation": "The location of this input. AWS, for an input existing in the AWS Cloud, On-Prem for\nan input in a customer network." + }, + "MulticastSettings": { + "shape": "MulticastSettingsCreateRequest", + "locationName": "multicastSettings", + "documentation": "Multicast Input settings." } }, - "documentation": "Placeholder documentation for DescribeOfferingResponse" + "documentation": "The name of the input" }, - "DescribeReservationRequest": { + "CreateInputResponse": { "type": "structure", "members": { - "ReservationId": { - "shape": "__string", - "location": "uri", - "locationName": "reservationId", - "documentation": "Unique reservation ID, e.g. '1234567'" + "Input": { + "shape": "Input", + "locationName": "input" } }, - "required": [ - "ReservationId" - ], - "documentation": "Placeholder documentation for DescribeReservationRequest" + "documentation": "Placeholder documentation for CreateInputResponse" }, - "DescribeReservationResponse": { + "CreateInputResultModel": { "type": "structure", "members": { - "Arn": { - "shape": "__string", - "locationName": "arn", - "documentation": "Unique reservation ARN, e.g. 'arn:aws:medialive:us-west-2:123456789012:reservation:1234567'" + "Input": { + "shape": "Input", + "locationName": "input" + } + }, + "documentation": "Placeholder documentation for CreateInputResultModel" + }, + "CreateInputSecurityGroupRequest": { + "type": "structure", + "members": { + "Tags": { + "shape": "Tags", + "locationName": "tags", + "documentation": "A collection of key-value pairs." }, - "Count": { - "shape": "__integer", - "locationName": "count", - "documentation": "Number of reserved resources" + "WhitelistRules": { + "shape": "__listOfInputWhitelistRuleCidr", + "locationName": "whitelistRules", + "documentation": "List of IPv4 CIDR addresses to whitelist" + } + }, + "documentation": "The IPv4 CIDRs to whitelist for this Input Security Group" + }, + "CreateInputSecurityGroupResponse": { + "type": "structure", + "members": { + "SecurityGroup": { + "shape": "InputSecurityGroup", + "locationName": "securityGroup" + } + }, + "documentation": "Placeholder documentation for CreateInputSecurityGroupResponse" + }, + "CreateInputSecurityGroupResultModel": { + "type": "structure", + "members": { + "SecurityGroup": { + "shape": "InputSecurityGroup", + "locationName": "securityGroup" + } + }, + "documentation": "Placeholder documentation for CreateInputSecurityGroupResultModel" + }, + "CreateMultiplex": { + "type": "structure", + "members": { + "AvailabilityZones": { + "shape": "__listOf__string", + "locationName": "availabilityZones", + "documentation": "A list of availability zones for the multiplex. You must specify exactly two." }, - "CurrencyCode": { - "shape": "__string", - "locationName": "currencyCode", - "documentation": "Currency code for usagePrice and fixedPrice in ISO-4217 format, e.g. 'USD'" - }, - "Duration": { - "shape": "__integer", - "locationName": "duration", - "documentation": "Lease duration, e.g. '12'" - }, - "DurationUnits": { - "shape": "OfferingDurationUnits", - "locationName": "durationUnits", - "documentation": "Units for duration, e.g. 'MONTHS'" - }, - "End": { - "shape": "__string", - "locationName": "end", - "documentation": "Reservation UTC end date and time in ISO-8601 format, e.g. '2019-03-01T00:00:00'" - }, - "FixedPrice": { - "shape": "__double", - "locationName": "fixedPrice", - "documentation": "One-time charge for each reserved resource, e.g. '0.0' for a NO_UPFRONT offering" + "MultiplexSettings": { + "shape": "MultiplexSettings", + "locationName": "multiplexSettings", + "documentation": "Configuration for a multiplex event." }, "Name": { "shape": "__string", "locationName": "name", - "documentation": "User specified reservation name" - }, - "OfferingDescription": { - "shape": "__string", - "locationName": "offeringDescription", - "documentation": "Offering description, e.g. 'HD AVC output at 10-20 Mbps, 30 fps, and standard VQ in US West (Oregon)'" - }, - "OfferingId": { - "shape": "__string", - "locationName": "offeringId", - "documentation": "Unique offering ID, e.g. '87654321'" - }, - "OfferingType": { - "shape": "OfferingType", - "locationName": "offeringType", - "documentation": "Offering type, e.g. 'NO_UPFRONT'" - }, - "Region": { - "shape": "__string", - "locationName": "region", - "documentation": "AWS region, e.g. 'us-west-2'" - }, - "RenewalSettings": { - "shape": "RenewalSettings", - "locationName": "renewalSettings", - "documentation": "Renewal settings for the reservation" - }, - "ReservationId": { - "shape": "__string", - "locationName": "reservationId", - "documentation": "Unique reservation ID, e.g. '1234567'" - }, - "ResourceSpecification": { - "shape": "ReservationResourceSpecification", - "locationName": "resourceSpecification", - "documentation": "Resource configuration details" + "documentation": "Name of multiplex." }, - "Start": { + "RequestId": { "shape": "__string", - "locationName": "start", - "documentation": "Reservation UTC start date and time in ISO-8601 format, e.g. '2018-03-01T00:00:00'" - }, - "State": { - "shape": "ReservationState", - "locationName": "state", - "documentation": "Current state of reservation, e.g. 'ACTIVE'" + "locationName": "requestId", + "documentation": "Unique request ID. This prevents retries from creating multiple\nresources.", + "idempotencyToken": true }, "Tags": { "shape": "Tags", "locationName": "tags", - "documentation": "A collection of key-value pairs" - }, - "UsagePrice": { - "shape": "__double", - "locationName": "usagePrice", - "documentation": "Recurring usage charge for each reserved resource, e.g. '157.0'" + "documentation": "A collection of key-value pairs." } }, - "documentation": "Placeholder documentation for DescribeReservationResponse" + "required": [ + "RequestId", + "MultiplexSettings", + "AvailabilityZones", + "Name" + ], + "documentation": "Placeholder documentation for CreateMultiplex" }, - "DescribeScheduleRequest": { + "CreateMultiplexProgram": { "type": "structure", "members": { - "ChannelId": { - "shape": "__string", - "location": "uri", - "locationName": "channelId", - "documentation": "Id of the channel whose schedule is being updated." + "MultiplexProgramSettings": { + "shape": "MultiplexProgramSettings", + "locationName": "multiplexProgramSettings", + "documentation": "The settings for this multiplex program." }, - "MaxResults": { - "shape": "MaxResults", - "location": "querystring", - "locationName": "maxResults" + "ProgramName": { + "shape": "__string", + "locationName": "programName", + "documentation": "Name of multiplex program." }, - "NextToken": { + "RequestId": { "shape": "__string", - "location": "querystring", - "locationName": "nextToken" + "locationName": "requestId", + "documentation": "Unique request ID. This prevents retries from creating multiple\nresources.", + "idempotencyToken": true } }, "required": [ - "ChannelId" + "RequestId", + "MultiplexProgramSettings", + "ProgramName" ], - "documentation": "Placeholder documentation for DescribeScheduleRequest" + "documentation": "Placeholder documentation for CreateMultiplexProgram" }, - "DescribeScheduleResponse": { + "CreateMultiplexProgramRequest": { "type": "structure", "members": { - "NextToken": { + "MultiplexId": { "shape": "__string", - "locationName": "nextToken", - "documentation": "The next token; for use in pagination." + "location": "uri", + "locationName": "multiplexId", + "documentation": "ID of the multiplex where the program is to be created." }, - "ScheduleActions": { - "shape": "__listOfScheduleAction", - "locationName": "scheduleActions", - "documentation": "The list of actions in the schedule." + "MultiplexProgramSettings": { + "shape": "MultiplexProgramSettings", + "locationName": "multiplexProgramSettings", + "documentation": "The settings for this multiplex program." + }, + "ProgramName": { + "shape": "__string", + "locationName": "programName", + "documentation": "Name of multiplex program." + }, + "RequestId": { + "shape": "__string", + "locationName": "requestId", + "documentation": "Unique request ID. This prevents retries from creating multiple\nresources.", + "idempotencyToken": true } }, - "documentation": "Placeholder documentation for DescribeScheduleResponse" + "documentation": "A request to create a program in a multiplex.", + "required": [ + "MultiplexId", + "RequestId", + "MultiplexProgramSettings", + "ProgramName" + ] }, - "DescribeThumbnailsRequest": { + "CreateMultiplexProgramResponse": { "type": "structure", "members": { - "ChannelId": { - "shape": "__string", - "location": "uri", - "locationName": "channelId", - "documentation": "Unique ID of the channel" + "MultiplexProgram": { + "shape": "MultiplexProgram", + "locationName": "multiplexProgram", + "documentation": "The newly created multiplex program." + } + }, + "documentation": "Placeholder documentation for CreateMultiplexProgramResponse" + }, + "CreateMultiplexProgramResultModel": { + "type": "structure", + "members": { + "MultiplexProgram": { + "shape": "MultiplexProgram", + "locationName": "multiplexProgram", + "documentation": "The newly created multiplex program." + } + }, + "documentation": "Placeholder documentation for CreateMultiplexProgramResultModel" + }, + "CreateMultiplexRequest": { + "type": "structure", + "members": { + "AvailabilityZones": { + "shape": "__listOf__string", + "locationName": "availabilityZones", + "documentation": "A list of availability zones for the multiplex. You must specify exactly two." }, - "PipelineId": { + "MultiplexSettings": { + "shape": "MultiplexSettings", + "locationName": "multiplexSettings", + "documentation": "Configuration for a multiplex event." + }, + "Name": { "shape": "__string", - "location": "querystring", - "locationName": "pipelineId", - "documentation": "Pipeline ID (\"0\" or \"1\")" + "locationName": "name", + "documentation": "Name of multiplex." }, - "ThumbnailType": { + "RequestId": { "shape": "__string", - "location": "querystring", - "locationName": "thumbnailType", - "documentation": "thumbnail type" + "locationName": "requestId", + "documentation": "Unique request ID. This prevents retries from creating multiple\nresources.", + "idempotencyToken": true + }, + "Tags": { + "shape": "Tags", + "locationName": "tags", + "documentation": "A collection of key-value pairs." } }, + "documentation": "A request to create a multiplex.", "required": [ - "ThumbnailType", - "PipelineId", - "ChannelId" - ], - "documentation": "Placeholder documentation for DescribeThumbnailsRequest" + "RequestId", + "MultiplexSettings", + "AvailabilityZones", + "Name" + ] }, - "DescribeThumbnailsResponse": { + "CreateMultiplexResponse": { "type": "structure", "members": { - "ThumbnailDetails": { - "shape": "__listOfThumbnailDetail", - "locationName": "thumbnailDetails" + "Multiplex": { + "shape": "Multiplex", + "locationName": "multiplex", + "documentation": "The newly created multiplex." } }, - "documentation": "Placeholder documentation for DescribeThumbnailsResponse" + "documentation": "Placeholder documentation for CreateMultiplexResponse" }, - "DescribeThumbnailsResultModel": { + "CreateMultiplexResultModel": { "type": "structure", "members": { - "ThumbnailDetails": { - "shape": "__listOfThumbnailDetail", - "locationName": "thumbnailDetails" + "Multiplex": { + "shape": "Multiplex", + "locationName": "multiplex", + "documentation": "The newly created multiplex." } }, - "documentation": "Thumbnail details for all the pipelines of a running channel." - }, - "DeviceSettingsSyncState": { - "type": "string", - "documentation": "The status of the action to synchronize the device configuration. If you change the configuration of the input device (for example, the maximum bitrate), MediaLive sends the new data to the device. The device might not update itself immediately. SYNCED means the device has updated its configuration. SYNCING means that it has not updated its configuration.", - "enum": [ - "SYNCED", - "SYNCING" - ] + "documentation": "Placeholder documentation for CreateMultiplexResultModel" }, - "DeviceUpdateStatus": { - "type": "string", - "documentation": "The status of software on the input device.", - "enum": [ - "UP_TO_DATE", - "NOT_UP_TO_DATE", - "UPDATING" - ] - }, - "DolbyEProgramSelection": { - "type": "string", - "documentation": "Dolby EProgram Selection", - "enum": [ - "ALL_CHANNELS", - "PROGRAM_1", - "PROGRAM_2", - "PROGRAM_3", - "PROGRAM_4", - "PROGRAM_5", - "PROGRAM_6", - "PROGRAM_7", - "PROGRAM_8" - ] - }, - "DolbyVision81Settings": { + "CreatePartnerInput": { "type": "structure", "members": { + "RequestId": { + "shape": "__string", + "locationName": "requestId", + "documentation": "Unique identifier of the request to ensure the request is handled\nexactly once in case of retries.", + "idempotencyToken": true + }, + "Tags": { + "shape": "Tags", + "locationName": "tags", + "documentation": "A collection of key-value pairs." + } }, - "documentation": "Dolby Vision81 Settings" + "documentation": "Placeholder documentation for CreatePartnerInput" }, - "DvbNitSettings": { + "CreatePartnerInputRequest": { "type": "structure", "members": { - "NetworkId": { - "shape": "__integerMin0Max65536", - "locationName": "networkId", - "documentation": "The numeric value placed in the Network Information Table (NIT)." + "InputId": { + "shape": "__string", + "location": "uri", + "locationName": "inputId", + "documentation": "Unique ID of the input." }, - "NetworkName": { - "shape": "__stringMin1Max256", - "locationName": "networkName", - "documentation": "The network name text placed in the networkNameDescriptor inside the Network Information Table. Maximum length is 256 characters." + "RequestId": { + "shape": "__string", + "locationName": "requestId", + "documentation": "Unique identifier of the request to ensure the request is handled\nexactly once in case of retries.", + "idempotencyToken": true }, - "RepInterval": { - "shape": "__integerMin25Max10000", - "locationName": "repInterval", - "documentation": "The number of milliseconds between instances of this table in the output transport stream." + "Tags": { + "shape": "Tags", + "locationName": "tags", + "documentation": "A collection of key-value pairs." } }, - "documentation": "DVB Network Information Table (NIT)", + "documentation": "A request to create a partner input", "required": [ - "NetworkName", - "NetworkId" - ] - }, - "DvbSdtOutputSdt": { - "type": "string", - "documentation": "Dvb Sdt Output Sdt", - "enum": [ - "SDT_FOLLOW", - "SDT_FOLLOW_IF_PRESENT", - "SDT_MANUAL", - "SDT_NONE" + "InputId" ] }, - "DvbSdtSettings": { + "CreatePartnerInputResponse": { "type": "structure", "members": { - "OutputSdt": { - "shape": "DvbSdtOutputSdt", - "locationName": "outputSdt", - "documentation": "Selects method of inserting SDT information into output stream. The sdtFollow setting copies SDT information from input stream to output stream. The sdtFollowIfPresent setting copies SDT information from input stream to output stream if SDT information is present in the input, otherwise it will fall back on the user-defined values. The sdtManual setting means user will enter the SDT information. The sdtNone setting means output stream will not contain SDT information." - }, - "RepInterval": { - "shape": "__integerMin25Max2000", - "locationName": "repInterval", - "documentation": "The number of milliseconds between instances of this table in the output transport stream." - }, - "ServiceName": { - "shape": "__stringMin1Max256", - "locationName": "serviceName", - "documentation": "The service name placed in the serviceDescriptor in the Service Description Table. Maximum length is 256 characters." - }, - "ServiceProviderName": { - "shape": "__stringMin1Max256", - "locationName": "serviceProviderName", - "documentation": "The service provider name placed in the serviceDescriptor in the Service Description Table. Maximum length is 256 characters." + "Input": { + "shape": "Input", + "locationName": "input" } }, - "documentation": "DVB Service Description Table (SDT)" - }, - "DvbSubDestinationAlignment": { - "type": "string", - "documentation": "Dvb Sub Destination Alignment", - "enum": [ - "CENTERED", - "LEFT", - "SMART" - ] + "documentation": "Placeholder documentation for CreatePartnerInputResponse" }, - "DvbSubDestinationBackgroundColor": { - "type": "string", - "documentation": "Dvb Sub Destination Background Color", - "enum": [ - "BLACK", - "NONE", - "WHITE" - ] + "CreatePartnerInputResultModel": { + "type": "structure", + "members": { + "Input": { + "shape": "Input", + "locationName": "input" + } + }, + "documentation": "Placeholder documentation for CreatePartnerInputResultModel" }, - "DvbSubDestinationFontColor": { - "type": "string", - "documentation": "Dvb Sub Destination Font Color", - "enum": [ - "BLACK", - "BLUE", - "GREEN", - "RED", - "WHITE", - "YELLOW" - ] + "CreateTagsRequest": { + "type": "structure", + "members": { + "ResourceArn": { + "shape": "__string", + "location": "uri", + "locationName": "resource-arn" + }, + "Tags": { + "shape": "Tags", + "locationName": "tags" + } + }, + "required": [ + "ResourceArn" + ], + "documentation": "Placeholder documentation for CreateTagsRequest" }, - "DvbSubDestinationOutlineColor": { - "type": "string", - "documentation": "Dvb Sub Destination Outline Color", - "enum": [ - "BLACK", - "BLUE", - "GREEN", - "RED", - "WHITE", - "YELLOW" - ] + "DeleteChannelRequest": { + "type": "structure", + "members": { + "ChannelId": { + "shape": "__string", + "location": "uri", + "locationName": "channelId", + "documentation": "Unique ID of the channel." + } + }, + "required": [ + "ChannelId" + ], + "documentation": "Placeholder documentation for DeleteChannelRequest" }, - "DvbSubDestinationSettings": { + "DeleteChannelResponse": { "type": "structure", "members": { - "Alignment": { - "shape": "DvbSubDestinationAlignment", - "locationName": "alignment", - "documentation": "If no explicit xPosition or yPosition is provided, setting alignment to centered will place the captions at the bottom center of the output. Similarly, setting a left alignment will align captions to the bottom left of the output. If x and y positions are given in conjunction with the alignment parameter, the font will be justified (either left or centered) relative to those coordinates. Selecting \"smart\" justification will left-justify live subtitles and center-justify pre-recorded subtitles. This option is not valid for source captions that are STL or 608/embedded. These source settings are already pre-defined by the caption stream. All burn-in and DVB-Sub font settings must match." - }, - "BackgroundColor": { - "shape": "DvbSubDestinationBackgroundColor", - "locationName": "backgroundColor", - "documentation": "Specifies the color of the rectangle behind the captions. All burn-in and DVB-Sub font settings must match." + "Arn": { + "shape": "__string", + "locationName": "arn", + "documentation": "The unique arn of the channel." }, - "BackgroundOpacity": { - "shape": "__integerMin0Max255", - "locationName": "backgroundOpacity", - "documentation": "Specifies the opacity of the background rectangle. 255 is opaque; 0 is transparent. Leaving this parameter blank is equivalent to setting it to 0 (transparent). All burn-in and DVB-Sub font settings must match." + "CdiInputSpecification": { + "shape": "CdiInputSpecification", + "locationName": "cdiInputSpecification", + "documentation": "Specification of CDI inputs for this channel" }, - "Font": { - "shape": "InputLocation", - "locationName": "font", - "documentation": "External font file used for caption burn-in. File extension must be 'ttf' or 'tte'. Although the user can select output fonts for many different types of input captions, embedded, STL and teletext sources use a strict grid system. Using external fonts with these caption sources could cause unexpected display of proportional fonts. All burn-in and DVB-Sub font settings must match." + "ChannelClass": { + "shape": "ChannelClass", + "locationName": "channelClass", + "documentation": "The class for this channel. STANDARD for a channel with two pipelines or SINGLE_PIPELINE for a channel with one pipeline." }, - "FontColor": { - "shape": "DvbSubDestinationFontColor", - "locationName": "fontColor", - "documentation": "Specifies the color of the burned-in captions. This option is not valid for source captions that are STL, 608/embedded or teletext. These source settings are already pre-defined by the caption stream. All burn-in and DVB-Sub font settings must match." + "Destinations": { + "shape": "__listOfOutputDestination", + "locationName": "destinations", + "documentation": "A list of destinations of the channel. For UDP outputs, there is one\ndestination per output. For other types (HLS, for example), there is\none destination per packager." }, - "FontOpacity": { - "shape": "__integerMin0Max255", - "locationName": "fontOpacity", - "documentation": "Specifies the opacity of the burned-in captions. 255 is opaque; 0 is transparent. All burn-in and DVB-Sub font settings must match." + "EgressEndpoints": { + "shape": "__listOfChannelEgressEndpoint", + "locationName": "egressEndpoints", + "documentation": "The endpoints where outgoing connections initiate from" }, - "FontResolution": { - "shape": "__integerMin96Max600", - "locationName": "fontResolution", - "documentation": "Font resolution in DPI (dots per inch); default is 96 dpi. All burn-in and DVB-Sub font settings must match." + "EncoderSettings": { + "shape": "EncoderSettings", + "locationName": "encoderSettings" }, - "FontSize": { + "Id": { "shape": "__string", - "locationName": "fontSize", - "documentation": "When set to auto fontSize will scale depending on the size of the output. Giving a positive integer will specify the exact font size in points. All burn-in and DVB-Sub font settings must match." - }, - "OutlineColor": { - "shape": "DvbSubDestinationOutlineColor", - "locationName": "outlineColor", - "documentation": "Specifies font outline color. This option is not valid for source captions that are either 608/embedded or teletext. These source settings are already pre-defined by the caption stream. All burn-in and DVB-Sub font settings must match." + "locationName": "id", + "documentation": "The unique id of the channel." }, - "OutlineSize": { - "shape": "__integerMin0Max10", - "locationName": "outlineSize", - "documentation": "Specifies font outline size in pixels. This option is not valid for source captions that are either 608/embedded or teletext. These source settings are already pre-defined by the caption stream. All burn-in and DVB-Sub font settings must match." + "InputAttachments": { + "shape": "__listOfInputAttachment", + "locationName": "inputAttachments", + "documentation": "List of input attachments for channel." }, - "ShadowColor": { - "shape": "DvbSubDestinationShadowColor", - "locationName": "shadowColor", - "documentation": "Specifies the color of the shadow cast by the captions. All burn-in and DVB-Sub font settings must match." + "InputSpecification": { + "shape": "InputSpecification", + "locationName": "inputSpecification", + "documentation": "Specification of network and file inputs for this channel" }, - "ShadowOpacity": { - "shape": "__integerMin0Max255", - "locationName": "shadowOpacity", - "documentation": "Specifies the opacity of the shadow. 255 is opaque; 0 is transparent. Leaving this parameter blank is equivalent to setting it to 0 (transparent). All burn-in and DVB-Sub font settings must match." + "LogLevel": { + "shape": "LogLevel", + "locationName": "logLevel", + "documentation": "The log level being written to CloudWatch Logs." }, - "ShadowXOffset": { - "shape": "__integer", - "locationName": "shadowXOffset", - "documentation": "Specifies the horizontal offset of the shadow relative to the captions in pixels. A value of -2 would result in a shadow offset 2 pixels to the left. All burn-in and DVB-Sub font settings must match." + "Maintenance": { + "shape": "MaintenanceStatus", + "locationName": "maintenance", + "documentation": "Maintenance settings for this channel." }, - "ShadowYOffset": { + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "The name of the channel. (user-mutable)" + }, + "PipelineDetails": { + "shape": "__listOfPipelineDetail", + "locationName": "pipelineDetails", + "documentation": "Runtime details for the pipelines of a running channel." + }, + "PipelinesRunningCount": { "shape": "__integer", - "locationName": "shadowYOffset", - "documentation": "Specifies the vertical offset of the shadow relative to the captions in pixels. A value of -2 would result in a shadow offset 2 pixels above the text. All burn-in and DVB-Sub font settings must match." + "locationName": "pipelinesRunningCount", + "documentation": "The number of currently healthy pipelines." }, - "TeletextGridControl": { - "shape": "DvbSubDestinationTeletextGridControl", - "locationName": "teletextGridControl", - "documentation": "Controls whether a fixed grid size will be used to generate the output subtitles bitmap. Only applicable for Teletext inputs and DVB-Sub/Burn-in outputs." + "RoleArn": { + "shape": "__string", + "locationName": "roleArn", + "documentation": "The Amazon Resource Name (ARN) of the role assumed when running the Channel." }, - "XPosition": { - "shape": "__integerMin0", - "locationName": "xPosition", - "documentation": "Specifies the horizontal position of the caption relative to the left side of the output in pixels. A value of 10 would result in the captions starting 10 pixels from the left of the output. If no explicit xPosition is provided, the horizontal caption position will be determined by the alignment parameter. This option is not valid for source captions that are STL, 608/embedded or teletext. These source settings are already pre-defined by the caption stream. All burn-in and DVB-Sub font settings must match." + "State": { + "shape": "ChannelState", + "locationName": "state" }, - "YPosition": { - "shape": "__integerMin0", - "locationName": "yPosition", - "documentation": "Specifies the vertical position of the caption relative to the top of the output in pixels. A value of 10 would result in the captions starting 10 pixels from the top of the output. If no explicit yPosition is provided, the caption will be positioned towards the bottom of the output. This option is not valid for source captions that are STL, 608/embedded or teletext. These source settings are already pre-defined by the caption stream. All burn-in and DVB-Sub font settings must match." + "Tags": { + "shape": "Tags", + "locationName": "tags", + "documentation": "A collection of key-value pairs." + }, + "Vpc": { + "shape": "VpcOutputSettingsDescription", + "locationName": "vpc", + "documentation": "Settings for VPC output" + }, + "AnywhereSettings": { + "shape": "DescribeAnywhereSettings", + "locationName": "anywhereSettings", + "documentation": "Anywhere settings for this channel." } }, - "documentation": "Dvb Sub Destination Settings" - }, - "DvbSubDestinationShadowColor": { - "type": "string", - "documentation": "Dvb Sub Destination Shadow Color", - "enum": [ - "BLACK", - "NONE", - "WHITE" - ] - }, - "DvbSubDestinationTeletextGridControl": { - "type": "string", - "documentation": "Dvb Sub Destination Teletext Grid Control", - "enum": [ - "FIXED", - "SCALED" - ] - }, - "DvbSubOcrLanguage": { - "type": "string", - "documentation": "Dvb Sub Ocr Language", - "enum": [ - "DEU", - "ENG", - "FRA", - "NLD", - "POR", - "SPA" - ] + "documentation": "Placeholder documentation for DeleteChannelResponse" }, - "DvbSubSourceSettings": { + "DeleteInputRequest": { "type": "structure", "members": { - "OcrLanguage": { - "shape": "DvbSubOcrLanguage", - "locationName": "ocrLanguage", - "documentation": "If you will configure a WebVTT caption description that references this caption selector, use this field to\nprovide the language to consider when translating the image-based source to text." - }, - "Pid": { - "shape": "__integerMin1", - "locationName": "pid", - "documentation": "When using DVB-Sub with Burn-In or SMPTE-TT, use this PID for the source content. Unused for DVB-Sub passthrough. All DVB-Sub content is passed through, regardless of selectors." + "InputId": { + "shape": "__string", + "location": "uri", + "locationName": "inputId", + "documentation": "Unique ID of the input" } }, - "documentation": "Dvb Sub Source Settings" + "required": [ + "InputId" + ], + "documentation": "Placeholder documentation for DeleteInputRequest" }, - "DvbTdtSettings": { + "DeleteInputResponse": { "type": "structure", "members": { - "RepInterval": { - "shape": "__integerMin1000Max30000", - "locationName": "repInterval", - "documentation": "The number of milliseconds between instances of this table in the output transport stream." - } }, - "documentation": "DVB Time and Date Table (SDT)" - }, - "Eac3AtmosCodingMode": { - "type": "string", - "documentation": "Eac3 Atmos Coding Mode", - "enum": [ - "CODING_MODE_5_1_4", - "CODING_MODE_7_1_4", - "CODING_MODE_9_1_6" - ] + "documentation": "Placeholder documentation for DeleteInputResponse" }, - "Eac3AtmosDrcLine": { - "type": "string", - "documentation": "Eac3 Atmos Drc Line", - "enum": [ - "FILM_LIGHT", - "FILM_STANDARD", - "MUSIC_LIGHT", - "MUSIC_STANDARD", - "NONE", - "SPEECH" - ] + "DeleteInputSecurityGroupRequest": { + "type": "structure", + "members": { + "InputSecurityGroupId": { + "shape": "__string", + "location": "uri", + "locationName": "inputSecurityGroupId", + "documentation": "The Input Security Group to delete" + } + }, + "required": [ + "InputSecurityGroupId" + ], + "documentation": "Placeholder documentation for DeleteInputSecurityGroupRequest" }, - "Eac3AtmosDrcRf": { - "type": "string", - "documentation": "Eac3 Atmos Drc Rf", - "enum": [ - "FILM_LIGHT", - "FILM_STANDARD", - "MUSIC_LIGHT", - "MUSIC_STANDARD", - "NONE", - "SPEECH" - ] + "DeleteInputSecurityGroupResponse": { + "type": "structure", + "members": { + }, + "documentation": "Placeholder documentation for DeleteInputSecurityGroupResponse" }, - "Eac3AtmosSettings": { + "DeleteMultiplexProgramRequest": { "type": "structure", "members": { - "Bitrate": { - "shape": "__double", - "locationName": "bitrate", - "documentation": "Average bitrate in bits/second. Valid bitrates depend on the coding mode." - }, - "CodingMode": { - "shape": "Eac3AtmosCodingMode", - "locationName": "codingMode", - "documentation": "Dolby Digital Plus with Dolby Atmos coding mode. Determines number of channels." + "MultiplexId": { + "shape": "__string", + "location": "uri", + "locationName": "multiplexId", + "documentation": "The ID of the multiplex that the program belongs to." }, - "Dialnorm": { - "shape": "__integerMin1Max31", - "locationName": "dialnorm", - "documentation": "Sets the dialnorm for the output. Default 23." + "ProgramName": { + "shape": "__string", + "location": "uri", + "locationName": "programName", + "documentation": "The multiplex program name." + } + }, + "required": [ + "MultiplexId", + "ProgramName" + ], + "documentation": "Placeholder documentation for DeleteMultiplexProgramRequest" + }, + "DeleteMultiplexProgramResponse": { + "type": "structure", + "members": { + "ChannelId": { + "shape": "__string", + "locationName": "channelId", + "documentation": "The MediaLive channel associated with the program." }, - "DrcLine": { - "shape": "Eac3AtmosDrcLine", - "locationName": "drcLine", - "documentation": "Sets the Dolby dynamic range compression profile." + "MultiplexProgramSettings": { + "shape": "MultiplexProgramSettings", + "locationName": "multiplexProgramSettings", + "documentation": "The settings for this multiplex program." }, - "DrcRf": { - "shape": "Eac3AtmosDrcRf", - "locationName": "drcRf", - "documentation": "Sets the profile for heavy Dolby dynamic range compression, ensures that the instantaneous signal peaks do not exceed specified levels." + "PacketIdentifiersMap": { + "shape": "MultiplexProgramPacketIdentifiersMap", + "locationName": "packetIdentifiersMap", + "documentation": "The packet identifier map for this multiplex program." }, - "HeightTrim": { - "shape": "__double", - "locationName": "heightTrim", - "documentation": "Height dimensional trim. Sets the maximum amount to attenuate the height channels when the downstream player isn??t configured to handle Dolby Digital Plus with Dolby Atmos and must remix the channels." + "PipelineDetails": { + "shape": "__listOfMultiplexProgramPipelineDetail", + "locationName": "pipelineDetails", + "documentation": "Contains information about the current sources for the specified program in the specified multiplex. Keep in mind that each multiplex pipeline connects to both pipelines in a given source channel (the channel identified by the program). But only one of those channel pipelines is ever active at one time." }, - "SurroundTrim": { - "shape": "__double", - "locationName": "surroundTrim", - "documentation": "Surround dimensional trim. Sets the maximum amount to attenuate the surround channels when the downstream player isn't configured to handle Dolby Digital Plus with Dolby Atmos and must remix the channels." + "ProgramName": { + "shape": "__string", + "locationName": "programName", + "documentation": "The name of the multiplex program." } }, - "documentation": "Eac3 Atmos Settings" + "documentation": "Placeholder documentation for DeleteMultiplexProgramResponse" }, - "Eac3AttenuationControl": { - "type": "string", - "documentation": "Eac3 Attenuation Control", - "enum": [ - "ATTENUATE_3_DB", - "NONE" - ] - }, - "Eac3BitstreamMode": { - "type": "string", - "documentation": "Eac3 Bitstream Mode", - "enum": [ - "COMMENTARY", - "COMPLETE_MAIN", - "EMERGENCY", - "HEARING_IMPAIRED", - "VISUALLY_IMPAIRED" - ] - }, - "Eac3CodingMode": { - "type": "string", - "documentation": "Eac3 Coding Mode", - "enum": [ - "CODING_MODE_1_0", - "CODING_MODE_2_0", - "CODING_MODE_3_2" - ] - }, - "Eac3DcFilter": { - "type": "string", - "documentation": "Eac3 Dc Filter", - "enum": [ - "DISABLED", - "ENABLED" - ] - }, - "Eac3DrcLine": { - "type": "string", - "documentation": "Eac3 Drc Line", - "enum": [ - "FILM_LIGHT", - "FILM_STANDARD", - "MUSIC_LIGHT", - "MUSIC_STANDARD", - "NONE", - "SPEECH" - ] - }, - "Eac3DrcRf": { - "type": "string", - "documentation": "Eac3 Drc Rf", - "enum": [ - "FILM_LIGHT", - "FILM_STANDARD", - "MUSIC_LIGHT", - "MUSIC_STANDARD", - "NONE", - "SPEECH" - ] - }, - "Eac3LfeControl": { - "type": "string", - "documentation": "Eac3 Lfe Control", - "enum": [ - "LFE", - "NO_LFE" - ] - }, - "Eac3LfeFilter": { - "type": "string", - "documentation": "Eac3 Lfe Filter", - "enum": [ - "DISABLED", - "ENABLED" - ] - }, - "Eac3MetadataControl": { - "type": "string", - "documentation": "Eac3 Metadata Control", - "enum": [ - "FOLLOW_INPUT", - "USE_CONFIGURED" - ] - }, - "Eac3PassthroughControl": { - "type": "string", - "documentation": "Eac3 Passthrough Control", - "enum": [ - "NO_PASSTHROUGH", - "WHEN_POSSIBLE" - ] - }, - "Eac3PhaseControl": { - "type": "string", - "documentation": "Eac3 Phase Control", - "enum": [ - "NO_SHIFT", - "SHIFT_90_DEGREES" - ] + "DeleteMultiplexRequest": { + "type": "structure", + "members": { + "MultiplexId": { + "shape": "__string", + "location": "uri", + "locationName": "multiplexId", + "documentation": "The ID of the multiplex." + } + }, + "required": [ + "MultiplexId" + ], + "documentation": "Placeholder documentation for DeleteMultiplexRequest" }, - "Eac3Settings": { + "DeleteMultiplexResponse": { "type": "structure", "members": { - "AttenuationControl": { - "shape": "Eac3AttenuationControl", - "locationName": "attenuationControl", - "documentation": "When set to attenuate3Db, applies a 3 dB attenuation to the surround channels. Only used for 3/2 coding mode." - }, - "Bitrate": { - "shape": "__double", - "locationName": "bitrate", - "documentation": "Average bitrate in bits/second. Valid bitrates depend on the coding mode." + "Arn": { + "shape": "__string", + "locationName": "arn", + "documentation": "The unique arn of the multiplex." }, - "BitstreamMode": { - "shape": "Eac3BitstreamMode", - "locationName": "bitstreamMode", - "documentation": "Specifies the bitstream mode (bsmod) for the emitted E-AC-3 stream. See ATSC A/52-2012 (Annex E) for background on these values." + "AvailabilityZones": { + "shape": "__listOf__string", + "locationName": "availabilityZones", + "documentation": "A list of availability zones for the multiplex." }, - "CodingMode": { - "shape": "Eac3CodingMode", - "locationName": "codingMode", - "documentation": "Dolby Digital Plus coding mode. Determines number of channels." + "Destinations": { + "shape": "__listOfMultiplexOutputDestination", + "locationName": "destinations", + "documentation": "A list of the multiplex output destinations." }, - "DcFilter": { - "shape": "Eac3DcFilter", - "locationName": "dcFilter", - "documentation": "When set to enabled, activates a DC highpass filter for all input channels." + "Id": { + "shape": "__string", + "locationName": "id", + "documentation": "The unique id of the multiplex." }, - "Dialnorm": { - "shape": "__integerMin1Max31", - "locationName": "dialnorm", - "documentation": "Sets the dialnorm for the output. If blank and input audio is Dolby Digital Plus, dialnorm will be passed through." + "MultiplexSettings": { + "shape": "MultiplexSettings", + "locationName": "multiplexSettings", + "documentation": "Configuration for a multiplex event." }, - "DrcLine": { - "shape": "Eac3DrcLine", - "locationName": "drcLine", - "documentation": "Sets the Dolby dynamic range compression profile." + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "The name of the multiplex." }, - "DrcRf": { - "shape": "Eac3DrcRf", - "locationName": "drcRf", - "documentation": "Sets the profile for heavy Dolby dynamic range compression, ensures that the instantaneous signal peaks do not exceed specified levels." + "PipelinesRunningCount": { + "shape": "__integer", + "locationName": "pipelinesRunningCount", + "documentation": "The number of currently healthy pipelines." }, - "LfeControl": { - "shape": "Eac3LfeControl", - "locationName": "lfeControl", - "documentation": "When encoding 3/2 audio, setting to lfe enables the LFE channel" + "ProgramCount": { + "shape": "__integer", + "locationName": "programCount", + "documentation": "The number of programs in the multiplex." }, - "LfeFilter": { - "shape": "Eac3LfeFilter", - "locationName": "lfeFilter", - "documentation": "When set to enabled, applies a 120Hz lowpass filter to the LFE channel prior to encoding. Only valid with codingMode32 coding mode." + "State": { + "shape": "MultiplexState", + "locationName": "state", + "documentation": "The current state of the multiplex." }, - "LoRoCenterMixLevel": { - "shape": "__double", - "locationName": "loRoCenterMixLevel", - "documentation": "Left only/Right only center mix level. Only used for 3/2 coding mode." + "Tags": { + "shape": "Tags", + "locationName": "tags", + "documentation": "A collection of key-value pairs." + } + }, + "documentation": "Placeholder documentation for DeleteMultiplexResponse" + }, + "DeleteReservationRequest": { + "type": "structure", + "members": { + "ReservationId": { + "shape": "__string", + "location": "uri", + "locationName": "reservationId", + "documentation": "Unique reservation ID, e.g. '1234567'" + } + }, + "required": [ + "ReservationId" + ], + "documentation": "Placeholder documentation for DeleteReservationRequest" + }, + "DeleteReservationResponse": { + "type": "structure", + "members": { + "Arn": { + "shape": "__string", + "locationName": "arn", + "documentation": "Unique reservation ARN, e.g. 'arn:aws:medialive:us-west-2:123456789012:reservation:1234567'" }, - "LoRoSurroundMixLevel": { - "shape": "__double", - "locationName": "loRoSurroundMixLevel", - "documentation": "Left only/Right only surround mix level. Only used for 3/2 coding mode." + "Count": { + "shape": "__integer", + "locationName": "count", + "documentation": "Number of reserved resources" }, - "LtRtCenterMixLevel": { - "shape": "__double", - "locationName": "ltRtCenterMixLevel", - "documentation": "Left total/Right total center mix level. Only used for 3/2 coding mode." + "CurrencyCode": { + "shape": "__string", + "locationName": "currencyCode", + "documentation": "Currency code for usagePrice and fixedPrice in ISO-4217 format, e.g. 'USD'" }, - "LtRtSurroundMixLevel": { - "shape": "__double", - "locationName": "ltRtSurroundMixLevel", - "documentation": "Left total/Right total surround mix level. Only used for 3/2 coding mode." + "Duration": { + "shape": "__integer", + "locationName": "duration", + "documentation": "Lease duration, e.g. '12'" }, - "MetadataControl": { - "shape": "Eac3MetadataControl", - "locationName": "metadataControl", - "documentation": "When set to followInput, encoder metadata will be sourced from the DD, DD+, or DolbyE decoder that supplied this audio data. If audio was not supplied from one of these streams, then the static metadata settings will be used." + "DurationUnits": { + "shape": "OfferingDurationUnits", + "locationName": "durationUnits", + "documentation": "Units for duration, e.g. 'MONTHS'" }, - "PassthroughControl": { - "shape": "Eac3PassthroughControl", - "locationName": "passthroughControl", - "documentation": "When set to whenPossible, input DD+ audio will be passed through if it is present on the input. This detection is dynamic over the life of the transcode. Inputs that alternate between DD+ and non-DD+ content will have a consistent DD+ output as the system alternates between passthrough and encoding." + "End": { + "shape": "__string", + "locationName": "end", + "documentation": "Reservation UTC end date and time in ISO-8601 format, e.g. '2019-03-01T00:00:00'" }, - "PhaseControl": { - "shape": "Eac3PhaseControl", - "locationName": "phaseControl", - "documentation": "When set to shift90Degrees, applies a 90-degree phase shift to the surround channels. Only used for 3/2 coding mode." + "FixedPrice": { + "shape": "__double", + "locationName": "fixedPrice", + "documentation": "One-time charge for each reserved resource, e.g. '0.0' for a NO_UPFRONT offering" }, - "StereoDownmix": { - "shape": "Eac3StereoDownmix", - "locationName": "stereoDownmix", - "documentation": "Stereo downmix preference. Only used for 3/2 coding mode." + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "User specified reservation name" }, - "SurroundExMode": { - "shape": "Eac3SurroundExMode", - "locationName": "surroundExMode", - "documentation": "When encoding 3/2 audio, sets whether an extra center back surround channel is matrix encoded into the left and right surround channels." + "OfferingDescription": { + "shape": "__string", + "locationName": "offeringDescription", + "documentation": "Offering description, e.g. 'HD AVC output at 10-20 Mbps, 30 fps, and standard VQ in US West (Oregon)'" }, - "SurroundMode": { - "shape": "Eac3SurroundMode", - "locationName": "surroundMode", - "documentation": "When encoding 2/0 audio, sets whether Dolby Surround is matrix encoded into the two channels." + "OfferingId": { + "shape": "__string", + "locationName": "offeringId", + "documentation": "Unique offering ID, e.g. '87654321'" + }, + "OfferingType": { + "shape": "OfferingType", + "locationName": "offeringType", + "documentation": "Offering type, e.g. 'NO_UPFRONT'" + }, + "Region": { + "shape": "__string", + "locationName": "region", + "documentation": "AWS region, e.g. 'us-west-2'" + }, + "RenewalSettings": { + "shape": "RenewalSettings", + "locationName": "renewalSettings", + "documentation": "Renewal settings for the reservation" + }, + "ReservationId": { + "shape": "__string", + "locationName": "reservationId", + "documentation": "Unique reservation ID, e.g. '1234567'" + }, + "ResourceSpecification": { + "shape": "ReservationResourceSpecification", + "locationName": "resourceSpecification", + "documentation": "Resource configuration details" + }, + "Start": { + "shape": "__string", + "locationName": "start", + "documentation": "Reservation UTC start date and time in ISO-8601 format, e.g. '2018-03-01T00:00:00'" + }, + "State": { + "shape": "ReservationState", + "locationName": "state", + "documentation": "Current state of reservation, e.g. 'ACTIVE'" + }, + "Tags": { + "shape": "Tags", + "locationName": "tags", + "documentation": "A collection of key-value pairs" + }, + "UsagePrice": { + "shape": "__double", + "locationName": "usagePrice", + "documentation": "Recurring usage charge for each reserved resource, e.g. '157.0'" } }, - "documentation": "Eac3 Settings" - }, - "Eac3StereoDownmix": { - "type": "string", - "documentation": "Eac3 Stereo Downmix", - "enum": [ - "DPL2", - "LO_RO", - "LT_RT", - "NOT_INDICATED" - ] + "documentation": "Placeholder documentation for DeleteReservationResponse" }, - "Eac3SurroundExMode": { - "type": "string", - "documentation": "Eac3 Surround Ex Mode", - "enum": [ - "DISABLED", - "ENABLED", - "NOT_INDICATED" - ] + "DeleteScheduleRequest": { + "type": "structure", + "members": { + "ChannelId": { + "shape": "__string", + "location": "uri", + "locationName": "channelId", + "documentation": "Id of the channel whose schedule is being deleted." + } + }, + "required": [ + "ChannelId" + ], + "documentation": "Placeholder documentation for DeleteScheduleRequest" }, - "Eac3SurroundMode": { - "type": "string", - "documentation": "Eac3 Surround Mode", - "enum": [ - "DISABLED", - "ENABLED", - "NOT_INDICATED" - ] + "DeleteScheduleResponse": { + "type": "structure", + "members": { + }, + "documentation": "Placeholder documentation for DeleteScheduleResponse" }, - "EbuTtDDestinationSettings": { + "DeleteTagsRequest": { "type": "structure", "members": { - "CopyrightHolder": { - "shape": "__stringMax1000", - "locationName": "copyrightHolder", - "documentation": "Complete this field if you want to include the name of the copyright holder in the copyright tag in the captions metadata." - }, - "FillLineGap": { - "shape": "EbuTtDFillLineGapControl", - "locationName": "fillLineGap", - "documentation": "Specifies how to handle the gap between the lines (in multi-line captions).\n\n- enabled: Fill with the captions background color (as specified in the input captions).\n- disabled: Leave the gap unfilled." - }, - "FontFamily": { + "ResourceArn": { "shape": "__string", - "locationName": "fontFamily", - "documentation": "Specifies the font family to include in the font data attached to the EBU-TT captions. Valid only if styleControl is set to include. If you leave this field empty, the font family is set to \"monospaced\". (If styleControl is set to exclude, the font family is always set to \"monospaced\".)\n\nYou specify only the font family. All other style information (color, bold, position and so on) is copied from the input captions. The size is always set to 100% to allow the downstream player to choose the size.\n\n- Enter a list of font families, as a comma-separated list of font names, in order of preference. The name can be a font family (such as “Arial”), or a generic font family (such as “serif”), or “default” (to let the downstream player choose the font).\n- Leave blank to set the family to “monospace”." + "location": "uri", + "locationName": "resource-arn" }, - "StyleControl": { - "shape": "EbuTtDDestinationStyleControl", - "locationName": "styleControl", - "documentation": "Specifies the style information (font color, font position, and so on) to include in the font data that is attached to the EBU-TT captions.\n\n- include: Take the style information (font color, font position, and so on) from the source captions and include that information in the font data attached to the EBU-TT captions. This option is valid only if the source captions are Embedded or Teletext.\n- exclude: In the font data attached to the EBU-TT captions, set the font family to \"monospaced\". Do not include any other style information." + "TagKeys": { + "shape": "__listOf__string", + "location": "querystring", + "locationName": "tagKeys", + "documentation": "An array of tag keys to delete" } }, - "documentation": "Ebu Tt DDestination Settings" - }, - "EbuTtDDestinationStyleControl": { - "type": "string", - "documentation": "Ebu Tt DDestination Style Control", - "enum": [ - "EXCLUDE", - "INCLUDE" - ] - }, - "EbuTtDFillLineGapControl": { - "type": "string", - "documentation": "Ebu Tt DFill Line Gap Control", - "enum": [ - "DISABLED", - "ENABLED" - ] - }, - "EmbeddedConvert608To708": { - "type": "string", - "documentation": "Embedded Convert608 To708", - "enum": [ - "DISABLED", - "UPCONVERT" - ] + "required": [ + "TagKeys", + "ResourceArn" + ], + "documentation": "Placeholder documentation for DeleteTagsRequest" }, - "EmbeddedDestinationSettings": { + "DescribeAccountConfigurationRequest": { "type": "structure", "members": { }, - "documentation": "Embedded Destination Settings" + "documentation": "Placeholder documentation for DescribeAccountConfigurationRequest" }, - "EmbeddedPlusScte20DestinationSettings": { + "DescribeAccountConfigurationResponse": { "type": "structure", "members": { + "AccountConfiguration": { + "shape": "AccountConfiguration", + "locationName": "accountConfiguration" + } }, - "documentation": "Embedded Plus Scte20 Destination Settings" - }, - "EmbeddedScte20Detection": { - "type": "string", - "documentation": "Embedded Scte20 Detection", - "enum": [ - "AUTO", - "OFF" - ] + "documentation": "Placeholder documentation for DescribeAccountConfigurationResponse" }, - "EmbeddedSourceSettings": { + "DescribeAccountConfigurationResultModel": { "type": "structure", "members": { - "Convert608To708": { - "shape": "EmbeddedConvert608To708", - "locationName": "convert608To708", - "documentation": "If upconvert, 608 data is both passed through via the \"608 compatibility bytes\" fields of the 708 wrapper as well as translated into 708. 708 data present in the source content will be discarded." - }, - "Scte20Detection": { - "shape": "EmbeddedScte20Detection", - "locationName": "scte20Detection", - "documentation": "Set to \"auto\" to handle streams with intermittent and/or non-aligned SCTE-20 and Embedded captions." - }, - "Source608ChannelNumber": { - "shape": "__integerMin1Max4", - "locationName": "source608ChannelNumber", - "documentation": "Specifies the 608/708 channel number within the video track from which to extract captions. Unused for passthrough." - }, - "Source608TrackNumber": { - "shape": "__integerMin1Max5", - "locationName": "source608TrackNumber", - "documentation": "This field is unused and deprecated." + "AccountConfiguration": { + "shape": "AccountConfiguration", + "locationName": "accountConfiguration" } }, - "documentation": "Embedded Source Settings" + "documentation": "The account's configuration." }, - "Empty": { + "DescribeChannelRequest": { "type": "structure", "members": { + "ChannelId": { + "shape": "__string", + "location": "uri", + "locationName": "channelId", + "documentation": "channel ID" + } }, - "documentation": "Placeholder documentation for Empty" + "required": [ + "ChannelId" + ], + "documentation": "Placeholder documentation for DescribeChannelRequest" }, - "EncoderSettings": { + "DescribeChannelResponse": { "type": "structure", "members": { - "AudioDescriptions": { - "shape": "__listOfAudioDescription", - "locationName": "audioDescriptions" + "Arn": { + "shape": "__string", + "locationName": "arn", + "documentation": "The unique arn of the channel." }, - "AvailBlanking": { - "shape": "AvailBlanking", - "locationName": "availBlanking", - "documentation": "Settings for ad avail blanking." + "CdiInputSpecification": { + "shape": "CdiInputSpecification", + "locationName": "cdiInputSpecification", + "documentation": "Specification of CDI inputs for this channel" }, - "AvailConfiguration": { - "shape": "AvailConfiguration", - "locationName": "availConfiguration", - "documentation": "Event-wide configuration settings for ad avail insertion." + "ChannelClass": { + "shape": "ChannelClass", + "locationName": "channelClass", + "documentation": "The class for this channel. STANDARD for a channel with two pipelines or SINGLE_PIPELINE for a channel with one pipeline." }, - "BlackoutSlate": { - "shape": "BlackoutSlate", - "locationName": "blackoutSlate", - "documentation": "Settings for blackout slate." + "Destinations": { + "shape": "__listOfOutputDestination", + "locationName": "destinations", + "documentation": "A list of destinations of the channel. For UDP outputs, there is one\ndestination per output. For other types (HLS, for example), there is\none destination per packager." }, - "CaptionDescriptions": { - "shape": "__listOfCaptionDescription", - "locationName": "captionDescriptions", - "documentation": "Settings for caption decriptions" + "EgressEndpoints": { + "shape": "__listOfChannelEgressEndpoint", + "locationName": "egressEndpoints", + "documentation": "The endpoints where outgoing connections initiate from" }, - "FeatureActivations": { - "shape": "FeatureActivations", - "locationName": "featureActivations", - "documentation": "Feature Activations" + "EncoderSettings": { + "shape": "EncoderSettings", + "locationName": "encoderSettings" }, - "GlobalConfiguration": { - "shape": "GlobalConfiguration", - "locationName": "globalConfiguration", - "documentation": "Configuration settings that apply to the event as a whole." + "Id": { + "shape": "__string", + "locationName": "id", + "documentation": "The unique id of the channel." }, - "MotionGraphicsConfiguration": { - "shape": "MotionGraphicsConfiguration", - "locationName": "motionGraphicsConfiguration", - "documentation": "Settings for motion graphics." + "InputAttachments": { + "shape": "__listOfInputAttachment", + "locationName": "inputAttachments", + "documentation": "List of input attachments for channel." }, - "NielsenConfiguration": { - "shape": "NielsenConfiguration", - "locationName": "nielsenConfiguration", - "documentation": "Nielsen configuration settings." + "InputSpecification": { + "shape": "InputSpecification", + "locationName": "inputSpecification", + "documentation": "Specification of network and file inputs for this channel" }, - "OutputGroups": { - "shape": "__listOfOutputGroup", - "locationName": "outputGroups" + "LogLevel": { + "shape": "LogLevel", + "locationName": "logLevel", + "documentation": "The log level being written to CloudWatch Logs." }, - "TimecodeConfig": { - "shape": "TimecodeConfig", - "locationName": "timecodeConfig", - "documentation": "Contains settings used to acquire and adjust timecode information from inputs." + "Maintenance": { + "shape": "MaintenanceStatus", + "locationName": "maintenance", + "documentation": "Maintenance settings for this channel." }, - "VideoDescriptions": { - "shape": "__listOfVideoDescription", - "locationName": "videoDescriptions" + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "The name of the channel. (user-mutable)" }, - "ThumbnailConfiguration": { - "shape": "ThumbnailConfiguration", - "locationName": "thumbnailConfiguration", - "documentation": "Thumbnail configuration settings." + "PipelineDetails": { + "shape": "__listOfPipelineDetail", + "locationName": "pipelineDetails", + "documentation": "Runtime details for the pipelines of a running channel." }, - "ColorCorrectionSettings": { - "shape": "ColorCorrectionSettings", - "locationName": "colorCorrectionSettings", - "documentation": "Color Correction Settings" + "PipelinesRunningCount": { + "shape": "__integer", + "locationName": "pipelinesRunningCount", + "documentation": "The number of currently healthy pipelines." + }, + "RoleArn": { + "shape": "__string", + "locationName": "roleArn", + "documentation": "The Amazon Resource Name (ARN) of the role assumed when running the Channel." + }, + "State": { + "shape": "ChannelState", + "locationName": "state" + }, + "Tags": { + "shape": "Tags", + "locationName": "tags", + "documentation": "A collection of key-value pairs." + }, + "Vpc": { + "shape": "VpcOutputSettingsDescription", + "locationName": "vpc", + "documentation": "Settings for VPC output" + }, + "AnywhereSettings": { + "shape": "DescribeAnywhereSettings", + "locationName": "anywhereSettings", + "documentation": "Anywhere settings for this channel." } }, - "documentation": "Encoder Settings", - "required": [ - "VideoDescriptions", - "AudioDescriptions", - "OutputGroups", - "TimecodeConfig" - ] + "documentation": "Placeholder documentation for DescribeChannelResponse" }, - "EpochLockingSettings": { + "DescribeInputDeviceRequest": { "type": "structure", "members": { - "CustomEpoch": { - "shape": "__string", - "locationName": "customEpoch", - "documentation": "Optional. Enter a value here to use a custom epoch, instead of the standard epoch (which started at 1970-01-01T00:00:00 UTC). Specify the start time of the custom epoch, in YYYY-MM-DDTHH:MM:SS in UTC. The time must be 2000-01-01T00:00:00 or later. Always set the MM:SS portion to 00:00." - }, - "JamSyncTime": { + "InputDeviceId": { "shape": "__string", - "locationName": "jamSyncTime", - "documentation": "Optional. Enter a time for the jam sync. The default is midnight UTC. When epoch locking is enabled, MediaLive performs a daily jam sync on every output encode to ensure timecodes don’t diverge from the wall clock. The jam sync applies only to encodes with frame rate of 29.97 or 59.94 FPS. To override, enter a time in HH:MM:SS in UTC. Always set the MM:SS portion to 00:00." + "location": "uri", + "locationName": "inputDeviceId", + "documentation": "The unique ID of this input device. For example, hd-123456789abcdef." } }, - "documentation": "Epoch Locking Settings" + "required": [ + "InputDeviceId" + ], + "documentation": "Placeholder documentation for DescribeInputDeviceRequest" }, - "Esam": { + "DescribeInputDeviceResponse": { "type": "structure", "members": { - "AcquisitionPointId": { - "shape": "__stringMax256", - "locationName": "acquisitionPointId", - "documentation": "Sent as acquisitionPointIdentity to identify the MediaLive channel to the POIS." + "Arn": { + "shape": "__string", + "locationName": "arn", + "documentation": "The unique ARN of the input device." }, - "AdAvailOffset": { - "shape": "__integerMinNegative1000Max1000", - "locationName": "adAvailOffset", - "documentation": "When specified, this offset (in milliseconds) is added to the input Ad Avail PTS time. This only applies to embedded SCTE 104/35 messages and does not apply to OOB messages." + "ConnectionState": { + "shape": "InputDeviceConnectionState", + "locationName": "connectionState", + "documentation": "The state of the connection between the input device and AWS." }, - "PasswordParam": { + "DeviceSettingsSyncState": { + "shape": "DeviceSettingsSyncState", + "locationName": "deviceSettingsSyncState", + "documentation": "The status of the action to synchronize the device configuration. If you change the configuration of the input device (for example, the maximum bitrate), MediaLive sends the new data to the device. The device might not update itself immediately. SYNCED means the device has updated its configuration. SYNCING means that it has not updated its configuration." + }, + "DeviceUpdateStatus": { + "shape": "DeviceUpdateStatus", + "locationName": "deviceUpdateStatus", + "documentation": "The status of software on the input device." + }, + "HdDeviceSettings": { + "shape": "InputDeviceHdSettings", + "locationName": "hdDeviceSettings", + "documentation": "Settings that describe an input device that is type HD." + }, + "Id": { "shape": "__string", - "locationName": "passwordParam", - "documentation": "Documentation update needed" + "locationName": "id", + "documentation": "The unique ID of the input device." }, - "PoisEndpoint": { - "shape": "__stringMax2048", - "locationName": "poisEndpoint", - "documentation": "The URL of the signal conditioner endpoint on the Placement Opportunity Information System (POIS). MediaLive sends SignalProcessingEvents here when SCTE-35 messages are read." + "MacAddress": { + "shape": "__string", + "locationName": "macAddress", + "documentation": "The network MAC address of the input device." }, - "Username": { + "Name": { "shape": "__string", - "locationName": "username", - "documentation": "Documentation update needed" + "locationName": "name", + "documentation": "A name that you specify for the input device." }, - "ZoneIdentity": { - "shape": "__stringMax256", - "locationName": "zoneIdentity", - "documentation": "Optional data sent as zoneIdentity to identify the MediaLive channel to the POIS." + "NetworkSettings": { + "shape": "InputDeviceNetworkSettings", + "locationName": "networkSettings", + "documentation": "The network settings for the input device." + }, + "SerialNumber": { + "shape": "__string", + "locationName": "serialNumber", + "documentation": "The unique serial number of the input device." + }, + "Type": { + "shape": "InputDeviceType", + "locationName": "type", + "documentation": "The type of the input device." + }, + "UhdDeviceSettings": { + "shape": "InputDeviceUhdSettings", + "locationName": "uhdDeviceSettings", + "documentation": "Settings that describe an input device that is type UHD." + }, + "Tags": { + "shape": "Tags", + "locationName": "tags", + "documentation": "A collection of key-value pairs." + }, + "AvailabilityZone": { + "shape": "__string", + "locationName": "availabilityZone", + "documentation": "The Availability Zone associated with this input device." + }, + "MedialiveInputArns": { + "shape": "__listOf__string", + "locationName": "medialiveInputArns", + "documentation": "An array of the ARNs for the MediaLive inputs attached to the device. Returned only if the outputType is MEDIALIVE_INPUT." + }, + "OutputType": { + "shape": "InputDeviceOutputType", + "locationName": "outputType", + "documentation": "The output attachment type of the input device. Specifies MEDIACONNECT_FLOW if this device is the source for a MediaConnect flow. Specifies MEDIALIVE_INPUT if this device is the source for a MediaLive input." } }, - "documentation": "Esam", - "required": [ - "AcquisitionPointId", - "PoisEndpoint" - ] + "documentation": "Placeholder documentation for DescribeInputDeviceResponse" }, - "FailoverCondition": { + "DescribeInputDeviceThumbnailRequest": { "type": "structure", "members": { - "FailoverConditionSettings": { - "shape": "FailoverConditionSettings", - "locationName": "failoverConditionSettings", - "documentation": "Failover condition type-specific settings." - } + "InputDeviceId": { + "shape": "__string", + "location": "uri", + "locationName": "inputDeviceId", + "documentation": "The unique ID of this input device. For example, hd-123456789abcdef." + }, + "Accept": { + "shape": "AcceptHeader", + "location": "header", + "locationName": "accept", + "documentation": "The HTTP Accept header. Indicates the requested type for the thumbnail." + } }, - "documentation": "Failover Condition settings. There can be multiple failover conditions inside AutomaticInputFailoverSettings." + "required": [ + "InputDeviceId", + "Accept" + ], + "documentation": "Placeholder documentation for DescribeInputDeviceThumbnailRequest" }, - "FailoverConditionSettings": { + "DescribeInputDeviceThumbnailResponse": { "type": "structure", "members": { - "AudioSilenceSettings": { - "shape": "AudioSilenceFailoverSettings", - "locationName": "audioSilenceSettings", - "documentation": "MediaLive will perform a failover if the specified audio selector is silent for the specified period." + "Body": { + "shape": "InputDeviceThumbnail", + "locationName": "body", + "documentation": "The binary data for the thumbnail that the Link device has most recently sent to MediaLive." }, - "InputLossSettings": { - "shape": "InputLossFailoverSettings", - "locationName": "inputLossSettings", - "documentation": "MediaLive will perform a failover if content is not detected in this input for the specified period." + "ContentType": { + "shape": "ContentType", + "location": "header", + "locationName": "Content-Type", + "documentation": "Specifies the media type of the thumbnail." }, - "VideoBlackSettings": { - "shape": "VideoBlackFailoverSettings", - "locationName": "videoBlackSettings", - "documentation": "MediaLive will perform a failover if content is considered black for the specified period." + "ContentLength": { + "shape": "__long", + "location": "header", + "locationName": "Content-Length", + "documentation": "The length of the content." + }, + "ETag": { + "shape": "__string", + "location": "header", + "locationName": "ETag", + "documentation": "The unique, cacheable version of this thumbnail." + }, + "LastModified": { + "shape": "__timestamp", + "location": "header", + "locationName": "Last-Modified", + "documentation": "The date and time the thumbnail was last updated at the device." } }, - "documentation": "Settings for one failover condition." + "documentation": "Placeholder documentation for DescribeInputDeviceThumbnailResponse", + "payload": "Body" }, - "FeatureActivations": { + "DescribeInputRequest": { "type": "structure", "members": { - "InputPrepareScheduleActions": { - "shape": "FeatureActivationsInputPrepareScheduleActions", - "locationName": "inputPrepareScheduleActions", - "documentation": "Enables the Input Prepare feature. You can create Input Prepare actions in the schedule only if this feature is enabled.\nIf you disable the feature on an existing schedule, make sure that you first delete all input prepare actions from the schedule." - }, - "OutputStaticImageOverlayScheduleActions": { - "shape": "FeatureActivationsOutputStaticImageOverlayScheduleActions", - "locationName": "outputStaticImageOverlayScheduleActions", - "documentation": "Enables the output static image overlay feature. Enabling this feature allows you to send channel schedule updates\nto display/clear/modify image overlays on an output-by-output bases." + "InputId": { + "shape": "__string", + "location": "uri", + "locationName": "inputId", + "documentation": "Unique ID of the input" } }, - "documentation": "Feature Activations" - }, - "FeatureActivationsInputPrepareScheduleActions": { - "type": "string", - "documentation": "Feature Activations Input Prepare Schedule Actions", - "enum": [ - "DISABLED", - "ENABLED" - ] - }, - "FeatureActivationsOutputStaticImageOverlayScheduleActions": { - "type": "string", - "documentation": "Feature Activations Output Static Image Overlay Schedule Actions", - "enum": [ - "DISABLED", - "ENABLED" - ] - }, - "FecOutputIncludeFec": { - "type": "string", - "documentation": "Fec Output Include Fec", - "enum": [ - "COLUMN", - "COLUMN_AND_ROW" - ] + "required": [ + "InputId" + ], + "documentation": "Placeholder documentation for DescribeInputRequest" }, - "FecOutputSettings": { + "DescribeInputResponse": { "type": "structure", "members": { - "ColumnDepth": { - "shape": "__integerMin4Max20", - "locationName": "columnDepth", - "documentation": "Parameter D from SMPTE 2022-1. The height of the FEC protection matrix. The number of transport stream packets per column error correction packet. Must be between 4 and 20, inclusive." + "Arn": { + "shape": "__string", + "locationName": "arn", + "documentation": "The Unique ARN of the input (generated, immutable)." }, - "IncludeFec": { - "shape": "FecOutputIncludeFec", - "locationName": "includeFec", - "documentation": "Enables column only or column and row based FEC" + "AttachedChannels": { + "shape": "__listOf__string", + "locationName": "attachedChannels", + "documentation": "A list of channel IDs that that input is attached to (currently an input can only be attached to one channel)." }, - "RowLength": { - "shape": "__integerMin1Max20", - "locationName": "rowLength", - "documentation": "Parameter L from SMPTE 2022-1. The width of the FEC protection matrix. Must be between 1 and 20, inclusive. If only Column FEC is used, then larger values increase robustness. If Row FEC is used, then this is the number of transport stream packets per row error correction packet, and the value must be between 4 and 20, inclusive, if includeFec is columnAndRow. If includeFec is column, this value must be 1 to 20, inclusive." + "Destinations": { + "shape": "__listOfInputDestination", + "locationName": "destinations", + "documentation": "A list of the destinations of the input (PUSH-type)." + }, + "Id": { + "shape": "__string", + "locationName": "id", + "documentation": "The generated ID of the input (unique for user account, immutable)." + }, + "InputClass": { + "shape": "InputClass", + "locationName": "inputClass", + "documentation": "STANDARD - MediaLive expects two sources to be connected to this input. If the channel is also STANDARD, both sources will be ingested. If the channel is SINGLE_PIPELINE, only the first source will be ingested; the second source will always be ignored, even if the first source fails.\nSINGLE_PIPELINE - You can connect only one source to this input. If the ChannelClass is also SINGLE_PIPELINE, this value is valid. If the ChannelClass is STANDARD, this value is not valid because the channel requires two sources in the input." + }, + "InputDevices": { + "shape": "__listOfInputDeviceSettings", + "locationName": "inputDevices", + "documentation": "Settings for the input devices." + }, + "InputPartnerIds": { + "shape": "__listOf__string", + "locationName": "inputPartnerIds", + "documentation": "A list of IDs for all Inputs which are partners of this one." + }, + "InputSourceType": { + "shape": "InputSourceType", + "locationName": "inputSourceType", + "documentation": "Certain pull input sources can be dynamic, meaning that they can have their URL's dynamically changes\nduring input switch actions. Presently, this functionality only works with MP4_FILE and TS_FILE inputs." + }, + "MediaConnectFlows": { + "shape": "__listOfMediaConnectFlow", + "locationName": "mediaConnectFlows", + "documentation": "A list of MediaConnect Flows for this input." + }, + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "The user-assigned name (This is a mutable value)." + }, + "RoleArn": { + "shape": "__string", + "locationName": "roleArn", + "documentation": "The Amazon Resource Name (ARN) of the role this input assumes during and after creation." + }, + "SecurityGroups": { + "shape": "__listOf__string", + "locationName": "securityGroups", + "documentation": "A list of IDs for all the Input Security Groups attached to the input." + }, + "Sources": { + "shape": "__listOfInputSource", + "locationName": "sources", + "documentation": "A list of the sources of the input (PULL-type)." + }, + "State": { + "shape": "InputState", + "locationName": "state" + }, + "Tags": { + "shape": "Tags", + "locationName": "tags", + "documentation": "A collection of key-value pairs." + }, + "Type": { + "shape": "InputType", + "locationName": "type" + }, + "SrtSettings": { + "shape": "SrtSettings", + "locationName": "srtSettings", + "documentation": "The settings associated with an SRT input." + }, + "InputNetworkLocation": { + "shape": "InputNetworkLocation", + "locationName": "inputNetworkLocation", + "documentation": "The location of this input. AWS, for an input existing in the AWS Cloud, On-Prem for\nan input in a customer network." + }, + "MulticastSettings": { + "shape": "MulticastSettings", + "locationName": "multicastSettings", + "documentation": "Multicast Input settings." } }, - "documentation": "Fec Output Settings" - }, - "FixedAfd": { - "type": "string", - "documentation": "Fixed Afd", - "enum": [ - "AFD_0000", - "AFD_0010", - "AFD_0011", - "AFD_0100", - "AFD_1000", - "AFD_1001", - "AFD_1010", - "AFD_1011", - "AFD_1101", - "AFD_1110", - "AFD_1111" - ] + "documentation": "Placeholder documentation for DescribeInputResponse" }, - "FixedModeScheduleActionStartSettings": { + "DescribeInputSecurityGroupRequest": { "type": "structure", "members": { - "Time": { + "InputSecurityGroupId": { "shape": "__string", - "locationName": "time", - "documentation": "Start time for the action to start in the channel. (Not the time for the action to be added to the schedule: actions are always added to the schedule immediately.) UTC format: yyyy-mm-ddThh:mm:ss.nnnZ. All the letters are digits (for example, mm might be 01) except for the two constants \"T\" for time and \"Z\" for \"UTC format\"." + "location": "uri", + "locationName": "inputSecurityGroupId", + "documentation": "The id of the Input Security Group to describe" } }, - "documentation": "Start time for the action.", "required": [ - "Time" - ] + "InputSecurityGroupId" + ], + "documentation": "Placeholder documentation for DescribeInputSecurityGroupRequest" }, - "Fmp4HlsSettings": { + "DescribeInputSecurityGroupResponse": { "type": "structure", "members": { - "AudioRenditionSets": { + "Arn": { "shape": "__string", - "locationName": "audioRenditionSets", - "documentation": "List all the audio groups that are used with the video output stream. Input all the audio GROUP-IDs that are associated to the video, separate by ','." + "locationName": "arn", + "documentation": "Unique ARN of Input Security Group" }, - "NielsenId3Behavior": { - "shape": "Fmp4NielsenId3Behavior", - "locationName": "nielsenId3Behavior", - "documentation": "If set to passthrough, Nielsen inaudible tones for media tracking will be detected in the input audio and an equivalent ID3 tag will be inserted in the output." + "Id": { + "shape": "__string", + "locationName": "id", + "documentation": "The Id of the Input Security Group" }, - "TimedMetadataBehavior": { - "shape": "Fmp4TimedMetadataBehavior", - "locationName": "timedMetadataBehavior", - "documentation": "When set to passthrough, timed metadata is passed through from input to output." - } + "Inputs": { + "shape": "__listOf__string", + "locationName": "inputs", + "documentation": "The list of inputs currently using this Input Security Group." + }, + "State": { + "shape": "InputSecurityGroupState", + "locationName": "state", + "documentation": "The current state of the Input Security Group." + }, + "Tags": { + "shape": "Tags", + "locationName": "tags", + "documentation": "A collection of key-value pairs." + }, + "WhitelistRules": { + "shape": "__listOfInputWhitelistRule", + "locationName": "whitelistRules", + "documentation": "Whitelist rules and their sync status" + } }, - "documentation": "Fmp4 Hls Settings" - }, - "Fmp4NielsenId3Behavior": { - "type": "string", - "documentation": "Fmp4 Nielsen Id3 Behavior", - "enum": [ - "NO_PASSTHROUGH", - "PASSTHROUGH" - ] - }, - "Fmp4TimedMetadataBehavior": { - "type": "string", - "documentation": "Fmp4 Timed Metadata Behavior", - "enum": [ - "NO_PASSTHROUGH", - "PASSTHROUGH" - ] + "documentation": "Placeholder documentation for DescribeInputSecurityGroupResponse" }, - "FollowModeScheduleActionStartSettings": { + "DescribeMultiplexProgramRequest": { "type": "structure", "members": { - "FollowPoint": { - "shape": "FollowPoint", - "locationName": "followPoint", - "documentation": "Identifies whether this action starts relative to the start or relative to the end of the reference action." + "MultiplexId": { + "shape": "__string", + "location": "uri", + "locationName": "multiplexId", + "documentation": "The ID of the multiplex that the program belongs to." }, - "ReferenceActionName": { + "ProgramName": { "shape": "__string", - "locationName": "referenceActionName", - "documentation": "The action name of another action that this one refers to." + "location": "uri", + "locationName": "programName", + "documentation": "The name of the program." } }, - "documentation": "Settings to specify if an action follows another.", "required": [ - "ReferenceActionName", - "FollowPoint" - ] - }, - "FollowPoint": { - "type": "string", - "documentation": "Follow reference point.", - "enum": [ - "END", - "START" - ] + "MultiplexId", + "ProgramName" + ], + "documentation": "Placeholder documentation for DescribeMultiplexProgramRequest" }, - "ForbiddenException": { + "DescribeMultiplexProgramResponse": { "type": "structure", "members": { - "Message": { + "ChannelId": { "shape": "__string", - "locationName": "message" - } - }, - "exception": true, - "error": { - "httpStatusCode": 403 - }, - "documentation": "Placeholder documentation for ForbiddenException" - }, - "FrameCaptureCdnSettings": { - "type": "structure", - "members": { - "FrameCaptureS3Settings": { - "shape": "FrameCaptureS3Settings", - "locationName": "frameCaptureS3Settings" + "locationName": "channelId", + "documentation": "The MediaLive channel associated with the program." + }, + "MultiplexProgramSettings": { + "shape": "MultiplexProgramSettings", + "locationName": "multiplexProgramSettings", + "documentation": "The settings for this multiplex program." + }, + "PacketIdentifiersMap": { + "shape": "MultiplexProgramPacketIdentifiersMap", + "locationName": "packetIdentifiersMap", + "documentation": "The packet identifier map for this multiplex program." + }, + "PipelineDetails": { + "shape": "__listOfMultiplexProgramPipelineDetail", + "locationName": "pipelineDetails", + "documentation": "Contains information about the current sources for the specified program in the specified multiplex. Keep in mind that each multiplex pipeline connects to both pipelines in a given source channel (the channel identified by the program). But only one of those channel pipelines is ever active at one time." + }, + "ProgramName": { + "shape": "__string", + "locationName": "programName", + "documentation": "The name of the multiplex program." } }, - "documentation": "Frame Capture Cdn Settings" + "documentation": "Placeholder documentation for DescribeMultiplexProgramResponse" }, - "FrameCaptureGroupSettings": { + "DescribeMultiplexRequest": { "type": "structure", "members": { - "Destination": { - "shape": "OutputLocationRef", - "locationName": "destination", - "documentation": "The destination for the frame capture files. Either the URI for an Amazon S3 bucket and object, plus a file name prefix (for example, s3ssl://sportsDelivery/highlights/20180820/curling-) or the URI for a MediaStore container, plus a file name prefix (for example, mediastoressl://sportsDelivery/20180820/curling-). The final file names consist of the prefix from the destination field (for example, \"curling-\") + name modifier + the counter (5 digits, starting from 00001) + extension (which is always .jpg). For example, curling-low.00001.jpg" - }, - "FrameCaptureCdnSettings": { - "shape": "FrameCaptureCdnSettings", - "locationName": "frameCaptureCdnSettings", - "documentation": "Parameters that control interactions with the CDN." + "MultiplexId": { + "shape": "__string", + "location": "uri", + "locationName": "multiplexId", + "documentation": "The ID of the multiplex." } }, - "documentation": "Frame Capture Group Settings", "required": [ - "Destination" - ] - }, - "FrameCaptureHlsSettings": { - "type": "structure", - "members": { - }, - "documentation": "Frame Capture Hls Settings" - }, - "FrameCaptureIntervalUnit": { - "type": "string", - "documentation": "Frame Capture Interval Unit", - "enum": [ - "MILLISECONDS", - "SECONDS" - ] + "MultiplexId" + ], + "documentation": "Placeholder documentation for DescribeMultiplexRequest" }, - "FrameCaptureOutputSettings": { + "DescribeMultiplexResponse": { "type": "structure", "members": { - "NameModifier": { + "Arn": { "shape": "__string", - "locationName": "nameModifier", - "documentation": "Required if the output group contains more than one output. This modifier forms part of the output file name." + "locationName": "arn", + "documentation": "The unique arn of the multiplex." + }, + "AvailabilityZones": { + "shape": "__listOf__string", + "locationName": "availabilityZones", + "documentation": "A list of availability zones for the multiplex." + }, + "Destinations": { + "shape": "__listOfMultiplexOutputDestination", + "locationName": "destinations", + "documentation": "A list of the multiplex output destinations." + }, + "Id": { + "shape": "__string", + "locationName": "id", + "documentation": "The unique id of the multiplex." + }, + "MultiplexSettings": { + "shape": "MultiplexSettings", + "locationName": "multiplexSettings", + "documentation": "Configuration for a multiplex event." + }, + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "The name of the multiplex." + }, + "PipelinesRunningCount": { + "shape": "__integer", + "locationName": "pipelinesRunningCount", + "documentation": "The number of currently healthy pipelines." + }, + "ProgramCount": { + "shape": "__integer", + "locationName": "programCount", + "documentation": "The number of programs in the multiplex." + }, + "State": { + "shape": "MultiplexState", + "locationName": "state", + "documentation": "The current state of the multiplex." + }, + "Tags": { + "shape": "Tags", + "locationName": "tags", + "documentation": "A collection of key-value pairs." } }, - "documentation": "Frame Capture Output Settings" - }, - "FrameCaptureS3LogUploads": { - "type": "string", - "documentation": "Frame Capture S3 Log Uploads", - "enum": [ - "DISABLED", - "ENABLED" - ] + "documentation": "Placeholder documentation for DescribeMultiplexResponse" }, - "FrameCaptureS3Settings": { + "DescribeOfferingRequest": { "type": "structure", "members": { - "CannedAcl": { - "shape": "S3CannedAcl", - "locationName": "cannedAcl", - "documentation": "Specify the canned ACL to apply to each S3 request. Defaults to none." + "OfferingId": { + "shape": "__string", + "location": "uri", + "locationName": "offeringId", + "documentation": "Unique offering ID, e.g. '87654321'" } }, - "documentation": "Frame Capture S3 Settings" + "required": [ + "OfferingId" + ], + "documentation": "Placeholder documentation for DescribeOfferingRequest" }, - "FrameCaptureSettings": { + "DescribeOfferingResponse": { "type": "structure", "members": { - "CaptureInterval": { - "shape": "__integerMin1Max3600000", - "locationName": "captureInterval", - "documentation": "The frequency at which to capture frames for inclusion in the output. May be specified in either seconds or milliseconds, as specified by captureIntervalUnits." + "Arn": { + "shape": "__string", + "locationName": "arn", + "documentation": "Unique offering ARN, e.g. 'arn:aws:medialive:us-west-2:123456789012:offering:87654321'" }, - "CaptureIntervalUnits": { - "shape": "FrameCaptureIntervalUnit", - "locationName": "captureIntervalUnits", - "documentation": "Unit for the frame capture interval." + "CurrencyCode": { + "shape": "__string", + "locationName": "currencyCode", + "documentation": "Currency code for usagePrice and fixedPrice in ISO-4217 format, e.g. 'USD'" }, - "TimecodeBurninSettings": { - "shape": "TimecodeBurninSettings", - "locationName": "timecodeBurninSettings", - "documentation": "Timecode burn-in settings" - } - }, - "documentation": "Frame Capture Settings" - }, - "GatewayTimeoutException": { + "Duration": { + "shape": "__integer", + "locationName": "duration", + "documentation": "Lease duration, e.g. '12'" + }, + "DurationUnits": { + "shape": "OfferingDurationUnits", + "locationName": "durationUnits", + "documentation": "Units for duration, e.g. 'MONTHS'" + }, + "FixedPrice": { + "shape": "__double", + "locationName": "fixedPrice", + "documentation": "One-time charge for each reserved resource, e.g. '0.0' for a NO_UPFRONT offering" + }, + "OfferingDescription": { + "shape": "__string", + "locationName": "offeringDescription", + "documentation": "Offering description, e.g. 'HD AVC output at 10-20 Mbps, 30 fps, and standard VQ in US West (Oregon)'" + }, + "OfferingId": { + "shape": "__string", + "locationName": "offeringId", + "documentation": "Unique offering ID, e.g. '87654321'" + }, + "OfferingType": { + "shape": "OfferingType", + "locationName": "offeringType", + "documentation": "Offering type, e.g. 'NO_UPFRONT'" + }, + "Region": { + "shape": "__string", + "locationName": "region", + "documentation": "AWS region, e.g. 'us-west-2'" + }, + "ResourceSpecification": { + "shape": "ReservationResourceSpecification", + "locationName": "resourceSpecification", + "documentation": "Resource configuration details" + }, + "UsagePrice": { + "shape": "__double", + "locationName": "usagePrice", + "documentation": "Recurring usage charge for each reserved resource, e.g. '157.0'" + } + }, + "documentation": "Placeholder documentation for DescribeOfferingResponse" + }, + "DescribeReservationRequest": { "type": "structure", "members": { - "Message": { + "ReservationId": { "shape": "__string", - "locationName": "message" + "location": "uri", + "locationName": "reservationId", + "documentation": "Unique reservation ID, e.g. '1234567'" } }, - "exception": true, - "error": { - "httpStatusCode": 504 - }, - "documentation": "Placeholder documentation for GatewayTimeoutException" + "required": [ + "ReservationId" + ], + "documentation": "Placeholder documentation for DescribeReservationRequest" }, - "GlobalConfiguration": { + "DescribeReservationResponse": { "type": "structure", "members": { - "InitialAudioGain": { - "shape": "__integerMinNegative60Max60", - "locationName": "initialAudioGain", - "documentation": "Value to set the initial audio gain for the Live Event." + "Arn": { + "shape": "__string", + "locationName": "arn", + "documentation": "Unique reservation ARN, e.g. 'arn:aws:medialive:us-west-2:123456789012:reservation:1234567'" }, - "InputEndAction": { - "shape": "GlobalConfigurationInputEndAction", - "locationName": "inputEndAction", - "documentation": "Indicates the action to take when the current input completes (e.g. end-of-file). When switchAndLoopInputs is configured the encoder will restart at the beginning of the first input. When \"none\" is configured the encoder will transcode either black, a solid color, or a user specified slate images per the \"Input Loss Behavior\" configuration until the next input switch occurs (which is controlled through the Channel Schedule API)." + "Count": { + "shape": "__integer", + "locationName": "count", + "documentation": "Number of reserved resources" }, - "InputLossBehavior": { - "shape": "InputLossBehavior", - "locationName": "inputLossBehavior", - "documentation": "Settings for system actions when input is lost." + "CurrencyCode": { + "shape": "__string", + "locationName": "currencyCode", + "documentation": "Currency code for usagePrice and fixedPrice in ISO-4217 format, e.g. 'USD'" }, - "OutputLockingMode": { - "shape": "GlobalConfigurationOutputLockingMode", - "locationName": "outputLockingMode", - "documentation": "Indicates how MediaLive pipelines are synchronized.\n\nPIPELINE_LOCKING - MediaLive will attempt to synchronize the output of each pipeline to the other.\nEPOCH_LOCKING - MediaLive will attempt to synchronize the output of each pipeline to the Unix epoch." + "Duration": { + "shape": "__integer", + "locationName": "duration", + "documentation": "Lease duration, e.g. '12'" }, - "OutputTimingSource": { - "shape": "GlobalConfigurationOutputTimingSource", - "locationName": "outputTimingSource", - "documentation": "Indicates whether the rate of frames emitted by the Live encoder should be paced by its system clock (which optionally may be locked to another source via NTP) or should be locked to the clock of the source that is providing the input stream." + "DurationUnits": { + "shape": "OfferingDurationUnits", + "locationName": "durationUnits", + "documentation": "Units for duration, e.g. 'MONTHS'" }, - "SupportLowFramerateInputs": { - "shape": "GlobalConfigurationLowFramerateInputs", - "locationName": "supportLowFramerateInputs", - "documentation": "Adjusts video input buffer for streams with very low video framerates. This is commonly set to enabled for music channels with less than one video frame per second." + "End": { + "shape": "__string", + "locationName": "end", + "documentation": "Reservation UTC end date and time in ISO-8601 format, e.g. '2019-03-01T00:00:00'" }, - "OutputLockingSettings": { - "shape": "OutputLockingSettings", - "locationName": "outputLockingSettings", - "documentation": "Advanced output locking settings" + "FixedPrice": { + "shape": "__double", + "locationName": "fixedPrice", + "documentation": "One-time charge for each reserved resource, e.g. '0.0' for a NO_UPFRONT offering" + }, + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "User specified reservation name" + }, + "OfferingDescription": { + "shape": "__string", + "locationName": "offeringDescription", + "documentation": "Offering description, e.g. 'HD AVC output at 10-20 Mbps, 30 fps, and standard VQ in US West (Oregon)'" + }, + "OfferingId": { + "shape": "__string", + "locationName": "offeringId", + "documentation": "Unique offering ID, e.g. '87654321'" + }, + "OfferingType": { + "shape": "OfferingType", + "locationName": "offeringType", + "documentation": "Offering type, e.g. 'NO_UPFRONT'" + }, + "Region": { + "shape": "__string", + "locationName": "region", + "documentation": "AWS region, e.g. 'us-west-2'" + }, + "RenewalSettings": { + "shape": "RenewalSettings", + "locationName": "renewalSettings", + "documentation": "Renewal settings for the reservation" + }, + "ReservationId": { + "shape": "__string", + "locationName": "reservationId", + "documentation": "Unique reservation ID, e.g. '1234567'" + }, + "ResourceSpecification": { + "shape": "ReservationResourceSpecification", + "locationName": "resourceSpecification", + "documentation": "Resource configuration details" + }, + "Start": { + "shape": "__string", + "locationName": "start", + "documentation": "Reservation UTC start date and time in ISO-8601 format, e.g. '2018-03-01T00:00:00'" + }, + "State": { + "shape": "ReservationState", + "locationName": "state", + "documentation": "Current state of reservation, e.g. 'ACTIVE'" + }, + "Tags": { + "shape": "Tags", + "locationName": "tags", + "documentation": "A collection of key-value pairs" + }, + "UsagePrice": { + "shape": "__double", + "locationName": "usagePrice", + "documentation": "Recurring usage charge for each reserved resource, e.g. '157.0'" } }, - "documentation": "Global Configuration" - }, - "GlobalConfigurationInputEndAction": { - "type": "string", - "documentation": "Global Configuration Input End Action", - "enum": [ - "NONE", - "SWITCH_AND_LOOP_INPUTS" - ] - }, - "GlobalConfigurationLowFramerateInputs": { - "type": "string", - "documentation": "Global Configuration Low Framerate Inputs", - "enum": [ - "DISABLED", - "ENABLED" - ] - }, - "GlobalConfigurationOutputLockingMode": { - "type": "string", - "documentation": "Global Configuration Output Locking Mode", - "enum": [ - "EPOCH_LOCKING", - "PIPELINE_LOCKING" - ] - }, - "GlobalConfigurationOutputTimingSource": { - "type": "string", - "documentation": "Global Configuration Output Timing Source", - "enum": [ - "INPUT_CLOCK", - "SYSTEM_CLOCK" - ] - }, - "H264AdaptiveQuantization": { - "type": "string", - "documentation": "H264 Adaptive Quantization", - "enum": [ - "AUTO", - "HIGH", - "HIGHER", - "LOW", - "MAX", - "MEDIUM", - "OFF" - ] - }, - "H264ColorMetadata": { - "type": "string", - "documentation": "H264 Color Metadata", - "enum": [ - "IGNORE", - "INSERT" - ] + "documentation": "Placeholder documentation for DescribeReservationResponse" }, - "H264ColorSpaceSettings": { + "DescribeScheduleRequest": { "type": "structure", "members": { - "ColorSpacePassthroughSettings": { - "shape": "ColorSpacePassthroughSettings", - "locationName": "colorSpacePassthroughSettings" + "ChannelId": { + "shape": "__string", + "location": "uri", + "locationName": "channelId", + "documentation": "Id of the channel whose schedule is being updated." }, - "Rec601Settings": { - "shape": "Rec601Settings", - "locationName": "rec601Settings" + "MaxResults": { + "shape": "MaxResults", + "location": "querystring", + "locationName": "maxResults" }, - "Rec709Settings": { - "shape": "Rec709Settings", - "locationName": "rec709Settings" + "NextToken": { + "shape": "__string", + "location": "querystring", + "locationName": "nextToken" } }, - "documentation": "H264 Color Space Settings" + "required": [ + "ChannelId" + ], + "documentation": "Placeholder documentation for DescribeScheduleRequest" }, - "H264EntropyEncoding": { - "type": "string", - "documentation": "H264 Entropy Encoding", - "enum": [ - "CABAC", - "CAVLC" - ] + "DescribeScheduleResponse": { + "type": "structure", + "members": { + "NextToken": { + "shape": "__string", + "locationName": "nextToken", + "documentation": "The next token; for use in pagination." + }, + "ScheduleActions": { + "shape": "__listOfScheduleAction", + "locationName": "scheduleActions", + "documentation": "The list of actions in the schedule." + } + }, + "documentation": "Placeholder documentation for DescribeScheduleResponse" }, - "H264FilterSettings": { + "DescribeThumbnailsRequest": { "type": "structure", "members": { - "TemporalFilterSettings": { - "shape": "TemporalFilterSettings", - "locationName": "temporalFilterSettings" + "ChannelId": { + "shape": "__string", + "location": "uri", + "locationName": "channelId", + "documentation": "Unique ID of the channel" + }, + "PipelineId": { + "shape": "__string", + "location": "querystring", + "locationName": "pipelineId", + "documentation": "Pipeline ID (\"0\" or \"1\")" + }, + "ThumbnailType": { + "shape": "__string", + "location": "querystring", + "locationName": "thumbnailType", + "documentation": "thumbnail type" } }, - "documentation": "H264 Filter Settings" + "required": [ + "ThumbnailType", + "PipelineId", + "ChannelId" + ], + "documentation": "Placeholder documentation for DescribeThumbnailsRequest" }, - "H264FlickerAq": { - "type": "string", - "documentation": "H264 Flicker Aq", - "enum": [ - "DISABLED", - "ENABLED" - ] + "DescribeThumbnailsResponse": { + "type": "structure", + "members": { + "ThumbnailDetails": { + "shape": "__listOfThumbnailDetail", + "locationName": "thumbnailDetails" + } + }, + "documentation": "Placeholder documentation for DescribeThumbnailsResponse" }, - "H264ForceFieldPictures": { + "DescribeThumbnailsResultModel": { + "type": "structure", + "members": { + "ThumbnailDetails": { + "shape": "__listOfThumbnailDetail", + "locationName": "thumbnailDetails" + } + }, + "documentation": "Thumbnail details for all the pipelines of a running channel." + }, + "DeviceSettingsSyncState": { "type": "string", - "documentation": "H264 Force Field Pictures", + "documentation": "The status of the action to synchronize the device configuration. If you change the configuration of the input device (for example, the maximum bitrate), MediaLive sends the new data to the device. The device might not update itself immediately. SYNCED means the device has updated its configuration. SYNCING means that it has not updated its configuration.", "enum": [ - "DISABLED", - "ENABLED" + "SYNCED", + "SYNCING" ] }, - "H264FramerateControl": { + "DeviceUpdateStatus": { "type": "string", - "documentation": "H264 Framerate Control", + "documentation": "The status of software on the input device.", "enum": [ - "INITIALIZE_FROM_SOURCE", - "SPECIFIED" + "UP_TO_DATE", + "NOT_UP_TO_DATE", + "UPDATING" ] }, - "H264GopBReference": { + "DolbyEProgramSelection": { "type": "string", - "documentation": "H264 Gop BReference", + "documentation": "Dolby EProgram Selection", "enum": [ - "DISABLED", - "ENABLED" + "ALL_CHANNELS", + "PROGRAM_1", + "PROGRAM_2", + "PROGRAM_3", + "PROGRAM_4", + "PROGRAM_5", + "PROGRAM_6", + "PROGRAM_7", + "PROGRAM_8" ] }, - "H264GopSizeUnits": { - "type": "string", - "documentation": "H264 Gop Size Units", - "enum": [ - "FRAMES", - "SECONDS" + "DolbyVision81Settings": { + "type": "structure", + "members": { + }, + "documentation": "Dolby Vision81 Settings" + }, + "DvbNitSettings": { + "type": "structure", + "members": { + "NetworkId": { + "shape": "__integerMin0Max65536", + "locationName": "networkId", + "documentation": "The numeric value placed in the Network Information Table (NIT)." + }, + "NetworkName": { + "shape": "__stringMin1Max256", + "locationName": "networkName", + "documentation": "The network name text placed in the networkNameDescriptor inside the Network Information Table. Maximum length is 256 characters." + }, + "RepInterval": { + "shape": "__integerMin25Max10000", + "locationName": "repInterval", + "documentation": "The number of milliseconds between instances of this table in the output transport stream." + } + }, + "documentation": "DVB Network Information Table (NIT)", + "required": [ + "NetworkName", + "NetworkId" ] }, - "H264Level": { + "DvbSdtOutputSdt": { "type": "string", - "documentation": "H264 Level", + "documentation": "Dvb Sdt Output Sdt", "enum": [ - "H264_LEVEL_1", - "H264_LEVEL_1_1", - "H264_LEVEL_1_2", - "H264_LEVEL_1_3", - "H264_LEVEL_2", - "H264_LEVEL_2_1", - "H264_LEVEL_2_2", - "H264_LEVEL_3", - "H264_LEVEL_3_1", - "H264_LEVEL_3_2", - "H264_LEVEL_4", - "H264_LEVEL_4_1", - "H264_LEVEL_4_2", - "H264_LEVEL_5", - "H264_LEVEL_5_1", - "H264_LEVEL_5_2", - "H264_LEVEL_AUTO" + "SDT_FOLLOW", + "SDT_FOLLOW_IF_PRESENT", + "SDT_MANUAL", + "SDT_NONE" ] }, - "H264LookAheadRateControl": { + "DvbSdtSettings": { + "type": "structure", + "members": { + "OutputSdt": { + "shape": "DvbSdtOutputSdt", + "locationName": "outputSdt", + "documentation": "Selects method of inserting SDT information into output stream. The sdtFollow setting copies SDT information from input stream to output stream. The sdtFollowIfPresent setting copies SDT information from input stream to output stream if SDT information is present in the input, otherwise it will fall back on the user-defined values. The sdtManual setting means user will enter the SDT information. The sdtNone setting means output stream will not contain SDT information." + }, + "RepInterval": { + "shape": "__integerMin25Max2000", + "locationName": "repInterval", + "documentation": "The number of milliseconds between instances of this table in the output transport stream." + }, + "ServiceName": { + "shape": "__stringMin1Max256", + "locationName": "serviceName", + "documentation": "The service name placed in the serviceDescriptor in the Service Description Table. Maximum length is 256 characters." + }, + "ServiceProviderName": { + "shape": "__stringMin1Max256", + "locationName": "serviceProviderName", + "documentation": "The service provider name placed in the serviceDescriptor in the Service Description Table. Maximum length is 256 characters." + } + }, + "documentation": "DVB Service Description Table (SDT)" + }, + "DvbSubDestinationAlignment": { "type": "string", - "documentation": "H264 Look Ahead Rate Control", + "documentation": "Dvb Sub Destination Alignment", "enum": [ - "HIGH", - "LOW", - "MEDIUM" + "CENTERED", + "LEFT", + "SMART" ] }, - "H264ParControl": { + "DvbSubDestinationBackgroundColor": { "type": "string", - "documentation": "H264 Par Control", + "documentation": "Dvb Sub Destination Background Color", "enum": [ - "INITIALIZE_FROM_SOURCE", - "SPECIFIED" + "BLACK", + "NONE", + "WHITE" ] }, - "H264Profile": { + "DvbSubDestinationFontColor": { "type": "string", - "documentation": "H264 Profile", + "documentation": "Dvb Sub Destination Font Color", "enum": [ - "BASELINE", - "HIGH", - "HIGH_10BIT", - "HIGH_422", - "HIGH_422_10BIT", - "MAIN" + "BLACK", + "BLUE", + "GREEN", + "RED", + "WHITE", + "YELLOW" ] }, - "H264QualityLevel": { + "DvbSubDestinationOutlineColor": { "type": "string", - "documentation": "H264 Quality Level", + "documentation": "Dvb Sub Destination Outline Color", "enum": [ - "ENHANCED_QUALITY", - "STANDARD_QUALITY" + "BLACK", + "BLUE", + "GREEN", + "RED", + "WHITE", + "YELLOW" ] }, - "H264RateControlMode": { - "type": "string", - "documentation": "H264 Rate Control Mode", + "DvbSubDestinationSettings": { + "type": "structure", + "members": { + "Alignment": { + "shape": "DvbSubDestinationAlignment", + "locationName": "alignment", + "documentation": "If no explicit xPosition or yPosition is provided, setting alignment to centered will place the captions at the bottom center of the output. Similarly, setting a left alignment will align captions to the bottom left of the output. If x and y positions are given in conjunction with the alignment parameter, the font will be justified (either left or centered) relative to those coordinates. Selecting \"smart\" justification will left-justify live subtitles and center-justify pre-recorded subtitles. This option is not valid for source captions that are STL or 608/embedded. These source settings are already pre-defined by the caption stream. All burn-in and DVB-Sub font settings must match." + }, + "BackgroundColor": { + "shape": "DvbSubDestinationBackgroundColor", + "locationName": "backgroundColor", + "documentation": "Specifies the color of the rectangle behind the captions. All burn-in and DVB-Sub font settings must match." + }, + "BackgroundOpacity": { + "shape": "__integerMin0Max255", + "locationName": "backgroundOpacity", + "documentation": "Specifies the opacity of the background rectangle. 255 is opaque; 0 is transparent. Leaving this parameter blank is equivalent to setting it to 0 (transparent). All burn-in and DVB-Sub font settings must match." + }, + "Font": { + "shape": "InputLocation", + "locationName": "font", + "documentation": "External font file used for caption burn-in. File extension must be 'ttf' or 'tte'. Although the user can select output fonts for many different types of input captions, embedded, STL and teletext sources use a strict grid system. Using external fonts with these caption sources could cause unexpected display of proportional fonts. All burn-in and DVB-Sub font settings must match." + }, + "FontColor": { + "shape": "DvbSubDestinationFontColor", + "locationName": "fontColor", + "documentation": "Specifies the color of the burned-in captions. This option is not valid for source captions that are STL, 608/embedded or teletext. These source settings are already pre-defined by the caption stream. All burn-in and DVB-Sub font settings must match." + }, + "FontOpacity": { + "shape": "__integerMin0Max255", + "locationName": "fontOpacity", + "documentation": "Specifies the opacity of the burned-in captions. 255 is opaque; 0 is transparent. All burn-in and DVB-Sub font settings must match." + }, + "FontResolution": { + "shape": "__integerMin96Max600", + "locationName": "fontResolution", + "documentation": "Font resolution in DPI (dots per inch); default is 96 dpi. All burn-in and DVB-Sub font settings must match." + }, + "FontSize": { + "shape": "__string", + "locationName": "fontSize", + "documentation": "When set to auto fontSize will scale depending on the size of the output. Giving a positive integer will specify the exact font size in points. All burn-in and DVB-Sub font settings must match." + }, + "OutlineColor": { + "shape": "DvbSubDestinationOutlineColor", + "locationName": "outlineColor", + "documentation": "Specifies font outline color. This option is not valid for source captions that are either 608/embedded or teletext. These source settings are already pre-defined by the caption stream. All burn-in and DVB-Sub font settings must match." + }, + "OutlineSize": { + "shape": "__integerMin0Max10", + "locationName": "outlineSize", + "documentation": "Specifies font outline size in pixels. This option is not valid for source captions that are either 608/embedded or teletext. These source settings are already pre-defined by the caption stream. All burn-in and DVB-Sub font settings must match." + }, + "ShadowColor": { + "shape": "DvbSubDestinationShadowColor", + "locationName": "shadowColor", + "documentation": "Specifies the color of the shadow cast by the captions. All burn-in and DVB-Sub font settings must match." + }, + "ShadowOpacity": { + "shape": "__integerMin0Max255", + "locationName": "shadowOpacity", + "documentation": "Specifies the opacity of the shadow. 255 is opaque; 0 is transparent. Leaving this parameter blank is equivalent to setting it to 0 (transparent). All burn-in and DVB-Sub font settings must match." + }, + "ShadowXOffset": { + "shape": "__integer", + "locationName": "shadowXOffset", + "documentation": "Specifies the horizontal offset of the shadow relative to the captions in pixels. A value of -2 would result in a shadow offset 2 pixels to the left. All burn-in and DVB-Sub font settings must match." + }, + "ShadowYOffset": { + "shape": "__integer", + "locationName": "shadowYOffset", + "documentation": "Specifies the vertical offset of the shadow relative to the captions in pixels. A value of -2 would result in a shadow offset 2 pixels above the text. All burn-in and DVB-Sub font settings must match." + }, + "TeletextGridControl": { + "shape": "DvbSubDestinationTeletextGridControl", + "locationName": "teletextGridControl", + "documentation": "Controls whether a fixed grid size will be used to generate the output subtitles bitmap. Only applicable for Teletext inputs and DVB-Sub/Burn-in outputs." + }, + "XPosition": { + "shape": "__integerMin0", + "locationName": "xPosition", + "documentation": "Specifies the horizontal position of the caption relative to the left side of the output in pixels. A value of 10 would result in the captions starting 10 pixels from the left of the output. If no explicit xPosition is provided, the horizontal caption position will be determined by the alignment parameter. This option is not valid for source captions that are STL, 608/embedded or teletext. These source settings are already pre-defined by the caption stream. All burn-in and DVB-Sub font settings must match." + }, + "YPosition": { + "shape": "__integerMin0", + "locationName": "yPosition", + "documentation": "Specifies the vertical position of the caption relative to the top of the output in pixels. A value of 10 would result in the captions starting 10 pixels from the top of the output. If no explicit yPosition is provided, the caption will be positioned towards the bottom of the output. This option is not valid for source captions that are STL, 608/embedded or teletext. These source settings are already pre-defined by the caption stream. All burn-in and DVB-Sub font settings must match." + } + }, + "documentation": "Dvb Sub Destination Settings" + }, + "DvbSubDestinationShadowColor": { + "type": "string", + "documentation": "Dvb Sub Destination Shadow Color", "enum": [ - "CBR", - "MULTIPLEX", - "QVBR", - "VBR" + "BLACK", + "NONE", + "WHITE" ] }, - "H264ScanType": { + "DvbSubDestinationTeletextGridControl": { "type": "string", - "documentation": "H264 Scan Type", + "documentation": "Dvb Sub Destination Teletext Grid Control", "enum": [ - "INTERLACED", - "PROGRESSIVE" + "FIXED", + "SCALED" ] }, - "H264SceneChangeDetect": { + "DvbSubOcrLanguage": { "type": "string", - "documentation": "H264 Scene Change Detect", + "documentation": "Dvb Sub Ocr Language", "enum": [ - "DISABLED", - "ENABLED" + "DEU", + "ENG", + "FRA", + "NLD", + "POR", + "SPA" ] }, - "H264Settings": { + "DvbSubSourceSettings": { "type": "structure", "members": { - "AdaptiveQuantization": { - "shape": "H264AdaptiveQuantization", - "locationName": "adaptiveQuantization", - "documentation": "Enables or disables adaptive quantization, which is a technique MediaLive can apply to video on a frame-by-frame basis to produce more compression without losing quality. There are three types of adaptive quantization: flicker, spatial, and temporal. Set the field in one of these ways: Set to Auto. Recommended. For each type of AQ, MediaLive will determine if AQ is needed, and if so, the appropriate strength. Set a strength (a value other than Auto or Disable). This strength will apply to any of the AQ fields that you choose to enable. Set to Disabled to disable all types of adaptive quantization." - }, - "AfdSignaling": { - "shape": "AfdSignaling", - "locationName": "afdSignaling", - "documentation": "Indicates that AFD values will be written into the output stream. If afdSignaling is \"auto\", the system will try to preserve the input AFD value (in cases where multiple AFD values are valid). If set to \"fixed\", the AFD value will be the value configured in the fixedAfd parameter." + "OcrLanguage": { + "shape": "DvbSubOcrLanguage", + "locationName": "ocrLanguage", + "documentation": "If you will configure a WebVTT caption description that references this caption selector, use this field to\nprovide the language to consider when translating the image-based source to text." }, + "Pid": { + "shape": "__integerMin1", + "locationName": "pid", + "documentation": "When using DVB-Sub with Burn-In or SMPTE-TT, use this PID for the source content. Unused for DVB-Sub passthrough. All DVB-Sub content is passed through, regardless of selectors." + } + }, + "documentation": "Dvb Sub Source Settings" + }, + "DvbTdtSettings": { + "type": "structure", + "members": { + "RepInterval": { + "shape": "__integerMin1000Max30000", + "locationName": "repInterval", + "documentation": "The number of milliseconds between instances of this table in the output transport stream." + } + }, + "documentation": "DVB Time and Date Table (SDT)" + }, + "Eac3AtmosCodingMode": { + "type": "string", + "documentation": "Eac3 Atmos Coding Mode", + "enum": [ + "CODING_MODE_5_1_4", + "CODING_MODE_7_1_4", + "CODING_MODE_9_1_6" + ] + }, + "Eac3AtmosDrcLine": { + "type": "string", + "documentation": "Eac3 Atmos Drc Line", + "enum": [ + "FILM_LIGHT", + "FILM_STANDARD", + "MUSIC_LIGHT", + "MUSIC_STANDARD", + "NONE", + "SPEECH" + ] + }, + "Eac3AtmosDrcRf": { + "type": "string", + "documentation": "Eac3 Atmos Drc Rf", + "enum": [ + "FILM_LIGHT", + "FILM_STANDARD", + "MUSIC_LIGHT", + "MUSIC_STANDARD", + "NONE", + "SPEECH" + ] + }, + "Eac3AtmosSettings": { + "type": "structure", + "members": { "Bitrate": { - "shape": "__integerMin1000", + "shape": "__double", "locationName": "bitrate", - "documentation": "Average bitrate in bits/second. Required when the rate control mode is VBR or CBR. Not used for QVBR. In an MS Smooth output group, each output must have a unique value when its bitrate is rounded down to the nearest multiple of 1000." - }, - "BufFillPct": { - "shape": "__integerMin0Max100", - "locationName": "bufFillPct", - "documentation": "Percentage of the buffer that should initially be filled (HRD buffer model)." - }, - "BufSize": { - "shape": "__integerMin0", - "locationName": "bufSize", - "documentation": "Size of buffer (HRD buffer model) in bits." - }, - "ColorMetadata": { - "shape": "H264ColorMetadata", - "locationName": "colorMetadata", - "documentation": "Includes colorspace metadata in the output." - }, - "ColorSpaceSettings": { - "shape": "H264ColorSpaceSettings", - "locationName": "colorSpaceSettings", - "documentation": "Color Space settings" + "documentation": "Average bitrate in bits/second. Valid bitrates depend on the coding mode." }, - "EntropyEncoding": { - "shape": "H264EntropyEncoding", - "locationName": "entropyEncoding", - "documentation": "Entropy encoding mode. Use cabac (must be in Main or High profile) or cavlc." + "CodingMode": { + "shape": "Eac3AtmosCodingMode", + "locationName": "codingMode", + "documentation": "Dolby Digital Plus with Dolby Atmos coding mode. Determines number of channels." }, - "FilterSettings": { - "shape": "H264FilterSettings", - "locationName": "filterSettings", - "documentation": "Optional. Both filters reduce bandwidth by removing imperceptible details. You can enable one of the filters. We\nrecommend that you try both filters and observe the results to decide which one to use.\n\nThe Temporal Filter reduces bandwidth by removing imperceptible details in the content. It combines perceptual\nfiltering and motion compensated temporal filtering (MCTF). It operates independently of the compression level.\n\nThe Bandwidth Reduction filter is a perceptual filter located within the encoding loop. It adapts to the current\ncompression level to filter imperceptible signals. This filter works only when the resolution is 1080p or lower." + "Dialnorm": { + "shape": "__integerMin1Max31", + "locationName": "dialnorm", + "documentation": "Sets the dialnorm for the output. Default 23." }, - "FixedAfd": { - "shape": "FixedAfd", - "locationName": "fixedAfd", - "documentation": "Four bit AFD value to write on all frames of video in the output stream. Only valid when afdSignaling is set to 'Fixed'." + "DrcLine": { + "shape": "Eac3AtmosDrcLine", + "locationName": "drcLine", + "documentation": "Sets the Dolby dynamic range compression profile." }, - "FlickerAq": { - "shape": "H264FlickerAq", - "locationName": "flickerAq", - "documentation": "Flicker AQ makes adjustments within each frame to reduce flicker or 'pop' on I-frames. The value to enter in this field depends on the value in the Adaptive quantization field: If you have set the Adaptive quantization field to Auto, MediaLive ignores any value in this field. MediaLive will determine if flicker AQ is appropriate and will apply the appropriate strength. If you have set the Adaptive quantization field to a strength, you can set this field to Enabled or Disabled. Enabled: MediaLive will apply flicker AQ using the specified strength. Disabled: MediaLive won't apply flicker AQ. If you have set the Adaptive quantization to Disabled, MediaLive ignores any value in this field and doesn't apply flicker AQ." + "DrcRf": { + "shape": "Eac3AtmosDrcRf", + "locationName": "drcRf", + "documentation": "Sets the profile for heavy Dolby dynamic range compression, ensures that the instantaneous signal peaks do not exceed specified levels." }, - "ForceFieldPictures": { - "shape": "H264ForceFieldPictures", - "locationName": "forceFieldPictures", - "documentation": "This setting applies only when scan type is \"interlaced.\" It controls whether coding is performed on a field basis or on a frame basis. (When the video is progressive, the coding is always performed on a frame basis.)\nenabled: Force MediaLive to code on a field basis, so that odd and even sets of fields are coded separately.\ndisabled: Code the two sets of fields separately (on a field basis) or together (on a frame basis using PAFF), depending on what is most appropriate for the content." + "HeightTrim": { + "shape": "__double", + "locationName": "heightTrim", + "documentation": "Height dimensional trim. Sets the maximum amount to attenuate the height channels when the downstream player isn??t configured to handle Dolby Digital Plus with Dolby Atmos and must remix the channels." }, - "FramerateControl": { - "shape": "H264FramerateControl", - "locationName": "framerateControl", - "documentation": "This field indicates how the output video frame rate is specified. If \"specified\" is selected then the output video frame rate is determined by framerateNumerator and framerateDenominator, else if \"initializeFromSource\" is selected then the output video frame rate will be set equal to the input video frame rate of the first input." - }, - "FramerateDenominator": { - "shape": "__integerMin1", - "locationName": "framerateDenominator", - "documentation": "Framerate denominator." - }, - "FramerateNumerator": { - "shape": "__integerMin1", - "locationName": "framerateNumerator", - "documentation": "Framerate numerator - framerate is a fraction, e.g. 24000 / 1001 = 23.976 fps." - }, - "GopBReference": { - "shape": "H264GopBReference", - "locationName": "gopBReference", - "documentation": "Documentation update needed" - }, - "GopClosedCadence": { - "shape": "__integerMin0", - "locationName": "gopClosedCadence", - "documentation": "Frequency of closed GOPs. In streaming applications, it is recommended that this be set to 1 so a decoder joining mid-stream will receive an IDR frame as quickly as possible. Setting this value to 0 will break output segmenting." - }, - "GopNumBFrames": { - "shape": "__integerMin0Max7", - "locationName": "gopNumBFrames", - "documentation": "Number of B-frames between reference frames." - }, - "GopSize": { + "SurroundTrim": { "shape": "__double", - "locationName": "gopSize", - "documentation": "GOP size (keyframe interval) in units of either frames or seconds per gopSizeUnits.\nIf gopSizeUnits is frames, gopSize must be an integer and must be greater than or equal to 1.\nIf gopSizeUnits is seconds, gopSize must be greater than 0, but need not be an integer." - }, - "GopSizeUnits": { - "shape": "H264GopSizeUnits", - "locationName": "gopSizeUnits", - "documentation": "Indicates if the gopSize is specified in frames or seconds. If seconds the system will convert the gopSize into a frame count at run time." - }, - "Level": { - "shape": "H264Level", - "locationName": "level", - "documentation": "H.264 Level." - }, - "LookAheadRateControl": { - "shape": "H264LookAheadRateControl", - "locationName": "lookAheadRateControl", - "documentation": "Amount of lookahead. A value of low can decrease latency and memory usage, while high can produce better quality for certain content." - }, - "MaxBitrate": { - "shape": "__integerMin1000", - "locationName": "maxBitrate", - "documentation": "For QVBR: See the tooltip for Quality level\n\nFor VBR: Set the maximum bitrate in order to accommodate expected spikes in the complexity of the video." - }, - "MinIInterval": { - "shape": "__integerMin0Max30", - "locationName": "minIInterval", - "documentation": "Only meaningful if sceneChangeDetect is set to enabled. Defaults to 5 if multiplex rate control is used. Enforces separation between repeated (cadence) I-frames and I-frames inserted by Scene Change Detection. If a scene change I-frame is within I-interval frames of a cadence I-frame, the GOP is shrunk and/or stretched to the scene change I-frame. GOP stretch requires enabling lookahead as well as setting I-interval. The normal cadence resumes for the next GOP. Note: Maximum GOP stretch = GOP size + Min-I-interval - 1" - }, - "NumRefFrames": { - "shape": "__integerMin1Max6", - "locationName": "numRefFrames", - "documentation": "Number of reference frames to use. The encoder may use more than requested if using B-frames and/or interlaced encoding." - }, - "ParControl": { - "shape": "H264ParControl", - "locationName": "parControl", - "documentation": "This field indicates how the output pixel aspect ratio is specified. If \"specified\" is selected then the output video pixel aspect ratio is determined by parNumerator and parDenominator, else if \"initializeFromSource\" is selected then the output pixsel aspect ratio will be set equal to the input video pixel aspect ratio of the first input." - }, - "ParDenominator": { - "shape": "__integerMin1", - "locationName": "parDenominator", - "documentation": "Pixel Aspect Ratio denominator." - }, - "ParNumerator": { - "shape": "__integerMin1", - "locationName": "parNumerator", - "documentation": "Pixel Aspect Ratio numerator." - }, - "Profile": { - "shape": "H264Profile", - "locationName": "profile", - "documentation": "H.264 Profile." - }, - "QualityLevel": { - "shape": "H264QualityLevel", - "locationName": "qualityLevel", - "documentation": "Leave as STANDARD_QUALITY or choose a different value (which might result in additional costs to run the channel).\n- ENHANCED_QUALITY: Produces a slightly better video quality without an increase in the bitrate. Has an effect only when the Rate control mode is QVBR or CBR. If this channel is in a MediaLive multiplex, the value must be ENHANCED_QUALITY.\n- STANDARD_QUALITY: Valid for any Rate control mode." - }, - "QvbrQualityLevel": { - "shape": "__integerMin1Max10", - "locationName": "qvbrQualityLevel", - "documentation": "Controls the target quality for the video encode. Applies only when the rate control mode is QVBR. You can set a target quality or you can let MediaLive determine the best quality. To set a target quality, enter values in the QVBR quality level field and the Max bitrate field. Enter values that suit your most important viewing devices. Recommended values are:\n- Primary screen: Quality level: 8 to 10. Max bitrate: 4M\n- PC or tablet: Quality level: 7. Max bitrate: 1.5M to 3M\n- Smartphone: Quality level: 6. Max bitrate: 1M to 1.5M\nTo let MediaLive decide, leave the QVBR quality level field empty, and in Max bitrate enter the maximum rate you want in the video. For more information, see the section called \"Video - rate control mode\" in the MediaLive user guide" - }, - "RateControlMode": { - "shape": "H264RateControlMode", - "locationName": "rateControlMode", - "documentation": "Rate control mode.\n\nQVBR: Quality will match the specified quality level except when it is constrained by the\nmaximum bitrate. Recommended if you or your viewers pay for bandwidth.\n\nVBR: Quality and bitrate vary, depending on the video complexity. Recommended instead of QVBR\nif you want to maintain a specific average bitrate over the duration of the channel.\n\nCBR: Quality varies, depending on the video complexity. Recommended only if you distribute\nyour assets to devices that cannot handle variable bitrates.\n\nMultiplex: This rate control mode is only supported (and is required) when the video is being\ndelivered to a MediaLive Multiplex in which case the rate control configuration is controlled\nby the properties within the Multiplex Program." - }, - "ScanType": { - "shape": "H264ScanType", - "locationName": "scanType", - "documentation": "Sets the scan type of the output to progressive or top-field-first interlaced." - }, - "SceneChangeDetect": { - "shape": "H264SceneChangeDetect", - "locationName": "sceneChangeDetect", - "documentation": "Scene change detection.\n\n- On: inserts I-frames when scene change is detected.\n- Off: does not force an I-frame when scene change is detected." - }, - "Slices": { - "shape": "__integerMin1Max32", - "locationName": "slices", - "documentation": "Number of slices per picture. Must be less than or equal to the number of macroblock rows for progressive pictures, and less than or equal to half the number of macroblock rows for interlaced pictures.\nThis field is optional; when no value is specified the encoder will choose the number of slices based on encode resolution." - }, - "Softness": { - "shape": "__integerMin0Max128", - "locationName": "softness", - "documentation": "Softness. Selects quantizer matrix, larger values reduce high-frequency content in the encoded image. If not set to zero, must be greater than 15." - }, - "SpatialAq": { - "shape": "H264SpatialAq", - "locationName": "spatialAq", - "documentation": "Spatial AQ makes adjustments within each frame based on spatial variation of content complexity. The value to enter in this field depends on the value in the Adaptive quantization field: If you have set the Adaptive quantization field to Auto, MediaLive ignores any value in this field. MediaLive will determine if spatial AQ is appropriate and will apply the appropriate strength. If you have set the Adaptive quantization field to a strength, you can set this field to Enabled or Disabled. Enabled: MediaLive will apply spatial AQ using the specified strength. Disabled: MediaLive won't apply spatial AQ. If you have set the Adaptive quantization to Disabled, MediaLive ignores any value in this field and doesn't apply spatial AQ." - }, - "SubgopLength": { - "shape": "H264SubGopLength", - "locationName": "subgopLength", - "documentation": "If set to fixed, use gopNumBFrames B-frames per sub-GOP. If set to dynamic, optimize the number of B-frames used for each sub-GOP to improve visual quality." - }, - "Syntax": { - "shape": "H264Syntax", - "locationName": "syntax", - "documentation": "Produces a bitstream compliant with SMPTE RP-2027." - }, - "TemporalAq": { - "shape": "H264TemporalAq", - "locationName": "temporalAq", - "documentation": "Temporal makes adjustments within each frame based on temporal variation of content complexity. The value to enter in this field depends on the value in the Adaptive quantization field: If you have set the Adaptive quantization field to Auto, MediaLive ignores any value in this field. MediaLive will determine if temporal AQ is appropriate and will apply the appropriate strength. If you have set the Adaptive quantization field to a strength, you can set this field to Enabled or Disabled. Enabled: MediaLive will apply temporal AQ using the specified strength. Disabled: MediaLive won't apply temporal AQ. If you have set the Adaptive quantization to Disabled, MediaLive ignores any value in this field and doesn't apply temporal AQ." - }, - "TimecodeInsertion": { - "shape": "H264TimecodeInsertionBehavior", - "locationName": "timecodeInsertion", - "documentation": "Determines how timecodes should be inserted into the video elementary stream.\n- 'disabled': Do not include timecodes\n- 'picTimingSei': Pass through picture timing SEI messages from the source specified in Timecode Config" - }, - "TimecodeBurninSettings": { - "shape": "TimecodeBurninSettings", - "locationName": "timecodeBurninSettings", - "documentation": "Timecode burn-in settings" - }, - "MinQp": { - "shape": "__integerMin1Max51", - "locationName": "minQp", - "documentation": "Sets the minimum QP. If you aren't familiar with quantization adjustment, leave the field empty. MediaLive will\napply an appropriate value." + "locationName": "surroundTrim", + "documentation": "Surround dimensional trim. Sets the maximum amount to attenuate the surround channels when the downstream player isn't configured to handle Dolby Digital Plus with Dolby Atmos and must remix the channels." } }, - "documentation": "H264 Settings" + "documentation": "Eac3 Atmos Settings" }, - "H264SpatialAq": { + "Eac3AttenuationControl": { "type": "string", - "documentation": "H264 Spatial Aq", + "documentation": "Eac3 Attenuation Control", "enum": [ - "DISABLED", - "ENABLED" + "ATTENUATE_3_DB", + "NONE" ] }, - "H264SubGopLength": { + "Eac3BitstreamMode": { "type": "string", - "documentation": "H264 Sub Gop Length", + "documentation": "Eac3 Bitstream Mode", "enum": [ - "DYNAMIC", - "FIXED" + "COMMENTARY", + "COMPLETE_MAIN", + "EMERGENCY", + "HEARING_IMPAIRED", + "VISUALLY_IMPAIRED" ] }, - "H264Syntax": { + "Eac3CodingMode": { "type": "string", - "documentation": "H264 Syntax", + "documentation": "Eac3 Coding Mode", "enum": [ - "DEFAULT", - "RP2027" + "CODING_MODE_1_0", + "CODING_MODE_2_0", + "CODING_MODE_3_2" ] }, - "H264TemporalAq": { + "Eac3DcFilter": { "type": "string", - "documentation": "H264 Temporal Aq", + "documentation": "Eac3 Dc Filter", "enum": [ "DISABLED", "ENABLED" ] }, - "H264TimecodeInsertionBehavior": { + "Eac3DrcLine": { "type": "string", - "documentation": "H264 Timecode Insertion Behavior", + "documentation": "Eac3 Drc Line", + "enum": [ + "FILM_LIGHT", + "FILM_STANDARD", + "MUSIC_LIGHT", + "MUSIC_STANDARD", + "NONE", + "SPEECH" + ] + }, + "Eac3DrcRf": { + "type": "string", + "documentation": "Eac3 Drc Rf", + "enum": [ + "FILM_LIGHT", + "FILM_STANDARD", + "MUSIC_LIGHT", + "MUSIC_STANDARD", + "NONE", + "SPEECH" + ] + }, + "Eac3LfeControl": { + "type": "string", + "documentation": "Eac3 Lfe Control", + "enum": [ + "LFE", + "NO_LFE" + ] + }, + "Eac3LfeFilter": { + "type": "string", + "documentation": "Eac3 Lfe Filter", "enum": [ "DISABLED", - "PIC_TIMING_SEI" + "ENABLED" ] }, - "H265AdaptiveQuantization": { + "Eac3MetadataControl": { "type": "string", - "documentation": "H265 Adaptive Quantization", + "documentation": "Eac3 Metadata Control", "enum": [ - "AUTO", - "HIGH", - "HIGHER", - "LOW", - "MAX", - "MEDIUM", - "OFF" + "FOLLOW_INPUT", + "USE_CONFIGURED" ] }, - "H265AlternativeTransferFunction": { + "Eac3PassthroughControl": { "type": "string", - "documentation": "H265 Alternative Transfer Function", + "documentation": "Eac3 Passthrough Control", "enum": [ - "INSERT", - "OMIT" + "NO_PASSTHROUGH", + "WHEN_POSSIBLE" ] }, - "H265ColorMetadata": { + "Eac3PhaseControl": { "type": "string", - "documentation": "H265 Color Metadata", + "documentation": "Eac3 Phase Control", "enum": [ - "IGNORE", - "INSERT" + "NO_SHIFT", + "SHIFT_90_DEGREES" ] }, - "H265ColorSpaceSettings": { + "Eac3Settings": { "type": "structure", "members": { - "ColorSpacePassthroughSettings": { - "shape": "ColorSpacePassthroughSettings", - "locationName": "colorSpacePassthroughSettings" + "AttenuationControl": { + "shape": "Eac3AttenuationControl", + "locationName": "attenuationControl", + "documentation": "When set to attenuate3Db, applies a 3 dB attenuation to the surround channels. Only used for 3/2 coding mode." }, - "DolbyVision81Settings": { - "shape": "DolbyVision81Settings", - "locationName": "dolbyVision81Settings" + "Bitrate": { + "shape": "__double", + "locationName": "bitrate", + "documentation": "Average bitrate in bits/second. Valid bitrates depend on the coding mode." }, - "Hdr10Settings": { - "shape": "Hdr10Settings", - "locationName": "hdr10Settings" + "BitstreamMode": { + "shape": "Eac3BitstreamMode", + "locationName": "bitstreamMode", + "documentation": "Specifies the bitstream mode (bsmod) for the emitted E-AC-3 stream. See ATSC A/52-2012 (Annex E) for background on these values." }, - "Rec601Settings": { - "shape": "Rec601Settings", - "locationName": "rec601Settings" + "CodingMode": { + "shape": "Eac3CodingMode", + "locationName": "codingMode", + "documentation": "Dolby Digital Plus coding mode. Determines number of channels." }, - "Rec709Settings": { - "shape": "Rec709Settings", - "locationName": "rec709Settings" - } - }, - "documentation": "H265 Color Space Settings" - }, - "H265FilterSettings": { - "type": "structure", - "members": { - "TemporalFilterSettings": { - "shape": "TemporalFilterSettings", - "locationName": "temporalFilterSettings" + "DcFilter": { + "shape": "Eac3DcFilter", + "locationName": "dcFilter", + "documentation": "When set to enabled, activates a DC highpass filter for all input channels." + }, + "Dialnorm": { + "shape": "__integerMin1Max31", + "locationName": "dialnorm", + "documentation": "Sets the dialnorm for the output. If blank and input audio is Dolby Digital Plus, dialnorm will be passed through." + }, + "DrcLine": { + "shape": "Eac3DrcLine", + "locationName": "drcLine", + "documentation": "Sets the Dolby dynamic range compression profile." + }, + "DrcRf": { + "shape": "Eac3DrcRf", + "locationName": "drcRf", + "documentation": "Sets the profile for heavy Dolby dynamic range compression, ensures that the instantaneous signal peaks do not exceed specified levels." + }, + "LfeControl": { + "shape": "Eac3LfeControl", + "locationName": "lfeControl", + "documentation": "When encoding 3/2 audio, setting to lfe enables the LFE channel" + }, + "LfeFilter": { + "shape": "Eac3LfeFilter", + "locationName": "lfeFilter", + "documentation": "When set to enabled, applies a 120Hz lowpass filter to the LFE channel prior to encoding. Only valid with codingMode32 coding mode." + }, + "LoRoCenterMixLevel": { + "shape": "__double", + "locationName": "loRoCenterMixLevel", + "documentation": "Left only/Right only center mix level. Only used for 3/2 coding mode." + }, + "LoRoSurroundMixLevel": { + "shape": "__double", + "locationName": "loRoSurroundMixLevel", + "documentation": "Left only/Right only surround mix level. Only used for 3/2 coding mode." + }, + "LtRtCenterMixLevel": { + "shape": "__double", + "locationName": "ltRtCenterMixLevel", + "documentation": "Left total/Right total center mix level. Only used for 3/2 coding mode." + }, + "LtRtSurroundMixLevel": { + "shape": "__double", + "locationName": "ltRtSurroundMixLevel", + "documentation": "Left total/Right total surround mix level. Only used for 3/2 coding mode." + }, + "MetadataControl": { + "shape": "Eac3MetadataControl", + "locationName": "metadataControl", + "documentation": "When set to followInput, encoder metadata will be sourced from the DD, DD+, or DolbyE decoder that supplied this audio data. If audio was not supplied from one of these streams, then the static metadata settings will be used." + }, + "PassthroughControl": { + "shape": "Eac3PassthroughControl", + "locationName": "passthroughControl", + "documentation": "When set to whenPossible, input DD+ audio will be passed through if it is present on the input. This detection is dynamic over the life of the transcode. Inputs that alternate between DD+ and non-DD+ content will have a consistent DD+ output as the system alternates between passthrough and encoding." + }, + "PhaseControl": { + "shape": "Eac3PhaseControl", + "locationName": "phaseControl", + "documentation": "When set to shift90Degrees, applies a 90-degree phase shift to the surround channels. Only used for 3/2 coding mode." + }, + "StereoDownmix": { + "shape": "Eac3StereoDownmix", + "locationName": "stereoDownmix", + "documentation": "Stereo downmix preference. Only used for 3/2 coding mode." + }, + "SurroundExMode": { + "shape": "Eac3SurroundExMode", + "locationName": "surroundExMode", + "documentation": "When encoding 3/2 audio, sets whether an extra center back surround channel is matrix encoded into the left and right surround channels." + }, + "SurroundMode": { + "shape": "Eac3SurroundMode", + "locationName": "surroundMode", + "documentation": "When encoding 2/0 audio, sets whether Dolby Surround is matrix encoded into the two channels." } }, - "documentation": "H265 Filter Settings" + "documentation": "Eac3 Settings" }, - "H265FlickerAq": { + "Eac3StereoDownmix": { "type": "string", - "documentation": "H265 Flicker Aq", + "documentation": "Eac3 Stereo Downmix", "enum": [ - "DISABLED", - "ENABLED" + "DPL2", + "LO_RO", + "LT_RT", + "NOT_INDICATED" ] }, - "H265GopSizeUnits": { + "Eac3SurroundExMode": { "type": "string", - "documentation": "H265 Gop Size Units", + "documentation": "Eac3 Surround Ex Mode", "enum": [ - "FRAMES", - "SECONDS" + "DISABLED", + "ENABLED", + "NOT_INDICATED" ] }, - "H265Level": { + "Eac3SurroundMode": { "type": "string", - "documentation": "H265 Level", + "documentation": "Eac3 Surround Mode", "enum": [ - "H265_LEVEL_1", - "H265_LEVEL_2", - "H265_LEVEL_2_1", - "H265_LEVEL_3", - "H265_LEVEL_3_1", - "H265_LEVEL_4", - "H265_LEVEL_4_1", - "H265_LEVEL_5", - "H265_LEVEL_5_1", - "H265_LEVEL_5_2", - "H265_LEVEL_6", - "H265_LEVEL_6_1", - "H265_LEVEL_6_2", - "H265_LEVEL_AUTO" + "DISABLED", + "ENABLED", + "NOT_INDICATED" ] }, - "H265LookAheadRateControl": { - "type": "string", - "documentation": "H265 Look Ahead Rate Control", - "enum": [ - "HIGH", - "LOW", - "MEDIUM" - ] + "EbuTtDDestinationSettings": { + "type": "structure", + "members": { + "CopyrightHolder": { + "shape": "__stringMax1000", + "locationName": "copyrightHolder", + "documentation": "Complete this field if you want to include the name of the copyright holder in the copyright tag in the captions metadata." + }, + "FillLineGap": { + "shape": "EbuTtDFillLineGapControl", + "locationName": "fillLineGap", + "documentation": "Specifies how to handle the gap between the lines (in multi-line captions).\n\n- enabled: Fill with the captions background color (as specified in the input captions).\n- disabled: Leave the gap unfilled." + }, + "FontFamily": { + "shape": "__string", + "locationName": "fontFamily", + "documentation": "Specifies the font family to include in the font data attached to the EBU-TT captions. Valid only if styleControl is set to include. If you leave this field empty, the font family is set to \"monospaced\". (If styleControl is set to exclude, the font family is always set to \"monospaced\".)\n\nYou specify only the font family. All other style information (color, bold, position and so on) is copied from the input captions. The size is always set to 100% to allow the downstream player to choose the size.\n\n- Enter a list of font families, as a comma-separated list of font names, in order of preference. The name can be a font family (such as “Arial”), or a generic font family (such as “serif”), or “default” (to let the downstream player choose the font).\n- Leave blank to set the family to “monospace”." + }, + "StyleControl": { + "shape": "EbuTtDDestinationStyleControl", + "locationName": "styleControl", + "documentation": "Specifies the style information (font color, font position, and so on) to include in the font data that is attached to the EBU-TT captions.\n\n- include: Take the style information (font color, font position, and so on) from the source captions and include that information in the font data attached to the EBU-TT captions. This option is valid only if the source captions are Embedded or Teletext.\n- exclude: In the font data attached to the EBU-TT captions, set the font family to \"monospaced\". Do not include any other style information." + } + }, + "documentation": "Ebu Tt DDestination Settings" }, - "H265Profile": { + "EbuTtDDestinationStyleControl": { "type": "string", - "documentation": "H265 Profile", + "documentation": "Ebu Tt DDestination Style Control", "enum": [ - "MAIN", - "MAIN_10BIT" + "EXCLUDE", + "INCLUDE" ] }, - "H265RateControlMode": { + "EbuTtDFillLineGapControl": { "type": "string", - "documentation": "H265 Rate Control Mode", + "documentation": "Ebu Tt DFill Line Gap Control", "enum": [ - "CBR", - "MULTIPLEX", - "QVBR" + "DISABLED", + "ENABLED" ] }, - "H265ScanType": { + "EmbeddedConvert608To708": { "type": "string", - "documentation": "H265 Scan Type", + "documentation": "Embedded Convert608 To708", "enum": [ - "INTERLACED", - "PROGRESSIVE" + "DISABLED", + "UPCONVERT" ] }, - "H265SceneChangeDetect": { + "EmbeddedDestinationSettings": { + "type": "structure", + "members": { + }, + "documentation": "Embedded Destination Settings" + }, + "EmbeddedPlusScte20DestinationSettings": { + "type": "structure", + "members": { + }, + "documentation": "Embedded Plus Scte20 Destination Settings" + }, + "EmbeddedScte20Detection": { "type": "string", - "documentation": "H265 Scene Change Detect", + "documentation": "Embedded Scte20 Detection", "enum": [ - "DISABLED", - "ENABLED" + "AUTO", + "OFF" ] }, - "H265Settings": { + "EmbeddedSourceSettings": { "type": "structure", "members": { - "AdaptiveQuantization": { - "shape": "H265AdaptiveQuantization", - "locationName": "adaptiveQuantization", - "documentation": "Adaptive quantization. Allows intra-frame quantizers to vary to improve visual quality." + "Convert608To708": { + "shape": "EmbeddedConvert608To708", + "locationName": "convert608To708", + "documentation": "If upconvert, 608 data is both passed through via the \"608 compatibility bytes\" fields of the 708 wrapper as well as translated into 708. 708 data present in the source content will be discarded." }, - "AfdSignaling": { - "shape": "AfdSignaling", - "locationName": "afdSignaling", - "documentation": "Indicates that AFD values will be written into the output stream. If afdSignaling is \"auto\", the system will try to preserve the input AFD value (in cases where multiple AFD values are valid). If set to \"fixed\", the AFD value will be the value configured in the fixedAfd parameter." - }, - "AlternativeTransferFunction": { - "shape": "H265AlternativeTransferFunction", - "locationName": "alternativeTransferFunction", - "documentation": "Whether or not EML should insert an Alternative Transfer Function SEI message to support backwards compatibility with non-HDR decoders and displays." + "Scte20Detection": { + "shape": "EmbeddedScte20Detection", + "locationName": "scte20Detection", + "documentation": "Set to \"auto\" to handle streams with intermittent and/or non-aligned SCTE-20 and Embedded captions." }, - "Bitrate": { - "shape": "__integerMin100000Max40000000", - "locationName": "bitrate", - "documentation": "Average bitrate in bits/second. Required when the rate control mode is VBR or CBR. Not used for QVBR. In an MS Smooth output group, each output must have a unique value when its bitrate is rounded down to the nearest multiple of 1000." + "Source608ChannelNumber": { + "shape": "__integerMin1Max4", + "locationName": "source608ChannelNumber", + "documentation": "Specifies the 608/708 channel number within the video track from which to extract captions. Unused for passthrough." }, - "BufSize": { - "shape": "__integerMin100000Max80000000", - "locationName": "bufSize", - "documentation": "Size of buffer (HRD buffer model) in bits." + "Source608TrackNumber": { + "shape": "__integerMin1Max5", + "locationName": "source608TrackNumber", + "documentation": "This field is unused and deprecated." + } + }, + "documentation": "Embedded Source Settings" + }, + "Empty": { + "type": "structure", + "members": { + }, + "documentation": "Placeholder documentation for Empty" + }, + "EncoderSettings": { + "type": "structure", + "members": { + "AudioDescriptions": { + "shape": "__listOfAudioDescription", + "locationName": "audioDescriptions" }, - "ColorMetadata": { - "shape": "H265ColorMetadata", - "locationName": "colorMetadata", - "documentation": "Includes colorspace metadata in the output." + "AvailBlanking": { + "shape": "AvailBlanking", + "locationName": "availBlanking", + "documentation": "Settings for ad avail blanking." }, - "ColorSpaceSettings": { - "shape": "H265ColorSpaceSettings", - "locationName": "colorSpaceSettings", - "documentation": "Color Space settings" + "AvailConfiguration": { + "shape": "AvailConfiguration", + "locationName": "availConfiguration", + "documentation": "Event-wide configuration settings for ad avail insertion." }, - "FilterSettings": { - "shape": "H265FilterSettings", - "locationName": "filterSettings", - "documentation": "Optional. Both filters reduce bandwidth by removing imperceptible details. You can enable one of the filters. We\nrecommend that you try both filters and observe the results to decide which one to use.\n\nThe Temporal Filter reduces bandwidth by removing imperceptible details in the content. It combines perceptual\nfiltering and motion compensated temporal filtering (MCTF). It operates independently of the compression level.\n\nThe Bandwidth Reduction filter is a perceptual filter located within the encoding loop. It adapts to the current\ncompression level to filter imperceptible signals. This filter works only when the resolution is 1080p or lower." + "BlackoutSlate": { + "shape": "BlackoutSlate", + "locationName": "blackoutSlate", + "documentation": "Settings for blackout slate." }, - "FixedAfd": { - "shape": "FixedAfd", - "locationName": "fixedAfd", - "documentation": "Four bit AFD value to write on all frames of video in the output stream. Only valid when afdSignaling is set to 'Fixed'." + "CaptionDescriptions": { + "shape": "__listOfCaptionDescription", + "locationName": "captionDescriptions", + "documentation": "Settings for caption decriptions" }, - "FlickerAq": { - "shape": "H265FlickerAq", - "locationName": "flickerAq", - "documentation": "If set to enabled, adjust quantization within each frame to reduce flicker or 'pop' on I-frames." + "FeatureActivations": { + "shape": "FeatureActivations", + "locationName": "featureActivations", + "documentation": "Feature Activations" }, - "FramerateDenominator": { - "shape": "__integerMin1Max3003", - "locationName": "framerateDenominator", - "documentation": "Framerate denominator." + "GlobalConfiguration": { + "shape": "GlobalConfiguration", + "locationName": "globalConfiguration", + "documentation": "Configuration settings that apply to the event as a whole." }, - "FramerateNumerator": { - "shape": "__integerMin1", - "locationName": "framerateNumerator", - "documentation": "Framerate numerator - framerate is a fraction, e.g. 24000 / 1001 = 23.976 fps." + "MotionGraphicsConfiguration": { + "shape": "MotionGraphicsConfiguration", + "locationName": "motionGraphicsConfiguration", + "documentation": "Settings for motion graphics." }, - "GopClosedCadence": { - "shape": "__integerMin0", - "locationName": "gopClosedCadence", - "documentation": "Frequency of closed GOPs. In streaming applications, it is recommended that this be set to 1 so a decoder joining mid-stream will receive an IDR frame as quickly as possible. Setting this value to 0 will break output segmenting." + "NielsenConfiguration": { + "shape": "NielsenConfiguration", + "locationName": "nielsenConfiguration", + "documentation": "Nielsen configuration settings." }, - "GopSize": { - "shape": "__double", - "locationName": "gopSize", - "documentation": "GOP size (keyframe interval) in units of either frames or seconds per gopSizeUnits.\nIf gopSizeUnits is frames, gopSize must be an integer and must be greater than or equal to 1.\nIf gopSizeUnits is seconds, gopSize must be greater than 0, but need not be an integer." + "OutputGroups": { + "shape": "__listOfOutputGroup", + "locationName": "outputGroups" }, - "GopSizeUnits": { - "shape": "H265GopSizeUnits", - "locationName": "gopSizeUnits", - "documentation": "Indicates if the gopSize is specified in frames or seconds. If seconds the system will convert the gopSize into a frame count at run time." + "TimecodeConfig": { + "shape": "TimecodeConfig", + "locationName": "timecodeConfig", + "documentation": "Contains settings used to acquire and adjust timecode information from inputs." }, - "Level": { - "shape": "H265Level", - "locationName": "level", - "documentation": "H.265 Level." + "VideoDescriptions": { + "shape": "__listOfVideoDescription", + "locationName": "videoDescriptions" }, - "LookAheadRateControl": { - "shape": "H265LookAheadRateControl", - "locationName": "lookAheadRateControl", - "documentation": "Amount of lookahead. A value of low can decrease latency and memory usage, while high can produce better quality for certain content." + "ThumbnailConfiguration": { + "shape": "ThumbnailConfiguration", + "locationName": "thumbnailConfiguration", + "documentation": "Thumbnail configuration settings." }, - "MaxBitrate": { - "shape": "__integerMin100000Max40000000", - "locationName": "maxBitrate", - "documentation": "For QVBR: See the tooltip for Quality level" + "ColorCorrectionSettings": { + "shape": "ColorCorrectionSettings", + "locationName": "colorCorrectionSettings", + "documentation": "Color Correction Settings" + } + }, + "documentation": "Encoder Settings", + "required": [ + "VideoDescriptions", + "AudioDescriptions", + "OutputGroups", + "TimecodeConfig" + ] + }, + "EpochLockingSettings": { + "type": "structure", + "members": { + "CustomEpoch": { + "shape": "__string", + "locationName": "customEpoch", + "documentation": "Optional. Enter a value here to use a custom epoch, instead of the standard epoch (which started at 1970-01-01T00:00:00 UTC). Specify the start time of the custom epoch, in YYYY-MM-DDTHH:MM:SS in UTC. The time must be 2000-01-01T00:00:00 or later. Always set the MM:SS portion to 00:00." }, - "MinIInterval": { - "shape": "__integerMin0Max30", - "locationName": "minIInterval", - "documentation": "Only meaningful if sceneChangeDetect is set to enabled. Defaults to 5 if multiplex rate control is used. Enforces separation between repeated (cadence) I-frames and I-frames inserted by Scene Change Detection. If a scene change I-frame is within I-interval frames of a cadence I-frame, the GOP is shrunk and/or stretched to the scene change I-frame. GOP stretch requires enabling lookahead as well as setting I-interval. The normal cadence resumes for the next GOP. Note: Maximum GOP stretch = GOP size + Min-I-interval - 1" + "JamSyncTime": { + "shape": "__string", + "locationName": "jamSyncTime", + "documentation": "Optional. Enter a time for the jam sync. The default is midnight UTC. When epoch locking is enabled, MediaLive performs a daily jam sync on every output encode to ensure timecodes don’t diverge from the wall clock. The jam sync applies only to encodes with frame rate of 29.97 or 59.94 FPS. To override, enter a time in HH:MM:SS in UTC. Always set the MM:SS portion to 00:00." + } + }, + "documentation": "Epoch Locking Settings" + }, + "Esam": { + "type": "structure", + "members": { + "AcquisitionPointId": { + "shape": "__stringMax256", + "locationName": "acquisitionPointId", + "documentation": "Sent as acquisitionPointIdentity to identify the MediaLive channel to the POIS." }, - "ParDenominator": { - "shape": "__integerMin1", - "locationName": "parDenominator", - "documentation": "Pixel Aspect Ratio denominator." + "AdAvailOffset": { + "shape": "__integerMinNegative1000Max1000", + "locationName": "adAvailOffset", + "documentation": "When specified, this offset (in milliseconds) is added to the input Ad Avail PTS time. This only applies to embedded SCTE 104/35 messages and does not apply to OOB messages." }, - "ParNumerator": { - "shape": "__integerMin1", - "locationName": "parNumerator", - "documentation": "Pixel Aspect Ratio numerator." + "PasswordParam": { + "shape": "__string", + "locationName": "passwordParam", + "documentation": "Documentation update needed" }, - "Profile": { - "shape": "H265Profile", - "locationName": "profile", - "documentation": "H.265 Profile." + "PoisEndpoint": { + "shape": "__stringMax2048", + "locationName": "poisEndpoint", + "documentation": "The URL of the signal conditioner endpoint on the Placement Opportunity Information System (POIS). MediaLive sends SignalProcessingEvents here when SCTE-35 messages are read." }, - "QvbrQualityLevel": { - "shape": "__integerMin1Max10", - "locationName": "qvbrQualityLevel", - "documentation": "Controls the target quality for the video encode. Applies only when the rate control mode is QVBR. Set values for the QVBR quality level field and Max bitrate field that suit your most important viewing devices. Recommended values are:\n- Primary screen: Quality level: 8 to 10. Max bitrate: 4M\n- PC or tablet: Quality level: 7. Max bitrate: 1.5M to 3M\n- Smartphone: Quality level: 6. Max bitrate: 1M to 1.5M" + "Username": { + "shape": "__string", + "locationName": "username", + "documentation": "Documentation update needed" }, - "RateControlMode": { - "shape": "H265RateControlMode", - "locationName": "rateControlMode", - "documentation": "Rate control mode.\n\nQVBR: Quality will match the specified quality level except when it is constrained by the\nmaximum bitrate. Recommended if you or your viewers pay for bandwidth.\n\nCBR: Quality varies, depending on the video complexity. Recommended only if you distribute\nyour assets to devices that cannot handle variable bitrates.\n\nMultiplex: This rate control mode is only supported (and is required) when the video is being\ndelivered to a MediaLive Multiplex in which case the rate control configuration is controlled\nby the properties within the Multiplex Program." + "ZoneIdentity": { + "shape": "__stringMax256", + "locationName": "zoneIdentity", + "documentation": "Optional data sent as zoneIdentity to identify the MediaLive channel to the POIS." + } + }, + "documentation": "Esam", + "required": [ + "AcquisitionPointId", + "PoisEndpoint" + ] + }, + "FailoverCondition": { + "type": "structure", + "members": { + "FailoverConditionSettings": { + "shape": "FailoverConditionSettings", + "locationName": "failoverConditionSettings", + "documentation": "Failover condition type-specific settings." + } + }, + "documentation": "Failover Condition settings. There can be multiple failover conditions inside AutomaticInputFailoverSettings." + }, + "FailoverConditionSettings": { + "type": "structure", + "members": { + "AudioSilenceSettings": { + "shape": "AudioSilenceFailoverSettings", + "locationName": "audioSilenceSettings", + "documentation": "MediaLive will perform a failover if the specified audio selector is silent for the specified period." }, - "ScanType": { - "shape": "H265ScanType", - "locationName": "scanType", - "documentation": "Sets the scan type of the output to progressive or top-field-first interlaced." + "InputLossSettings": { + "shape": "InputLossFailoverSettings", + "locationName": "inputLossSettings", + "documentation": "MediaLive will perform a failover if content is not detected in this input for the specified period." }, - "SceneChangeDetect": { - "shape": "H265SceneChangeDetect", - "locationName": "sceneChangeDetect", - "documentation": "Scene change detection." - }, - "Slices": { - "shape": "__integerMin1Max16", - "locationName": "slices", - "documentation": "Number of slices per picture. Must be less than or equal to the number of macroblock rows for progressive pictures, and less than or equal to half the number of macroblock rows for interlaced pictures.\nThis field is optional; when no value is specified the encoder will choose the number of slices based on encode resolution." - }, - "Tier": { - "shape": "H265Tier", - "locationName": "tier", - "documentation": "H.265 Tier." - }, - "TimecodeInsertion": { - "shape": "H265TimecodeInsertionBehavior", - "locationName": "timecodeInsertion", - "documentation": "Determines how timecodes should be inserted into the video elementary stream.\n- 'disabled': Do not include timecodes\n- 'picTimingSei': Pass through picture timing SEI messages from the source specified in Timecode Config" - }, - "TimecodeBurninSettings": { - "shape": "TimecodeBurninSettings", - "locationName": "timecodeBurninSettings", - "documentation": "Timecode burn-in settings" - }, - "MvOverPictureBoundaries": { - "shape": "H265MvOverPictureBoundaries", - "locationName": "mvOverPictureBoundaries", - "documentation": "If you are setting up the picture as a tile, you must set this to \"disabled\". In all other configurations, you typically enter \"enabled\"." - }, - "MvTemporalPredictor": { - "shape": "H265MvTemporalPredictor", - "locationName": "mvTemporalPredictor", - "documentation": "If you are setting up the picture as a tile, you must set this to \"disabled\". In other configurations, you typically enter \"enabled\"." - }, - "TileHeight": { - "shape": "__integerMin64Max2160", - "locationName": "tileHeight", - "documentation": "Set this field to set up the picture as a tile. You must also set tileWidth.\nThe tile height must result in 22 or fewer rows in the frame. The tile width\nmust result in 20 or fewer columns in the frame. And finally, the product of the\ncolumn count and row count must be 64 of less.\nIf the tile width and height are specified, MediaLive will override the video\ncodec slices field with a value that MediaLive calculates" - }, - "TilePadding": { - "shape": "H265TilePadding", - "locationName": "tilePadding", - "documentation": "Set to \"padded\" to force MediaLive to add padding to the frame, to obtain a frame that is a whole multiple of the tile size.\nIf you are setting up the picture as a tile, you must enter \"padded\".\nIn all other configurations, you typically enter \"none\"." - }, - "TileWidth": { - "shape": "__integerMin256Max3840", - "locationName": "tileWidth", - "documentation": "Set this field to set up the picture as a tile. See tileHeight for more information." - }, - "TreeblockSize": { - "shape": "H265TreeblockSize", - "locationName": "treeblockSize", - "documentation": "Select the tree block size used for encoding. If you enter \"auto\", the encoder will pick the best size. If you are setting up the picture as a tile, you must set this to 32x32. In all other configurations, you typically enter \"auto\"." + "VideoBlackSettings": { + "shape": "VideoBlackFailoverSettings", + "locationName": "videoBlackSettings", + "documentation": "MediaLive will perform a failover if content is considered black for the specified period." + } + }, + "documentation": "Settings for one failover condition." + }, + "FeatureActivations": { + "type": "structure", + "members": { + "InputPrepareScheduleActions": { + "shape": "FeatureActivationsInputPrepareScheduleActions", + "locationName": "inputPrepareScheduleActions", + "documentation": "Enables the Input Prepare feature. You can create Input Prepare actions in the schedule only if this feature is enabled.\nIf you disable the feature on an existing schedule, make sure that you first delete all input prepare actions from the schedule." }, - "MinQp": { - "shape": "__integerMin1Max51", - "locationName": "minQp", - "documentation": "Sets the minimum QP. If you aren't familiar with quantization adjustment, leave the field empty. MediaLive will\napply an appropriate value." + "OutputStaticImageOverlayScheduleActions": { + "shape": "FeatureActivationsOutputStaticImageOverlayScheduleActions", + "locationName": "outputStaticImageOverlayScheduleActions", + "documentation": "Enables the output static image overlay feature. Enabling this feature allows you to send channel schedule updates\nto display/clear/modify image overlays on an output-by-output bases." } }, - "documentation": "H265 Settings", - "required": [ - "FramerateNumerator", - "FramerateDenominator" - ] + "documentation": "Feature Activations" }, - "H265Tier": { + "FeatureActivationsInputPrepareScheduleActions": { "type": "string", - "documentation": "H265 Tier", + "documentation": "Feature Activations Input Prepare Schedule Actions", "enum": [ - "HIGH", - "MAIN" + "DISABLED", + "ENABLED" ] }, - "H265TimecodeInsertionBehavior": { + "FeatureActivationsOutputStaticImageOverlayScheduleActions": { "type": "string", - "documentation": "H265 Timecode Insertion Behavior", + "documentation": "Feature Activations Output Static Image Overlay Schedule Actions", "enum": [ "DISABLED", - "PIC_TIMING_SEI" + "ENABLED" ] }, - "Hdr10Settings": { + "FecOutputIncludeFec": { + "type": "string", + "documentation": "Fec Output Include Fec", + "enum": [ + "COLUMN", + "COLUMN_AND_ROW" + ] + }, + "FecOutputSettings": { "type": "structure", "members": { - "MaxCll": { - "shape": "__integerMin0Max32768", - "locationName": "maxCll", - "documentation": "Maximum Content Light Level\nAn integer metadata value defining the maximum light level, in nits,\nof any single pixel within an encoded HDR video stream or file." + "ColumnDepth": { + "shape": "__integerMin4Max20", + "locationName": "columnDepth", + "documentation": "Parameter D from SMPTE 2022-1. The height of the FEC protection matrix. The number of transport stream packets per column error correction packet. Must be between 4 and 20, inclusive." }, - "MaxFall": { - "shape": "__integerMin0Max32768", - "locationName": "maxFall", - "documentation": "Maximum Frame Average Light Level\nAn integer metadata value defining the maximum average light level, in nits,\nfor any single frame within an encoded HDR video stream or file." + "IncludeFec": { + "shape": "FecOutputIncludeFec", + "locationName": "includeFec", + "documentation": "Enables column only or column and row based FEC" + }, + "RowLength": { + "shape": "__integerMin1Max20", + "locationName": "rowLength", + "documentation": "Parameter L from SMPTE 2022-1. The width of the FEC protection matrix. Must be between 1 and 20, inclusive. If only Column FEC is used, then larger values increase robustness. If Row FEC is used, then this is the number of transport stream packets per row error correction packet, and the value must be between 4 and 20, inclusive, if includeFec is columnAndRow. If includeFec is column, this value must be 1 to 20, inclusive." } }, - "documentation": "Hdr10 Settings" - }, - "HlsAdMarkers": { - "type": "string", - "documentation": "Hls Ad Markers", - "enum": [ - "ADOBE", - "ELEMENTAL", - "ELEMENTAL_SCTE35" - ] + "documentation": "Fec Output Settings" }, - "HlsAkamaiHttpTransferMode": { + "FixedAfd": { "type": "string", - "documentation": "Hls Akamai Http Transfer Mode", + "documentation": "Fixed Afd", "enum": [ - "CHUNKED", - "NON_CHUNKED" + "AFD_0000", + "AFD_0010", + "AFD_0011", + "AFD_0100", + "AFD_1000", + "AFD_1001", + "AFD_1010", + "AFD_1011", + "AFD_1101", + "AFD_1110", + "AFD_1111" ] }, - "HlsAkamaiSettings": { + "FixedModeScheduleActionStartSettings": { "type": "structure", "members": { - "ConnectionRetryInterval": { - "shape": "__integerMin0", - "locationName": "connectionRetryInterval", - "documentation": "Number of seconds to wait before retrying connection to the CDN if the connection is lost." - }, - "FilecacheDuration": { - "shape": "__integerMin0Max600", - "locationName": "filecacheDuration", - "documentation": "Size in seconds of file cache for streaming outputs." - }, - "HttpTransferMode": { - "shape": "HlsAkamaiHttpTransferMode", - "locationName": "httpTransferMode", - "documentation": "Specify whether or not to use chunked transfer encoding to Akamai. User should contact Akamai to enable this feature." - }, - "NumRetries": { - "shape": "__integerMin0", - "locationName": "numRetries", - "documentation": "Number of retry attempts that will be made before the Live Event is put into an error state. Applies only if the CDN destination URI begins with \"s3\" or \"mediastore\". For other URIs, the value is always 3." - }, - "RestartDelay": { - "shape": "__integerMin0Max15", - "locationName": "restartDelay", - "documentation": "If a streaming output fails, number of seconds to wait until a restart is initiated. A value of 0 means never restart." - }, - "Salt": { - "shape": "__string", - "locationName": "salt", - "documentation": "Salt for authenticated Akamai." - }, - "Token": { + "Time": { "shape": "__string", - "locationName": "token", - "documentation": "Token parameter for authenticated akamai. If not specified, _gda_ is used." + "locationName": "time", + "documentation": "Start time for the action to start in the channel. (Not the time for the action to be added to the schedule: actions are always added to the schedule immediately.) UTC format: yyyy-mm-ddThh:mm:ss.nnnZ. All the letters are digits (for example, mm might be 01) except for the two constants \"T\" for time and \"Z\" for \"UTC format\"." } }, - "documentation": "Hls Akamai Settings" + "documentation": "Start time for the action.", + "required": [ + "Time" + ] }, - "HlsBasicPutSettings": { + "Fmp4HlsSettings": { "type": "structure", "members": { - "ConnectionRetryInterval": { - "shape": "__integerMin0", - "locationName": "connectionRetryInterval", - "documentation": "Number of seconds to wait before retrying connection to the CDN if the connection is lost." - }, - "FilecacheDuration": { - "shape": "__integerMin0Max600", - "locationName": "filecacheDuration", - "documentation": "Size in seconds of file cache for streaming outputs." + "AudioRenditionSets": { + "shape": "__string", + "locationName": "audioRenditionSets", + "documentation": "List all the audio groups that are used with the video output stream. Input all the audio GROUP-IDs that are associated to the video, separate by ','." }, - "NumRetries": { - "shape": "__integerMin0", - "locationName": "numRetries", - "documentation": "Number of retry attempts that will be made before the Live Event is put into an error state. Applies only if the CDN destination URI begins with \"s3\" or \"mediastore\". For other URIs, the value is always 3." + "NielsenId3Behavior": { + "shape": "Fmp4NielsenId3Behavior", + "locationName": "nielsenId3Behavior", + "documentation": "If set to passthrough, Nielsen inaudible tones for media tracking will be detected in the input audio and an equivalent ID3 tag will be inserted in the output." }, - "RestartDelay": { - "shape": "__integerMin0Max15", - "locationName": "restartDelay", - "documentation": "If a streaming output fails, number of seconds to wait until a restart is initiated. A value of 0 means never restart." + "TimedMetadataBehavior": { + "shape": "Fmp4TimedMetadataBehavior", + "locationName": "timedMetadataBehavior", + "documentation": "When set to passthrough, timed metadata is passed through from input to output." } }, - "documentation": "Hls Basic Put Settings" + "documentation": "Fmp4 Hls Settings" }, - "HlsCaptionLanguageSetting": { + "Fmp4NielsenId3Behavior": { "type": "string", - "documentation": "Hls Caption Language Setting", + "documentation": "Fmp4 Nielsen Id3 Behavior", "enum": [ - "INSERT", - "NONE", - "OMIT" + "NO_PASSTHROUGH", + "PASSTHROUGH" ] }, - "HlsCdnSettings": { + "Fmp4TimedMetadataBehavior": { + "type": "string", + "documentation": "Fmp4 Timed Metadata Behavior", + "enum": [ + "NO_PASSTHROUGH", + "PASSTHROUGH" + ] + }, + "FollowModeScheduleActionStartSettings": { "type": "structure", "members": { - "HlsAkamaiSettings": { - "shape": "HlsAkamaiSettings", - "locationName": "hlsAkamaiSettings" + "FollowPoint": { + "shape": "FollowPoint", + "locationName": "followPoint", + "documentation": "Identifies whether this action starts relative to the start or relative to the end of the reference action." }, - "HlsBasicPutSettings": { - "shape": "HlsBasicPutSettings", - "locationName": "hlsBasicPutSettings" + "ReferenceActionName": { + "shape": "__string", + "locationName": "referenceActionName", + "documentation": "The action name of another action that this one refers to." + } + }, + "documentation": "Settings to specify if an action follows another.", + "required": [ + "ReferenceActionName", + "FollowPoint" + ] + }, + "FollowPoint": { + "type": "string", + "documentation": "Follow reference point.", + "enum": [ + "END", + "START" + ] + }, + "ForbiddenException": { + "type": "structure", + "members": { + "Message": { + "shape": "__string", + "locationName": "message" + } + }, + "exception": true, + "error": { + "httpStatusCode": 403 + }, + "documentation": "Placeholder documentation for ForbiddenException" + }, + "FrameCaptureCdnSettings": { + "type": "structure", + "members": { + "FrameCaptureS3Settings": { + "shape": "FrameCaptureS3Settings", + "locationName": "frameCaptureS3Settings" + } + }, + "documentation": "Frame Capture Cdn Settings" + }, + "FrameCaptureGroupSettings": { + "type": "structure", + "members": { + "Destination": { + "shape": "OutputLocationRef", + "locationName": "destination", + "documentation": "The destination for the frame capture files. Either the URI for an Amazon S3 bucket and object, plus a file name prefix (for example, s3ssl://sportsDelivery/highlights/20180820/curling-) or the URI for a MediaStore container, plus a file name prefix (for example, mediastoressl://sportsDelivery/20180820/curling-). The final file names consist of the prefix from the destination field (for example, \"curling-\") + name modifier + the counter (5 digits, starting from 00001) + extension (which is always .jpg). For example, curling-low.00001.jpg" }, - "HlsMediaStoreSettings": { - "shape": "HlsMediaStoreSettings", - "locationName": "hlsMediaStoreSettings" + "FrameCaptureCdnSettings": { + "shape": "FrameCaptureCdnSettings", + "locationName": "frameCaptureCdnSettings", + "documentation": "Parameters that control interactions with the CDN." + } + }, + "documentation": "Frame Capture Group Settings", + "required": [ + "Destination" + ] + }, + "FrameCaptureHlsSettings": { + "type": "structure", + "members": { + }, + "documentation": "Frame Capture Hls Settings" + }, + "FrameCaptureIntervalUnit": { + "type": "string", + "documentation": "Frame Capture Interval Unit", + "enum": [ + "MILLISECONDS", + "SECONDS" + ] + }, + "FrameCaptureOutputSettings": { + "type": "structure", + "members": { + "NameModifier": { + "shape": "__string", + "locationName": "nameModifier", + "documentation": "Required if the output group contains more than one output. This modifier forms part of the output file name." + } + }, + "documentation": "Frame Capture Output Settings" + }, + "FrameCaptureS3LogUploads": { + "type": "string", + "documentation": "Frame Capture S3 Log Uploads", + "enum": [ + "DISABLED", + "ENABLED" + ] + }, + "FrameCaptureS3Settings": { + "type": "structure", + "members": { + "CannedAcl": { + "shape": "S3CannedAcl", + "locationName": "cannedAcl", + "documentation": "Specify the canned ACL to apply to each S3 request. Defaults to none." + } + }, + "documentation": "Frame Capture S3 Settings" + }, + "FrameCaptureSettings": { + "type": "structure", + "members": { + "CaptureInterval": { + "shape": "__integerMin1Max3600000", + "locationName": "captureInterval", + "documentation": "The frequency at which to capture frames for inclusion in the output. May be specified in either seconds or milliseconds, as specified by captureIntervalUnits." }, - "HlsS3Settings": { - "shape": "HlsS3Settings", - "locationName": "hlsS3Settings" + "CaptureIntervalUnits": { + "shape": "FrameCaptureIntervalUnit", + "locationName": "captureIntervalUnits", + "documentation": "Unit for the frame capture interval." }, - "HlsWebdavSettings": { - "shape": "HlsWebdavSettings", - "locationName": "hlsWebdavSettings" + "TimecodeBurninSettings": { + "shape": "TimecodeBurninSettings", + "locationName": "timecodeBurninSettings", + "documentation": "Timecode burn-in settings" } }, - "documentation": "Hls Cdn Settings" + "documentation": "Frame Capture Settings" }, - "HlsClientCache": { + "GatewayTimeoutException": { + "type": "structure", + "members": { + "Message": { + "shape": "__string", + "locationName": "message" + } + }, + "exception": true, + "error": { + "httpStatusCode": 504 + }, + "documentation": "Placeholder documentation for GatewayTimeoutException" + }, + "GlobalConfiguration": { + "type": "structure", + "members": { + "InitialAudioGain": { + "shape": "__integerMinNegative60Max60", + "locationName": "initialAudioGain", + "documentation": "Value to set the initial audio gain for the Live Event." + }, + "InputEndAction": { + "shape": "GlobalConfigurationInputEndAction", + "locationName": "inputEndAction", + "documentation": "Indicates the action to take when the current input completes (e.g. end-of-file). When switchAndLoopInputs is configured the encoder will restart at the beginning of the first input. When \"none\" is configured the encoder will transcode either black, a solid color, or a user specified slate images per the \"Input Loss Behavior\" configuration until the next input switch occurs (which is controlled through the Channel Schedule API)." + }, + "InputLossBehavior": { + "shape": "InputLossBehavior", + "locationName": "inputLossBehavior", + "documentation": "Settings for system actions when input is lost." + }, + "OutputLockingMode": { + "shape": "GlobalConfigurationOutputLockingMode", + "locationName": "outputLockingMode", + "documentation": "Indicates how MediaLive pipelines are synchronized.\n\nPIPELINE_LOCKING - MediaLive will attempt to synchronize the output of each pipeline to the other.\nEPOCH_LOCKING - MediaLive will attempt to synchronize the output of each pipeline to the Unix epoch." + }, + "OutputTimingSource": { + "shape": "GlobalConfigurationOutputTimingSource", + "locationName": "outputTimingSource", + "documentation": "Indicates whether the rate of frames emitted by the Live encoder should be paced by its system clock (which optionally may be locked to another source via NTP) or should be locked to the clock of the source that is providing the input stream." + }, + "SupportLowFramerateInputs": { + "shape": "GlobalConfigurationLowFramerateInputs", + "locationName": "supportLowFramerateInputs", + "documentation": "Adjusts video input buffer for streams with very low video framerates. This is commonly set to enabled for music channels with less than one video frame per second." + }, + "OutputLockingSettings": { + "shape": "OutputLockingSettings", + "locationName": "outputLockingSettings", + "documentation": "Advanced output locking settings" + } + }, + "documentation": "Global Configuration" + }, + "GlobalConfigurationInputEndAction": { "type": "string", - "documentation": "Hls Client Cache", + "documentation": "Global Configuration Input End Action", + "enum": [ + "NONE", + "SWITCH_AND_LOOP_INPUTS" + ] + }, + "GlobalConfigurationLowFramerateInputs": { + "type": "string", + "documentation": "Global Configuration Low Framerate Inputs", "enum": [ "DISABLED", "ENABLED" ] }, - "HlsCodecSpecification": { + "GlobalConfigurationOutputLockingMode": { "type": "string", - "documentation": "Hls Codec Specification", + "documentation": "Global Configuration Output Locking Mode", "enum": [ - "RFC_4281", - "RFC_6381" + "EPOCH_LOCKING", + "PIPELINE_LOCKING" ] }, - "HlsDirectoryStructure": { + "GlobalConfigurationOutputTimingSource": { "type": "string", - "documentation": "Hls Directory Structure", + "documentation": "Global Configuration Output Timing Source", "enum": [ - "SINGLE_DIRECTORY", - "SUBDIRECTORY_PER_STREAM" + "INPUT_CLOCK", + "SYSTEM_CLOCK" ] }, - "HlsDiscontinuityTags": { + "H264AdaptiveQuantization": { "type": "string", - "documentation": "Hls Discontinuity Tags", + "documentation": "H264 Adaptive Quantization", "enum": [ - "INSERT", - "NEVER_INSERT" + "AUTO", + "HIGH", + "HIGHER", + "LOW", + "MAX", + "MEDIUM", + "OFF" ] }, - "HlsEncryptionType": { + "H264ColorMetadata": { "type": "string", - "documentation": "Hls Encryption Type", + "documentation": "H264 Color Metadata", "enum": [ - "AES128", - "SAMPLE_AES" + "IGNORE", + "INSERT" ] }, - "HlsGroupSettings": { + "H264ColorSpaceSettings": { "type": "structure", "members": { - "AdMarkers": { - "shape": "__listOfHlsAdMarkers", - "locationName": "adMarkers", - "documentation": "Choose one or more ad marker types to pass SCTE35 signals through to this group of Apple HLS outputs." + "ColorSpacePassthroughSettings": { + "shape": "ColorSpacePassthroughSettings", + "locationName": "colorSpacePassthroughSettings" }, - "BaseUrlContent": { - "shape": "__string", - "locationName": "baseUrlContent", - "documentation": "A partial URI prefix that will be prepended to each output in the media .m3u8 file. Can be used if base manifest is delivered from a different URL than the main .m3u8 file." + "Rec601Settings": { + "shape": "Rec601Settings", + "locationName": "rec601Settings" }, - "BaseUrlContent1": { - "shape": "__string", - "locationName": "baseUrlContent1", - "documentation": "Optional. One value per output group.\n\nThis field is required only if you are completing Base URL content A, and the downstream system has notified you that the media files for pipeline 1 of all outputs are in a location different from the media files for pipeline 0." - }, - "BaseUrlManifest": { - "shape": "__string", - "locationName": "baseUrlManifest", - "documentation": "A partial URI prefix that will be prepended to each output in the media .m3u8 file. Can be used if base manifest is delivered from a different URL than the main .m3u8 file." - }, - "BaseUrlManifest1": { - "shape": "__string", - "locationName": "baseUrlManifest1", - "documentation": "Optional. One value per output group.\n\nComplete this field only if you are completing Base URL manifest A, and the downstream system has notified you that the child manifest files for pipeline 1 of all outputs are in a location different from the child manifest files for pipeline 0." - }, - "CaptionLanguageMappings": { - "shape": "__listOfCaptionLanguageMapping", - "locationName": "captionLanguageMappings", - "documentation": "Mapping of up to 4 caption channels to caption languages. Is only meaningful if captionLanguageSetting is set to \"insert\"." - }, - "CaptionLanguageSetting": { - "shape": "HlsCaptionLanguageSetting", - "locationName": "captionLanguageSetting", - "documentation": "Applies only to 608 Embedded output captions.\ninsert: Include CLOSED-CAPTIONS lines in the manifest. Specify at least one language in the CC1 Language Code field. One CLOSED-CAPTION line is added for each Language Code you specify. Make sure to specify the languages in the order in which they appear in the original source (if the source is embedded format) or the order of the caption selectors (if the source is other than embedded). Otherwise, languages in the manifest will not match up properly with the output captions.\nnone: Include CLOSED-CAPTIONS=NONE line in the manifest.\nomit: Omit any CLOSED-CAPTIONS line from the manifest." - }, - "ClientCache": { - "shape": "HlsClientCache", - "locationName": "clientCache", - "documentation": "When set to \"disabled\", sets the #EXT-X-ALLOW-CACHE:no tag in the manifest, which prevents clients from saving media segments for later replay." - }, - "CodecSpecification": { - "shape": "HlsCodecSpecification", - "locationName": "codecSpecification", - "documentation": "Specification to use (RFC-6381 or the default RFC-4281) during m3u8 playlist generation." - }, - "ConstantIv": { - "shape": "__stringMin32Max32", - "locationName": "constantIv", - "documentation": "For use with encryptionType. This is a 128-bit, 16-byte hex value represented by a 32-character text string. If ivSource is set to \"explicit\" then this parameter is required and is used as the IV for encryption." - }, - "Destination": { - "shape": "OutputLocationRef", - "locationName": "destination", - "documentation": "A directory or HTTP destination for the HLS segments, manifest files, and encryption keys (if enabled)." - }, - "DirectoryStructure": { - "shape": "HlsDirectoryStructure", - "locationName": "directoryStructure", - "documentation": "Place segments in subdirectories." - }, - "DiscontinuityTags": { - "shape": "HlsDiscontinuityTags", - "locationName": "discontinuityTags", - "documentation": "Specifies whether to insert EXT-X-DISCONTINUITY tags in the HLS child manifests for this output group.\nTypically, choose Insert because these tags are required in the manifest (according to the HLS specification) and serve an important purpose.\nChoose Never Insert only if the downstream system is doing real-time failover (without using the MediaLive automatic failover feature) and only if that downstream system has advised you to exclude the tags." - }, - "EncryptionType": { - "shape": "HlsEncryptionType", - "locationName": "encryptionType", - "documentation": "Encrypts the segments with the given encryption scheme. Exclude this parameter if no encryption is desired." - }, - "HlsCdnSettings": { - "shape": "HlsCdnSettings", - "locationName": "hlsCdnSettings", - "documentation": "Parameters that control interactions with the CDN." - }, - "HlsId3SegmentTagging": { - "shape": "HlsId3SegmentTaggingState", - "locationName": "hlsId3SegmentTagging", - "documentation": "State of HLS ID3 Segment Tagging" - }, - "IFrameOnlyPlaylists": { - "shape": "IFrameOnlyPlaylistType", - "locationName": "iFrameOnlyPlaylists", - "documentation": "DISABLED: Do not create an I-frame-only manifest, but do create the master and media manifests (according to the Output Selection field).\n\nSTANDARD: Create an I-frame-only manifest for each output that contains video, as well as the other manifests (according to the Output Selection field). The I-frame manifest contains a #EXT-X-I-FRAMES-ONLY tag to indicate it is I-frame only, and one or more #EXT-X-BYTERANGE entries identifying the I-frame position. For example, #EXT-X-BYTERANGE:160364@1461888\"" - }, - "IncompleteSegmentBehavior": { - "shape": "HlsIncompleteSegmentBehavior", - "locationName": "incompleteSegmentBehavior", - "documentation": "Specifies whether to include the final (incomplete) segment in the media output when the pipeline stops producing output because of a channel stop, a channel pause or a loss of input to the pipeline.\nAuto means that MediaLive decides whether to include the final segment, depending on the channel class and the types of output groups.\nSuppress means to never include the incomplete segment. We recommend you choose Auto and let MediaLive control the behavior." - }, - "IndexNSegments": { - "shape": "__integerMin3", - "locationName": "indexNSegments", - "documentation": "Applies only if Mode field is LIVE.\n\nSpecifies the maximum number of segments in the media manifest file. After this maximum, older segments are removed from the media manifest. This number must be smaller than the number in the Keep Segments field." - }, - "InputLossAction": { - "shape": "InputLossActionForHlsOut", - "locationName": "inputLossAction", - "documentation": "Parameter that control output group behavior on input loss." - }, - "IvInManifest": { - "shape": "HlsIvInManifest", - "locationName": "ivInManifest", - "documentation": "For use with encryptionType. The IV (Initialization Vector) is a 128-bit number used in conjunction with the key for encrypting blocks. If set to \"include\", IV is listed in the manifest, otherwise the IV is not in the manifest." - }, - "IvSource": { - "shape": "HlsIvSource", - "locationName": "ivSource", - "documentation": "For use with encryptionType. The IV (Initialization Vector) is a 128-bit number used in conjunction with the key for encrypting blocks. If this setting is \"followsSegmentNumber\", it will cause the IV to change every segment (to match the segment number). If this is set to \"explicit\", you must enter a constantIv value." - }, - "KeepSegments": { - "shape": "__integerMin1", - "locationName": "keepSegments", - "documentation": "Applies only if Mode field is LIVE.\n\nSpecifies the number of media segments to retain in the destination directory. This number should be bigger than indexNSegments (Num segments). We recommend (value = (2 x indexNsegments) + 1).\n\nIf this \"keep segments\" number is too low, the following might happen: the player is still reading a media manifest file that lists this segment, but that segment has been removed from the destination directory (as directed by indexNSegments). This situation would result in a 404 HTTP error on the player." - }, - "KeyFormat": { - "shape": "__string", - "locationName": "keyFormat", - "documentation": "The value specifies how the key is represented in the resource identified by the URI. If parameter is absent, an implicit value of \"identity\" is used. A reverse DNS string can also be given." - }, - "KeyFormatVersions": { - "shape": "__string", - "locationName": "keyFormatVersions", - "documentation": "Either a single positive integer version value or a slash delimited list of version values (1/2/3)." - }, - "KeyProviderSettings": { - "shape": "KeyProviderSettings", - "locationName": "keyProviderSettings", - "documentation": "The key provider settings." - }, - "ManifestCompression": { - "shape": "HlsManifestCompression", - "locationName": "manifestCompression", - "documentation": "When set to gzip, compresses HLS playlist." - }, - "ManifestDurationFormat": { - "shape": "HlsManifestDurationFormat", - "locationName": "manifestDurationFormat", - "documentation": "Indicates whether the output manifest should use floating point or integer values for segment duration." - }, - "MinSegmentLength": { - "shape": "__integerMin0", - "locationName": "minSegmentLength", - "documentation": "Minimum length of MPEG-2 Transport Stream segments in seconds. When set, minimum segment length is enforced by looking ahead and back within the specified range for a nearby avail and extending the segment size if needed." - }, - "Mode": { - "shape": "HlsMode", - "locationName": "mode", - "documentation": "If \"vod\", all segments are indexed and kept permanently in the destination and manifest. If \"live\", only the number segments specified in keepSegments and indexNSegments are kept; newer segments replace older segments, which may prevent players from rewinding all the way to the beginning of the event.\n\nVOD mode uses HLS EXT-X-PLAYLIST-TYPE of EVENT while the channel is running, converting it to a \"VOD\" type manifest on completion of the stream." - }, - "OutputSelection": { - "shape": "HlsOutputSelection", - "locationName": "outputSelection", - "documentation": "MANIFESTS_AND_SEGMENTS: Generates manifests (master manifest, if applicable, and media manifests) for this output group.\n\nVARIANT_MANIFESTS_AND_SEGMENTS: Generates media manifests for this output group, but not a master manifest.\n\nSEGMENTS_ONLY: Does not generate any manifests for this output group." - }, - "ProgramDateTime": { - "shape": "HlsProgramDateTime", - "locationName": "programDateTime", - "documentation": "Includes or excludes EXT-X-PROGRAM-DATE-TIME tag in .m3u8 manifest files. The value is calculated using the program date time clock." - }, - "ProgramDateTimeClock": { - "shape": "HlsProgramDateTimeClock", - "locationName": "programDateTimeClock", - "documentation": "Specifies the algorithm used to drive the HLS EXT-X-PROGRAM-DATE-TIME clock. Options include:\n\nINITIALIZE_FROM_OUTPUT_TIMECODE: The PDT clock is initialized as a function of the first output timecode, then incremented by the EXTINF duration of each encoded segment.\n\nSYSTEM_CLOCK: The PDT clock is initialized as a function of the UTC wall clock, then incremented by the EXTINF duration of each encoded segment. If the PDT clock diverges from the wall clock by more than 500ms, it is resynchronized to the wall clock." - }, - "ProgramDateTimePeriod": { - "shape": "__integerMin0Max3600", - "locationName": "programDateTimePeriod", - "documentation": "Period of insertion of EXT-X-PROGRAM-DATE-TIME entry, in seconds." - }, - "RedundantManifest": { - "shape": "HlsRedundantManifest", - "locationName": "redundantManifest", - "documentation": "ENABLED: The master manifest (.m3u8 file) for each pipeline includes information about both pipelines: first its own media files, then the media files of the other pipeline. This feature allows playout device that support stale manifest detection to switch from one manifest to the other, when the current manifest seems to be stale. There are still two destinations and two master manifests, but both master manifests reference the media files from both pipelines.\n\nDISABLED: The master manifest (.m3u8 file) for each pipeline includes information about its own pipeline only.\n\nFor an HLS output group with MediaPackage as the destination, the DISABLED behavior is always followed. MediaPackage regenerates the manifests it serves to players so a redundant manifest from MediaLive is irrelevant." - }, - "SegmentLength": { - "shape": "__integerMin1", - "locationName": "segmentLength", - "documentation": "Length of MPEG-2 Transport Stream segments to create in seconds. Note that segments will end on the next keyframe after this duration, so actual segment length may be longer." - }, - "SegmentationMode": { - "shape": "HlsSegmentationMode", - "locationName": "segmentationMode", - "documentation": "useInputSegmentation has been deprecated. The configured segment size is always used." - }, - "SegmentsPerSubdirectory": { - "shape": "__integerMin1", - "locationName": "segmentsPerSubdirectory", - "documentation": "Number of segments to write to a subdirectory before starting a new one. directoryStructure must be subdirectoryPerStream for this setting to have an effect." - }, - "StreamInfResolution": { - "shape": "HlsStreamInfResolution", - "locationName": "streamInfResolution", - "documentation": "Include or exclude RESOLUTION attribute for video in EXT-X-STREAM-INF tag of variant manifest." - }, - "TimedMetadataId3Frame": { - "shape": "HlsTimedMetadataId3Frame", - "locationName": "timedMetadataId3Frame", - "documentation": "Indicates ID3 frame that has the timecode." - }, - "TimedMetadataId3Period": { - "shape": "__integerMin0", - "locationName": "timedMetadataId3Period", - "documentation": "Timed Metadata interval in seconds." - }, - "TimestampDeltaMilliseconds": { - "shape": "__integerMin0", - "locationName": "timestampDeltaMilliseconds", - "documentation": "Provides an extra millisecond delta offset to fine tune the timestamps." - }, - "TsFileMode": { - "shape": "HlsTsFileMode", - "locationName": "tsFileMode", - "documentation": "SEGMENTED_FILES: Emit the program as segments - multiple .ts media files.\n\nSINGLE_FILE: Applies only if Mode field is VOD. Emit the program as a single .ts media file. The media manifest includes #EXT-X-BYTERANGE tags to index segments for playback. A typical use for this value is when sending the output to AWS Elemental MediaConvert, which can accept only a single media file. Playback while the channel is running is not guaranteed due to HTTP server caching." + "Rec709Settings": { + "shape": "Rec709Settings", + "locationName": "rec709Settings" } }, - "documentation": "Hls Group Settings", - "required": [ - "Destination" - ] + "documentation": "H264 Color Space Settings" }, - "HlsH265PackagingType": { + "H264EntropyEncoding": { "type": "string", - "documentation": "Hls H265 Packaging Type", + "documentation": "H264 Entropy Encoding", "enum": [ - "HEV1", - "HVC1" + "CABAC", + "CAVLC" ] }, - "HlsId3SegmentTaggingScheduleActionSettings": { + "H264FilterSettings": { "type": "structure", "members": { - "Tag": { - "shape": "__string", - "locationName": "tag", - "documentation": "ID3 tag to insert into each segment. Supports special keyword identifiers to substitute in segment-related values.\\nSupported keyword identifiers: https://docs.aws.amazon.com/medialive/latest/ug/variable-data-identifiers.html" - }, - "Id3": { - "shape": "__string", - "locationName": "id3", - "documentation": "Base64 string formatted according to the ID3 specification: http://id3.org/id3v2.4.0-structure" + "TemporalFilterSettings": { + "shape": "TemporalFilterSettings", + "locationName": "temporalFilterSettings" } }, - "documentation": "Settings for the action to insert a user-defined ID3 tag in each HLS segment" + "documentation": "H264 Filter Settings" }, - "HlsId3SegmentTaggingState": { + "H264FlickerAq": { "type": "string", - "documentation": "State of HLS ID3 Segment Tagging", + "documentation": "H264 Flicker Aq", "enum": [ "DISABLED", "ENABLED" ] }, - "HlsIncompleteSegmentBehavior": { + "H264ForceFieldPictures": { "type": "string", - "documentation": "Hls Incomplete Segment Behavior", + "documentation": "H264 Force Field Pictures", "enum": [ - "AUTO", - "SUPPRESS" + "DISABLED", + "ENABLED" ] }, - "HlsInputSettings": { - "type": "structure", - "members": { - "Bandwidth": { - "shape": "__integerMin0", - "locationName": "bandwidth", - "documentation": "When specified the HLS stream with the m3u8 BANDWIDTH that most closely matches this value will be chosen, otherwise the highest bandwidth stream in the m3u8 will be chosen. The bitrate is specified in bits per second, as in an HLS manifest." - }, - "BufferSegments": { - "shape": "__integerMin0", - "locationName": "bufferSegments", - "documentation": "When specified, reading of the HLS input will begin this many buffer segments from the end (most recently written segment). When not specified, the HLS input will begin with the first segment specified in the m3u8." - }, - "Retries": { - "shape": "__integerMin0", - "locationName": "retries", - "documentation": "The number of consecutive times that attempts to read a manifest or segment must fail before the input is considered unavailable." - }, - "RetryInterval": { - "shape": "__integerMin0", - "locationName": "retryInterval", - "documentation": "The number of seconds between retries when an attempt to read a manifest or segment fails." - }, - "Scte35Source": { - "shape": "HlsScte35SourceType", - "locationName": "scte35Source", - "documentation": "Identifies the source for the SCTE-35 messages that MediaLive will ingest. Messages can be ingested from the content segments (in the stream) or from tags in the playlist (the HLS manifest). MediaLive ignores SCTE-35 information in the source that is not selected." - } - }, - "documentation": "Hls Input Settings" - }, - "HlsIvInManifest": { + "H264FramerateControl": { "type": "string", - "documentation": "Hls Iv In Manifest", + "documentation": "H264 Framerate Control", "enum": [ - "EXCLUDE", - "INCLUDE" + "INITIALIZE_FROM_SOURCE", + "SPECIFIED" ] }, - "HlsIvSource": { + "H264GopBReference": { "type": "string", - "documentation": "Hls Iv Source", + "documentation": "H264 Gop BReference", "enum": [ - "EXPLICIT", - "FOLLOWS_SEGMENT_NUMBER" + "DISABLED", + "ENABLED" ] }, - "HlsManifestCompression": { + "H264GopSizeUnits": { "type": "string", - "documentation": "Hls Manifest Compression", + "documentation": "H264 Gop Size Units", "enum": [ - "GZIP", - "NONE" + "FRAMES", + "SECONDS" ] }, - "HlsManifestDurationFormat": { + "H264Level": { "type": "string", - "documentation": "Hls Manifest Duration Format", + "documentation": "H264 Level", "enum": [ - "FLOATING_POINT", - "INTEGER" + "H264_LEVEL_1", + "H264_LEVEL_1_1", + "H264_LEVEL_1_2", + "H264_LEVEL_1_3", + "H264_LEVEL_2", + "H264_LEVEL_2_1", + "H264_LEVEL_2_2", + "H264_LEVEL_3", + "H264_LEVEL_3_1", + "H264_LEVEL_3_2", + "H264_LEVEL_4", + "H264_LEVEL_4_1", + "H264_LEVEL_4_2", + "H264_LEVEL_5", + "H264_LEVEL_5_1", + "H264_LEVEL_5_2", + "H264_LEVEL_AUTO" ] }, - "HlsMediaStoreSettings": { - "type": "structure", - "members": { - "ConnectionRetryInterval": { - "shape": "__integerMin0", - "locationName": "connectionRetryInterval", - "documentation": "Number of seconds to wait before retrying connection to the CDN if the connection is lost." - }, - "FilecacheDuration": { - "shape": "__integerMin0Max600", - "locationName": "filecacheDuration", - "documentation": "Size in seconds of file cache for streaming outputs." - }, - "MediaStoreStorageClass": { - "shape": "HlsMediaStoreStorageClass", - "locationName": "mediaStoreStorageClass", - "documentation": "When set to temporal, output files are stored in non-persistent memory for faster reading and writing." - }, - "NumRetries": { - "shape": "__integerMin0", - "locationName": "numRetries", - "documentation": "Number of retry attempts that will be made before the Live Event is put into an error state. Applies only if the CDN destination URI begins with \"s3\" or \"mediastore\". For other URIs, the value is always 3." - }, - "RestartDelay": { - "shape": "__integerMin0Max15", - "locationName": "restartDelay", - "documentation": "If a streaming output fails, number of seconds to wait until a restart is initiated. A value of 0 means never restart." - } - }, - "documentation": "Hls Media Store Settings" - }, - "HlsMediaStoreStorageClass": { + "H264LookAheadRateControl": { "type": "string", - "documentation": "Hls Media Store Storage Class", + "documentation": "H264 Look Ahead Rate Control", "enum": [ - "TEMPORAL" + "HIGH", + "LOW", + "MEDIUM" ] }, - "HlsMode": { + "H264ParControl": { "type": "string", - "documentation": "Hls Mode", + "documentation": "H264 Par Control", "enum": [ - "LIVE", - "VOD" + "INITIALIZE_FROM_SOURCE", + "SPECIFIED" ] }, - "HlsOutputSelection": { + "H264Profile": { "type": "string", - "documentation": "Hls Output Selection", + "documentation": "H264 Profile", "enum": [ - "MANIFESTS_AND_SEGMENTS", - "SEGMENTS_ONLY", - "VARIANT_MANIFESTS_AND_SEGMENTS" - ] - }, - "HlsOutputSettings": { - "type": "structure", - "members": { - "H265PackagingType": { - "shape": "HlsH265PackagingType", - "locationName": "h265PackagingType", - "documentation": "Only applicable when this output is referencing an H.265 video description.\nSpecifies whether MP4 segments should be packaged as HEV1 or HVC1." - }, - "HlsSettings": { - "shape": "HlsSettings", - "locationName": "hlsSettings", - "documentation": "Settings regarding the underlying stream. These settings are different for audio-only outputs." - }, - "NameModifier": { - "shape": "__stringMin1", - "locationName": "nameModifier", - "documentation": "String concatenated to the end of the destination filename. Accepts \\\"Format Identifiers\\\":#formatIdentifierParameters." - }, - "SegmentModifier": { - "shape": "__string", - "locationName": "segmentModifier", - "documentation": "String concatenated to end of segment filenames." - } - }, - "documentation": "Hls Output Settings", - "required": [ - "HlsSettings" + "BASELINE", + "HIGH", + "HIGH_10BIT", + "HIGH_422", + "HIGH_422_10BIT", + "MAIN" ] }, - "HlsProgramDateTime": { + "H264QualityLevel": { "type": "string", - "documentation": "Hls Program Date Time", + "documentation": "H264 Quality Level", "enum": [ - "EXCLUDE", - "INCLUDE" + "ENHANCED_QUALITY", + "STANDARD_QUALITY" ] }, - "HlsProgramDateTimeClock": { + "H264RateControlMode": { "type": "string", - "documentation": "Hls Program Date Time Clock", + "documentation": "H264 Rate Control Mode", "enum": [ - "INITIALIZE_FROM_OUTPUT_TIMECODE", - "SYSTEM_CLOCK" + "CBR", + "MULTIPLEX", + "QVBR", + "VBR" ] }, - "HlsRedundantManifest": { + "H264ScanType": { "type": "string", - "documentation": "Hls Redundant Manifest", + "documentation": "H264 Scan Type", "enum": [ - "DISABLED", - "ENABLED" + "INTERLACED", + "PROGRESSIVE" ] }, - "HlsS3LogUploads": { + "H264SceneChangeDetect": { "type": "string", - "documentation": "Hls S3 Log Uploads", + "documentation": "H264 Scene Change Detect", "enum": [ "DISABLED", "ENABLED" ] }, - "HlsS3Settings": { - "type": "structure", - "members": { - "CannedAcl": { - "shape": "S3CannedAcl", - "locationName": "cannedAcl", - "documentation": "Specify the canned ACL to apply to each S3 request. Defaults to none." - } - }, - "documentation": "Hls S3 Settings" - }, - "HlsScte35SourceType": { - "type": "string", - "documentation": "Hls Scte35 Source Type", - "enum": [ - "MANIFEST", - "SEGMENTS" - ] - }, - "HlsSegmentationMode": { - "type": "string", - "documentation": "Hls Segmentation Mode", - "enum": [ - "USE_INPUT_SEGMENTATION", - "USE_SEGMENT_DURATION" - ] - }, - "HlsSettings": { + "H264Settings": { "type": "structure", "members": { - "AudioOnlyHlsSettings": { - "shape": "AudioOnlyHlsSettings", - "locationName": "audioOnlyHlsSettings" + "AdaptiveQuantization": { + "shape": "H264AdaptiveQuantization", + "locationName": "adaptiveQuantization", + "documentation": "Enables or disables adaptive quantization, which is a technique MediaLive can apply to video on a frame-by-frame basis to produce more compression without losing quality. There are three types of adaptive quantization: flicker, spatial, and temporal. Set the field in one of these ways: Set to Auto. Recommended. For each type of AQ, MediaLive will determine if AQ is needed, and if so, the appropriate strength. Set a strength (a value other than Auto or Disable). This strength will apply to any of the AQ fields that you choose to enable. Set to Disabled to disable all types of adaptive quantization." }, - "Fmp4HlsSettings": { - "shape": "Fmp4HlsSettings", - "locationName": "fmp4HlsSettings" + "AfdSignaling": { + "shape": "AfdSignaling", + "locationName": "afdSignaling", + "documentation": "Indicates that AFD values will be written into the output stream. If afdSignaling is \"auto\", the system will try to preserve the input AFD value (in cases where multiple AFD values are valid). If set to \"fixed\", the AFD value will be the value configured in the fixedAfd parameter." }, - "FrameCaptureHlsSettings": { - "shape": "FrameCaptureHlsSettings", - "locationName": "frameCaptureHlsSettings" + "Bitrate": { + "shape": "__integerMin1000", + "locationName": "bitrate", + "documentation": "Average bitrate in bits/second. Required when the rate control mode is VBR or CBR. Not used for QVBR. In an MS Smooth output group, each output must have a unique value when its bitrate is rounded down to the nearest multiple of 1000." }, - "StandardHlsSettings": { - "shape": "StandardHlsSettings", - "locationName": "standardHlsSettings" - } - }, - "documentation": "Hls Settings" - }, - "HlsStreamInfResolution": { - "type": "string", - "documentation": "Hls Stream Inf Resolution", - "enum": [ - "EXCLUDE", - "INCLUDE" - ] - }, - "HlsTimedMetadataId3Frame": { - "type": "string", - "documentation": "Hls Timed Metadata Id3 Frame", - "enum": [ - "NONE", - "PRIV", - "TDRL" - ] - }, - "HlsTimedMetadataScheduleActionSettings": { - "type": "structure", - "members": { - "Id3": { - "shape": "__string", - "locationName": "id3", - "documentation": "Base64 string formatted according to the ID3 specification: http://id3.org/id3v2.4.0-structure" - } - }, - "documentation": "Settings for the action to emit HLS metadata", - "required": [ - "Id3" - ] - }, - "HlsTsFileMode": { - "type": "string", - "documentation": "Hls Ts File Mode", - "enum": [ - "SEGMENTED_FILES", - "SINGLE_FILE" - ] - }, - "HlsWebdavHttpTransferMode": { - "type": "string", - "documentation": "Hls Webdav Http Transfer Mode", - "enum": [ - "CHUNKED", - "NON_CHUNKED" - ] - }, - "HlsWebdavSettings": { - "type": "structure", - "members": { - "ConnectionRetryInterval": { - "shape": "__integerMin0", - "locationName": "connectionRetryInterval", - "documentation": "Number of seconds to wait before retrying connection to the CDN if the connection is lost." - }, - "FilecacheDuration": { - "shape": "__integerMin0Max600", - "locationName": "filecacheDuration", - "documentation": "Size in seconds of file cache for streaming outputs." - }, - "HttpTransferMode": { - "shape": "HlsWebdavHttpTransferMode", - "locationName": "httpTransferMode", - "documentation": "Specify whether or not to use chunked transfer encoding to WebDAV." + "BufFillPct": { + "shape": "__integerMin0Max100", + "locationName": "bufFillPct", + "documentation": "Percentage of the buffer that should initially be filled (HRD buffer model)." }, - "NumRetries": { + "BufSize": { "shape": "__integerMin0", - "locationName": "numRetries", - "documentation": "Number of retry attempts that will be made before the Live Event is put into an error state. Applies only if the CDN destination URI begins with \"s3\" or \"mediastore\". For other URIs, the value is always 3." + "locationName": "bufSize", + "documentation": "Size of buffer (HRD buffer model) in bits." }, - "RestartDelay": { - "shape": "__integerMin0Max15", - "locationName": "restartDelay", - "documentation": "If a streaming output fails, number of seconds to wait until a restart is initiated. A value of 0 means never restart." - } - }, - "documentation": "Hls Webdav Settings" - }, - "HtmlMotionGraphicsSettings": { - "type": "structure", - "members": { - }, - "documentation": "Html Motion Graphics Settings" - }, - "IFrameOnlyPlaylistType": { - "type": "string", - "documentation": "When set to \"standard\", an I-Frame only playlist will be written out for each video output in the output group. This I-Frame only playlist will contain byte range offsets pointing to the I-frame(s) in each segment.", - "enum": [ - "DISABLED", - "STANDARD" - ] - }, - "ImmediateModeScheduleActionStartSettings": { - "type": "structure", - "members": { - }, - "documentation": "Settings to configure an action so that it occurs as soon as possible." - }, - "IncludeFillerNalUnits": { - "type": "string", - "documentation": "Include Filler Nal Units", - "enum": [ - "AUTO", - "DROP", - "INCLUDE" - ] - }, - "Input": { - "type": "structure", - "members": { - "Arn": { - "shape": "__string", - "locationName": "arn", - "documentation": "The Unique ARN of the input (generated, immutable)." + "ColorMetadata": { + "shape": "H264ColorMetadata", + "locationName": "colorMetadata", + "documentation": "Includes colorspace metadata in the output." }, - "AttachedChannels": { - "shape": "__listOf__string", - "locationName": "attachedChannels", - "documentation": "A list of channel IDs that that input is attached to (currently an input can only be attached to one channel)." + "ColorSpaceSettings": { + "shape": "H264ColorSpaceSettings", + "locationName": "colorSpaceSettings", + "documentation": "Color Space settings" }, - "Destinations": { - "shape": "__listOfInputDestination", - "locationName": "destinations", - "documentation": "A list of the destinations of the input (PUSH-type)." + "EntropyEncoding": { + "shape": "H264EntropyEncoding", + "locationName": "entropyEncoding", + "documentation": "Entropy encoding mode. Use cabac (must be in Main or High profile) or cavlc." }, - "Id": { - "shape": "__string", - "locationName": "id", - "documentation": "The generated ID of the input (unique for user account, immutable)." + "FilterSettings": { + "shape": "H264FilterSettings", + "locationName": "filterSettings", + "documentation": "Optional. Both filters reduce bandwidth by removing imperceptible details. You can enable one of the filters. We\nrecommend that you try both filters and observe the results to decide which one to use.\n\nThe Temporal Filter reduces bandwidth by removing imperceptible details in the content. It combines perceptual\nfiltering and motion compensated temporal filtering (MCTF). It operates independently of the compression level.\n\nThe Bandwidth Reduction filter is a perceptual filter located within the encoding loop. It adapts to the current\ncompression level to filter imperceptible signals. This filter works only when the resolution is 1080p or lower." }, - "InputClass": { - "shape": "InputClass", - "locationName": "inputClass", - "documentation": "STANDARD - MediaLive expects two sources to be connected to this input. If the channel is also STANDARD, both sources will be ingested. If the channel is SINGLE_PIPELINE, only the first source will be ingested; the second source will always be ignored, even if the first source fails.\nSINGLE_PIPELINE - You can connect only one source to this input. If the ChannelClass is also SINGLE_PIPELINE, this value is valid. If the ChannelClass is STANDARD, this value is not valid because the channel requires two sources in the input." + "FixedAfd": { + "shape": "FixedAfd", + "locationName": "fixedAfd", + "documentation": "Four bit AFD value to write on all frames of video in the output stream. Only valid when afdSignaling is set to 'Fixed'." }, - "InputDevices": { - "shape": "__listOfInputDeviceSettings", - "locationName": "inputDevices", - "documentation": "Settings for the input devices." + "FlickerAq": { + "shape": "H264FlickerAq", + "locationName": "flickerAq", + "documentation": "Flicker AQ makes adjustments within each frame to reduce flicker or 'pop' on I-frames. The value to enter in this field depends on the value in the Adaptive quantization field: If you have set the Adaptive quantization field to Auto, MediaLive ignores any value in this field. MediaLive will determine if flicker AQ is appropriate and will apply the appropriate strength. If you have set the Adaptive quantization field to a strength, you can set this field to Enabled or Disabled. Enabled: MediaLive will apply flicker AQ using the specified strength. Disabled: MediaLive won't apply flicker AQ. If you have set the Adaptive quantization to Disabled, MediaLive ignores any value in this field and doesn't apply flicker AQ." }, - "InputPartnerIds": { - "shape": "__listOf__string", - "locationName": "inputPartnerIds", - "documentation": "A list of IDs for all Inputs which are partners of this one." + "ForceFieldPictures": { + "shape": "H264ForceFieldPictures", + "locationName": "forceFieldPictures", + "documentation": "This setting applies only when scan type is \"interlaced.\" It controls whether coding is performed on a field basis or on a frame basis. (When the video is progressive, the coding is always performed on a frame basis.)\nenabled: Force MediaLive to code on a field basis, so that odd and even sets of fields are coded separately.\ndisabled: Code the two sets of fields separately (on a field basis) or together (on a frame basis using PAFF), depending on what is most appropriate for the content." }, - "InputSourceType": { - "shape": "InputSourceType", - "locationName": "inputSourceType", - "documentation": "Certain pull input sources can be dynamic, meaning that they can have their URL's dynamically changes\nduring input switch actions. Presently, this functionality only works with MP4_FILE and TS_FILE inputs." + "FramerateControl": { + "shape": "H264FramerateControl", + "locationName": "framerateControl", + "documentation": "This field indicates how the output video frame rate is specified. If \"specified\" is selected then the output video frame rate is determined by framerateNumerator and framerateDenominator, else if \"initializeFromSource\" is selected then the output video frame rate will be set equal to the input video frame rate of the first input." }, - "MediaConnectFlows": { - "shape": "__listOfMediaConnectFlow", - "locationName": "mediaConnectFlows", - "documentation": "A list of MediaConnect Flows for this input." + "FramerateDenominator": { + "shape": "__integerMin1", + "locationName": "framerateDenominator", + "documentation": "Framerate denominator." }, - "Name": { - "shape": "__string", - "locationName": "name", - "documentation": "The user-assigned name (This is a mutable value)." + "FramerateNumerator": { + "shape": "__integerMin1", + "locationName": "framerateNumerator", + "documentation": "Framerate numerator - framerate is a fraction, e.g. 24000 / 1001 = 23.976 fps." }, - "RoleArn": { - "shape": "__string", - "locationName": "roleArn", - "documentation": "The Amazon Resource Name (ARN) of the role this input assumes during and after creation." + "GopBReference": { + "shape": "H264GopBReference", + "locationName": "gopBReference", + "documentation": "Documentation update needed" }, - "SecurityGroups": { - "shape": "__listOf__string", - "locationName": "securityGroups", - "documentation": "A list of IDs for all the Input Security Groups attached to the input." + "GopClosedCadence": { + "shape": "__integerMin0", + "locationName": "gopClosedCadence", + "documentation": "Frequency of closed GOPs. In streaming applications, it is recommended that this be set to 1 so a decoder joining mid-stream will receive an IDR frame as quickly as possible. Setting this value to 0 will break output segmenting." }, - "Sources": { - "shape": "__listOfInputSource", - "locationName": "sources", - "documentation": "A list of the sources of the input (PULL-type)." + "GopNumBFrames": { + "shape": "__integerMin0Max7", + "locationName": "gopNumBFrames", + "documentation": "Number of B-frames between reference frames." }, - "State": { - "shape": "InputState", - "locationName": "state" + "GopSize": { + "shape": "__double", + "locationName": "gopSize", + "documentation": "GOP size (keyframe interval) in units of either frames or seconds per gopSizeUnits.\nIf gopSizeUnits is frames, gopSize must be an integer and must be greater than or equal to 1.\nIf gopSizeUnits is seconds, gopSize must be greater than 0, but need not be an integer." }, - "Tags": { - "shape": "Tags", - "locationName": "tags", - "documentation": "A collection of key-value pairs." + "GopSizeUnits": { + "shape": "H264GopSizeUnits", + "locationName": "gopSizeUnits", + "documentation": "Indicates if the gopSize is specified in frames or seconds. If seconds the system will convert the gopSize into a frame count at run time." }, - "Type": { - "shape": "InputType", - "locationName": "type" + "Level": { + "shape": "H264Level", + "locationName": "level", + "documentation": "H.264 Level." }, - "SrtSettings": { - "shape": "SrtSettings", - "locationName": "srtSettings", - "documentation": "The settings associated with an SRT input." - } - }, - "documentation": "Placeholder documentation for Input" - }, - "InputAttachment": { - "type": "structure", - "members": { - "AutomaticInputFailoverSettings": { - "shape": "AutomaticInputFailoverSettings", - "locationName": "automaticInputFailoverSettings", - "documentation": "User-specified settings for defining what the conditions are for declaring the input unhealthy and failing over to a different input." + "LookAheadRateControl": { + "shape": "H264LookAheadRateControl", + "locationName": "lookAheadRateControl", + "documentation": "Amount of lookahead. A value of low can decrease latency and memory usage, while high can produce better quality for certain content." }, - "InputAttachmentName": { - "shape": "__string", - "locationName": "inputAttachmentName", - "documentation": "User-specified name for the attachment. This is required if the user wants to use this input in an input switch action." + "MaxBitrate": { + "shape": "__integerMin1000", + "locationName": "maxBitrate", + "documentation": "For QVBR: See the tooltip for Quality level\n\nFor VBR: Set the maximum bitrate in order to accommodate expected spikes in the complexity of the video." }, - "InputId": { - "shape": "__string", - "locationName": "inputId", - "documentation": "The ID of the input" + "MinIInterval": { + "shape": "__integerMin0Max30", + "locationName": "minIInterval", + "documentation": "Only meaningful if sceneChangeDetect is set to enabled. Defaults to 5 if multiplex rate control is used. Enforces separation between repeated (cadence) I-frames and I-frames inserted by Scene Change Detection. If a scene change I-frame is within I-interval frames of a cadence I-frame, the GOP is shrunk and/or stretched to the scene change I-frame. GOP stretch requires enabling lookahead as well as setting I-interval. The normal cadence resumes for the next GOP. Note: Maximum GOP stretch = GOP size + Min-I-interval - 1" }, - "InputSettings": { - "shape": "InputSettings", - "locationName": "inputSettings", - "documentation": "Settings of an input (caption selector, etc.)" - } - }, - "documentation": "Placeholder documentation for InputAttachment" - }, - "InputChannelLevel": { - "type": "structure", - "members": { - "Gain": { - "shape": "__integerMinNegative60Max6", - "locationName": "gain", - "documentation": "Remixing value. Units are in dB and acceptable values are within the range from -60 (mute) and 6 dB." + "NumRefFrames": { + "shape": "__integerMin1Max6", + "locationName": "numRefFrames", + "documentation": "Number of reference frames to use. The encoder may use more than requested if using B-frames and/or interlaced encoding." }, - "InputChannel": { - "shape": "__integerMin0Max15", - "locationName": "inputChannel", - "documentation": "The index of the input channel used as a source." + "ParControl": { + "shape": "H264ParControl", + "locationName": "parControl", + "documentation": "This field indicates how the output pixel aspect ratio is specified. If \"specified\" is selected then the output video pixel aspect ratio is determined by parNumerator and parDenominator, else if \"initializeFromSource\" is selected then the output pixsel aspect ratio will be set equal to the input video pixel aspect ratio of the first input." + }, + "ParDenominator": { + "shape": "__integerMin1", + "locationName": "parDenominator", + "documentation": "Pixel Aspect Ratio denominator." + }, + "ParNumerator": { + "shape": "__integerMin1", + "locationName": "parNumerator", + "documentation": "Pixel Aspect Ratio numerator." + }, + "Profile": { + "shape": "H264Profile", + "locationName": "profile", + "documentation": "H.264 Profile." + }, + "QualityLevel": { + "shape": "H264QualityLevel", + "locationName": "qualityLevel", + "documentation": "Leave as STANDARD_QUALITY or choose a different value (which might result in additional costs to run the channel).\n- ENHANCED_QUALITY: Produces a slightly better video quality without an increase in the bitrate. Has an effect only when the Rate control mode is QVBR or CBR. If this channel is in a MediaLive multiplex, the value must be ENHANCED_QUALITY.\n- STANDARD_QUALITY: Valid for any Rate control mode." + }, + "QvbrQualityLevel": { + "shape": "__integerMin1Max10", + "locationName": "qvbrQualityLevel", + "documentation": "Controls the target quality for the video encode. Applies only when the rate control mode is QVBR. You can set a target quality or you can let MediaLive determine the best quality. To set a target quality, enter values in the QVBR quality level field and the Max bitrate field. Enter values that suit your most important viewing devices. Recommended values are:\n- Primary screen: Quality level: 8 to 10. Max bitrate: 4M\n- PC or tablet: Quality level: 7. Max bitrate: 1.5M to 3M\n- Smartphone: Quality level: 6. Max bitrate: 1M to 1.5M\nTo let MediaLive decide, leave the QVBR quality level field empty, and in Max bitrate enter the maximum rate you want in the video. For more information, see the section called \"Video - rate control mode\" in the MediaLive user guide" + }, + "RateControlMode": { + "shape": "H264RateControlMode", + "locationName": "rateControlMode", + "documentation": "Rate control mode.\n\nQVBR: Quality will match the specified quality level except when it is constrained by the\nmaximum bitrate. Recommended if you or your viewers pay for bandwidth.\n\nVBR: Quality and bitrate vary, depending on the video complexity. Recommended instead of QVBR\nif you want to maintain a specific average bitrate over the duration of the channel.\n\nCBR: Quality varies, depending on the video complexity. Recommended only if you distribute\nyour assets to devices that cannot handle variable bitrates.\n\nMultiplex: This rate control mode is only supported (and is required) when the video is being\ndelivered to a MediaLive Multiplex in which case the rate control configuration is controlled\nby the properties within the Multiplex Program." + }, + "ScanType": { + "shape": "H264ScanType", + "locationName": "scanType", + "documentation": "Sets the scan type of the output to progressive or top-field-first interlaced." + }, + "SceneChangeDetect": { + "shape": "H264SceneChangeDetect", + "locationName": "sceneChangeDetect", + "documentation": "Scene change detection.\n\n- On: inserts I-frames when scene change is detected.\n- Off: does not force an I-frame when scene change is detected." + }, + "Slices": { + "shape": "__integerMin1Max32", + "locationName": "slices", + "documentation": "Number of slices per picture. Must be less than or equal to the number of macroblock rows for progressive pictures, and less than or equal to half the number of macroblock rows for interlaced pictures.\nThis field is optional; when no value is specified the encoder will choose the number of slices based on encode resolution." + }, + "Softness": { + "shape": "__integerMin0Max128", + "locationName": "softness", + "documentation": "Softness. Selects quantizer matrix, larger values reduce high-frequency content in the encoded image. If not set to zero, must be greater than 15." + }, + "SpatialAq": { + "shape": "H264SpatialAq", + "locationName": "spatialAq", + "documentation": "Spatial AQ makes adjustments within each frame based on spatial variation of content complexity. The value to enter in this field depends on the value in the Adaptive quantization field: If you have set the Adaptive quantization field to Auto, MediaLive ignores any value in this field. MediaLive will determine if spatial AQ is appropriate and will apply the appropriate strength. If you have set the Adaptive quantization field to a strength, you can set this field to Enabled or Disabled. Enabled: MediaLive will apply spatial AQ using the specified strength. Disabled: MediaLive won't apply spatial AQ. If you have set the Adaptive quantization to Disabled, MediaLive ignores any value in this field and doesn't apply spatial AQ." + }, + "SubgopLength": { + "shape": "H264SubGopLength", + "locationName": "subgopLength", + "documentation": "If set to fixed, use gopNumBFrames B-frames per sub-GOP. If set to dynamic, optimize the number of B-frames used for each sub-GOP to improve visual quality." + }, + "Syntax": { + "shape": "H264Syntax", + "locationName": "syntax", + "documentation": "Produces a bitstream compliant with SMPTE RP-2027." + }, + "TemporalAq": { + "shape": "H264TemporalAq", + "locationName": "temporalAq", + "documentation": "Temporal makes adjustments within each frame based on temporal variation of content complexity. The value to enter in this field depends on the value in the Adaptive quantization field: If you have set the Adaptive quantization field to Auto, MediaLive ignores any value in this field. MediaLive will determine if temporal AQ is appropriate and will apply the appropriate strength. If you have set the Adaptive quantization field to a strength, you can set this field to Enabled or Disabled. Enabled: MediaLive will apply temporal AQ using the specified strength. Disabled: MediaLive won't apply temporal AQ. If you have set the Adaptive quantization to Disabled, MediaLive ignores any value in this field and doesn't apply temporal AQ." + }, + "TimecodeInsertion": { + "shape": "H264TimecodeInsertionBehavior", + "locationName": "timecodeInsertion", + "documentation": "Determines how timecodes should be inserted into the video elementary stream.\n- 'disabled': Do not include timecodes\n- 'picTimingSei': Pass through picture timing SEI messages from the source specified in Timecode Config" + }, + "TimecodeBurninSettings": { + "shape": "TimecodeBurninSettings", + "locationName": "timecodeBurninSettings", + "documentation": "Timecode burn-in settings" + }, + "MinQp": { + "shape": "__integerMin1Max51", + "locationName": "minQp", + "documentation": "Sets the minimum QP. If you aren't familiar with quantization adjustment, leave the field empty. MediaLive will\napply an appropriate value." } }, - "documentation": "Input Channel Level", - "required": [ - "InputChannel", - "Gain" - ] + "documentation": "H264 Settings" }, - "InputClass": { + "H264SpatialAq": { "type": "string", - "documentation": "A standard input has two sources and a single pipeline input only has one.", + "documentation": "H264 Spatial Aq", "enum": [ - "STANDARD", - "SINGLE_PIPELINE" + "DISABLED", + "ENABLED" ] }, - "InputClippingSettings": { - "type": "structure", - "members": { - "InputTimecodeSource": { - "shape": "InputTimecodeSource", - "locationName": "inputTimecodeSource", - "documentation": "The source of the timecodes in the source being clipped." - }, - "StartTimecode": { - "shape": "StartTimecode", - "locationName": "startTimecode", - "documentation": "Settings to identify the start of the clip." - }, - "StopTimecode": { - "shape": "StopTimecode", - "locationName": "stopTimecode", - "documentation": "Settings to identify the end of the clip." - } - }, - "documentation": "Settings to let you create a clip of the file input, in order to set up the input to ingest only a portion of the file.", - "required": [ - "InputTimecodeSource" + "H264SubGopLength": { + "type": "string", + "documentation": "H264 Sub Gop Length", + "enum": [ + "DYNAMIC", + "FIXED" ] }, - "InputCodec": { + "H264Syntax": { "type": "string", - "documentation": "codec in increasing order of complexity", + "documentation": "H264 Syntax", "enum": [ - "MPEG2", - "AVC", - "HEVC" + "DEFAULT", + "RP2027" ] }, - "InputDeblockFilter": { + "H264TemporalAq": { "type": "string", - "documentation": "Input Deblock Filter", + "documentation": "H264 Temporal Aq", "enum": [ "DISABLED", "ENABLED" ] }, - "InputDenoiseFilter": { + "H264TimecodeInsertionBehavior": { "type": "string", - "documentation": "Input Denoise Filter", + "documentation": "H264 Timecode Insertion Behavior", "enum": [ "DISABLED", - "ENABLED" + "PIC_TIMING_SEI" ] }, - "InputDestination": { + "H265AdaptiveQuantization": { + "type": "string", + "documentation": "H265 Adaptive Quantization", + "enum": [ + "AUTO", + "HIGH", + "HIGHER", + "LOW", + "MAX", + "MEDIUM", + "OFF" + ] + }, + "H265AlternativeTransferFunction": { + "type": "string", + "documentation": "H265 Alternative Transfer Function", + "enum": [ + "INSERT", + "OMIT" + ] + }, + "H265ColorMetadata": { + "type": "string", + "documentation": "H265 Color Metadata", + "enum": [ + "IGNORE", + "INSERT" + ] + }, + "H265ColorSpaceSettings": { "type": "structure", "members": { - "Ip": { - "shape": "__string", - "locationName": "ip", - "documentation": "The system-generated static IP address of endpoint.\nIt remains fixed for the lifetime of the input." + "ColorSpacePassthroughSettings": { + "shape": "ColorSpacePassthroughSettings", + "locationName": "colorSpacePassthroughSettings" }, - "Port": { - "shape": "__string", - "locationName": "port", - "documentation": "The port number for the input." + "DolbyVision81Settings": { + "shape": "DolbyVision81Settings", + "locationName": "dolbyVision81Settings" }, - "Url": { - "shape": "__string", - "locationName": "url", - "documentation": "This represents the endpoint that the customer stream will be\npushed to." + "Hdr10Settings": { + "shape": "Hdr10Settings", + "locationName": "hdr10Settings" }, - "Vpc": { - "shape": "InputDestinationVpc", - "locationName": "vpc" + "Rec601Settings": { + "shape": "Rec601Settings", + "locationName": "rec601Settings" + }, + "Rec709Settings": { + "shape": "Rec709Settings", + "locationName": "rec709Settings" } }, - "documentation": "The settings for a PUSH type input." + "documentation": "H265 Color Space Settings" }, - "InputDestinationRequest": { + "H265FilterSettings": { "type": "structure", "members": { - "StreamName": { - "shape": "__string", - "locationName": "streamName", - "documentation": "A unique name for the location the RTMP stream is being pushed\nto." + "TemporalFilterSettings": { + "shape": "TemporalFilterSettings", + "locationName": "temporalFilterSettings" } }, - "documentation": "Endpoint settings for a PUSH type input." + "documentation": "H265 Filter Settings" }, - "InputDestinationVpc": { - "type": "structure", - "members": { - "AvailabilityZone": { - "shape": "__string", - "locationName": "availabilityZone", - "documentation": "The availability zone of the Input destination." - }, - "NetworkInterfaceId": { - "shape": "__string", - "locationName": "networkInterfaceId", - "documentation": "The network interface ID of the Input destination in the VPC." - } - }, - "documentation": "The properties for a VPC type input destination." + "H265FlickerAq": { + "type": "string", + "documentation": "H265 Flicker Aq", + "enum": [ + "DISABLED", + "ENABLED" + ] }, - "InputDevice": { - "type": "structure", - "members": { - "Arn": { - "shape": "__string", - "locationName": "arn", - "documentation": "The unique ARN of the input device." - }, - "ConnectionState": { - "shape": "InputDeviceConnectionState", - "locationName": "connectionState", - "documentation": "The state of the connection between the input device and AWS." - }, - "DeviceSettingsSyncState": { - "shape": "DeviceSettingsSyncState", - "locationName": "deviceSettingsSyncState", - "documentation": "The status of the action to synchronize the device configuration. If you change the configuration of the input device (for example, the maximum bitrate), MediaLive sends the new data to the device. The device might not update itself immediately. SYNCED means the device has updated its configuration. SYNCING means that it has not updated its configuration." - }, - "DeviceUpdateStatus": { - "shape": "DeviceUpdateStatus", - "locationName": "deviceUpdateStatus", - "documentation": "The status of software on the input device." - }, - "HdDeviceSettings": { - "shape": "InputDeviceHdSettings", - "locationName": "hdDeviceSettings", - "documentation": "Settings that describe an input device that is type HD." - }, - "Id": { - "shape": "__string", - "locationName": "id", - "documentation": "The unique ID of the input device." - }, - "MacAddress": { - "shape": "__string", - "locationName": "macAddress", - "documentation": "The network MAC address of the input device." - }, - "Name": { - "shape": "__string", - "locationName": "name", - "documentation": "A name that you specify for the input device." - }, - "NetworkSettings": { - "shape": "InputDeviceNetworkSettings", - "locationName": "networkSettings", - "documentation": "The network settings for the input device." - }, - "SerialNumber": { - "shape": "__string", - "locationName": "serialNumber", - "documentation": "The unique serial number of the input device." - }, - "Type": { - "shape": "InputDeviceType", - "locationName": "type", - "documentation": "The type of the input device." - }, - "UhdDeviceSettings": { - "shape": "InputDeviceUhdSettings", - "locationName": "uhdDeviceSettings", - "documentation": "Settings that describe an input device that is type UHD." - }, - "Tags": { - "shape": "Tags", - "locationName": "tags", - "documentation": "A collection of key-value pairs." - }, - "AvailabilityZone": { - "shape": "__string", - "locationName": "availabilityZone", - "documentation": "The Availability Zone associated with this input device." - }, - "MedialiveInputArns": { - "shape": "__listOf__string", - "locationName": "medialiveInputArns", - "documentation": "An array of the ARNs for the MediaLive inputs attached to the device. Returned only if the outputType is MEDIALIVE_INPUT." - }, - "OutputType": { - "shape": "InputDeviceOutputType", - "locationName": "outputType", - "documentation": "The output attachment type of the input device. Specifies MEDIACONNECT_FLOW if this device is the source for a MediaConnect flow. Specifies MEDIALIVE_INPUT if this device is the source for a MediaLive input." - } - }, - "documentation": "An input device." + "H265GopSizeUnits": { + "type": "string", + "documentation": "H265 Gop Size Units", + "enum": [ + "FRAMES", + "SECONDS" + ] }, - "InputDeviceActiveInput": { + "H265Level": { "type": "string", - "documentation": "The source at the input device that is currently active.", + "documentation": "H265 Level", "enum": [ - "HDMI", - "SDI" + "H265_LEVEL_1", + "H265_LEVEL_2", + "H265_LEVEL_2_1", + "H265_LEVEL_3", + "H265_LEVEL_3_1", + "H265_LEVEL_4", + "H265_LEVEL_4_1", + "H265_LEVEL_5", + "H265_LEVEL_5_1", + "H265_LEVEL_5_2", + "H265_LEVEL_6", + "H265_LEVEL_6_1", + "H265_LEVEL_6_2", + "H265_LEVEL_AUTO" ] }, - "InputDeviceCodec": { + "H265LookAheadRateControl": { "type": "string", - "documentation": "The codec to use on the video that the device produces.", + "documentation": "H265 Look Ahead Rate Control", "enum": [ - "HEVC", - "AVC" + "HIGH", + "LOW", + "MEDIUM" ] }, - "InputDeviceConfigurableSettings": { - "type": "structure", - "members": { - "ConfiguredInput": { - "shape": "InputDeviceConfiguredInput", - "locationName": "configuredInput", - "documentation": "The input source that you want to use. If the device has a source connected to only one of its input ports, or if you don't care which source the device sends, specify Auto. If the device has sources connected to both its input ports, and you want to use a specific source, specify the source." - }, - "MaxBitrate": { - "shape": "__integer", - "locationName": "maxBitrate", - "documentation": "The maximum bitrate in bits per second. Set a value here to throttle the bitrate of the source video." - }, - "LatencyMs": { - "shape": "__integer", - "locationName": "latencyMs", - "documentation": "The Link device's buffer size (latency) in milliseconds (ms)." - }, - "Codec": { - "shape": "InputDeviceCodec", - "locationName": "codec", - "documentation": "Choose the codec for the video that the device produces. Only UHD devices can specify this parameter." - }, - "MediaconnectSettings": { - "shape": "InputDeviceMediaConnectConfigurableSettings", - "locationName": "mediaconnectSettings", - "documentation": "To attach this device to a MediaConnect flow, specify these parameters. To detach an existing flow, enter {} for the value of mediaconnectSettings. Only UHD devices can specify this parameter." - }, - "AudioChannelPairs": { - "shape": "__listOfInputDeviceConfigurableAudioChannelPairConfig", - "locationName": "audioChannelPairs", - "documentation": "An array of eight audio configurations, one for each audio pair in the source. Set up each audio configuration either to exclude the pair, or to format it and include it in the output from the device. This parameter applies only to UHD devices, and only when the device is configured as the source for a MediaConnect flow. For an HD device, you configure the audio by setting up audio selectors in the channel configuration." - } - }, - "documentation": "Configurable settings for the input device." + "H265Profile": { + "type": "string", + "documentation": "H265 Profile", + "enum": [ + "MAIN", + "MAIN_10BIT" + ] }, - "InputDeviceConfigurationValidationError": { - "type": "structure", - "members": { - "Message": { - "shape": "__string", - "locationName": "message", - "documentation": "The error message." - }, - "ValidationErrors": { - "shape": "__listOfValidationError", - "locationName": "validationErrors", - "documentation": "A collection of validation error responses." - } - }, - "documentation": "Placeholder documentation for InputDeviceConfigurationValidationError" + "H265RateControlMode": { + "type": "string", + "documentation": "H265 Rate Control Mode", + "enum": [ + "CBR", + "MULTIPLEX", + "QVBR" + ] }, - "InputDeviceConfiguredInput": { + "H265ScanType": { "type": "string", - "documentation": "The source to activate (use) from the input device.", + "documentation": "H265 Scan Type", "enum": [ - "AUTO", - "HDMI", - "SDI" + "INTERLACED", + "PROGRESSIVE" ] }, - "InputDeviceConnectionState": { + "H265SceneChangeDetect": { "type": "string", - "documentation": "The state of the connection between the input device and AWS.", + "documentation": "H265 Scene Change Detect", "enum": [ - "DISCONNECTED", - "CONNECTED" + "DISABLED", + "ENABLED" ] }, - "InputDeviceHdSettings": { + "H265Settings": { "type": "structure", "members": { - "ActiveInput": { - "shape": "InputDeviceActiveInput", - "locationName": "activeInput", - "documentation": "If you specified Auto as the configured input, specifies which of the sources is currently active (SDI or HDMI)." - }, - "ConfiguredInput": { - "shape": "InputDeviceConfiguredInput", - "locationName": "configuredInput", - "documentation": "The source at the input device that is currently active. You can specify this source." + "AdaptiveQuantization": { + "shape": "H265AdaptiveQuantization", + "locationName": "adaptiveQuantization", + "documentation": "Adaptive quantization. Allows intra-frame quantizers to vary to improve visual quality." }, - "DeviceState": { - "shape": "InputDeviceState", - "locationName": "deviceState", - "documentation": "The state of the input device." + "AfdSignaling": { + "shape": "AfdSignaling", + "locationName": "afdSignaling", + "documentation": "Indicates that AFD values will be written into the output stream. If afdSignaling is \"auto\", the system will try to preserve the input AFD value (in cases where multiple AFD values are valid). If set to \"fixed\", the AFD value will be the value configured in the fixedAfd parameter." }, - "Framerate": { - "shape": "__double", - "locationName": "framerate", - "documentation": "The frame rate of the video source." + "AlternativeTransferFunction": { + "shape": "H265AlternativeTransferFunction", + "locationName": "alternativeTransferFunction", + "documentation": "Whether or not EML should insert an Alternative Transfer Function SEI message to support backwards compatibility with non-HDR decoders and displays." }, - "Height": { - "shape": "__integer", - "locationName": "height", - "documentation": "The height of the video source, in pixels." + "Bitrate": { + "shape": "__integerMin100000Max40000000", + "locationName": "bitrate", + "documentation": "Average bitrate in bits/second. Required when the rate control mode is VBR or CBR. Not used for QVBR. In an MS Smooth output group, each output must have a unique value when its bitrate is rounded down to the nearest multiple of 1000." + }, + "BufSize": { + "shape": "__integerMin100000Max80000000", + "locationName": "bufSize", + "documentation": "Size of buffer (HRD buffer model) in bits." + }, + "ColorMetadata": { + "shape": "H265ColorMetadata", + "locationName": "colorMetadata", + "documentation": "Includes colorspace metadata in the output." + }, + "ColorSpaceSettings": { + "shape": "H265ColorSpaceSettings", + "locationName": "colorSpaceSettings", + "documentation": "Color Space settings" + }, + "FilterSettings": { + "shape": "H265FilterSettings", + "locationName": "filterSettings", + "documentation": "Optional. Both filters reduce bandwidth by removing imperceptible details. You can enable one of the filters. We\nrecommend that you try both filters and observe the results to decide which one to use.\n\nThe Temporal Filter reduces bandwidth by removing imperceptible details in the content. It combines perceptual\nfiltering and motion compensated temporal filtering (MCTF). It operates independently of the compression level.\n\nThe Bandwidth Reduction filter is a perceptual filter located within the encoding loop. It adapts to the current\ncompression level to filter imperceptible signals. This filter works only when the resolution is 1080p or lower." + }, + "FixedAfd": { + "shape": "FixedAfd", + "locationName": "fixedAfd", + "documentation": "Four bit AFD value to write on all frames of video in the output stream. Only valid when afdSignaling is set to 'Fixed'." + }, + "FlickerAq": { + "shape": "H265FlickerAq", + "locationName": "flickerAq", + "documentation": "If set to enabled, adjust quantization within each frame to reduce flicker or 'pop' on I-frames." + }, + "FramerateDenominator": { + "shape": "__integerMin1Max3003", + "locationName": "framerateDenominator", + "documentation": "Framerate denominator." + }, + "FramerateNumerator": { + "shape": "__integerMin1", + "locationName": "framerateNumerator", + "documentation": "Framerate numerator - framerate is a fraction, e.g. 24000 / 1001 = 23.976 fps." + }, + "GopClosedCadence": { + "shape": "__integerMin0", + "locationName": "gopClosedCadence", + "documentation": "Frequency of closed GOPs. In streaming applications, it is recommended that this be set to 1 so a decoder joining mid-stream will receive an IDR frame as quickly as possible. Setting this value to 0 will break output segmenting." + }, + "GopSize": { + "shape": "__double", + "locationName": "gopSize", + "documentation": "GOP size (keyframe interval) in units of either frames or seconds per gopSizeUnits.\nIf gopSizeUnits is frames, gopSize must be an integer and must be greater than or equal to 1.\nIf gopSizeUnits is seconds, gopSize must be greater than 0, but need not be an integer." + }, + "GopSizeUnits": { + "shape": "H265GopSizeUnits", + "locationName": "gopSizeUnits", + "documentation": "Indicates if the gopSize is specified in frames or seconds. If seconds the system will convert the gopSize into a frame count at run time." + }, + "Level": { + "shape": "H265Level", + "locationName": "level", + "documentation": "H.265 Level." + }, + "LookAheadRateControl": { + "shape": "H265LookAheadRateControl", + "locationName": "lookAheadRateControl", + "documentation": "Amount of lookahead. A value of low can decrease latency and memory usage, while high can produce better quality for certain content." }, "MaxBitrate": { - "shape": "__integer", + "shape": "__integerMin100000Max40000000", "locationName": "maxBitrate", - "documentation": "The current maximum bitrate for ingesting this source, in bits per second. You can specify this maximum." + "documentation": "For QVBR: See the tooltip for Quality level" + }, + "MinIInterval": { + "shape": "__integerMin0Max30", + "locationName": "minIInterval", + "documentation": "Only meaningful if sceneChangeDetect is set to enabled. Defaults to 5 if multiplex rate control is used. Enforces separation between repeated (cadence) I-frames and I-frames inserted by Scene Change Detection. If a scene change I-frame is within I-interval frames of a cadence I-frame, the GOP is shrunk and/or stretched to the scene change I-frame. GOP stretch requires enabling lookahead as well as setting I-interval. The normal cadence resumes for the next GOP. Note: Maximum GOP stretch = GOP size + Min-I-interval - 1" + }, + "ParDenominator": { + "shape": "__integerMin1", + "locationName": "parDenominator", + "documentation": "Pixel Aspect Ratio denominator." + }, + "ParNumerator": { + "shape": "__integerMin1", + "locationName": "parNumerator", + "documentation": "Pixel Aspect Ratio numerator." + }, + "Profile": { + "shape": "H265Profile", + "locationName": "profile", + "documentation": "H.265 Profile." + }, + "QvbrQualityLevel": { + "shape": "__integerMin1Max10", + "locationName": "qvbrQualityLevel", + "documentation": "Controls the target quality for the video encode. Applies only when the rate control mode is QVBR. Set values for the QVBR quality level field and Max bitrate field that suit your most important viewing devices. Recommended values are:\n- Primary screen: Quality level: 8 to 10. Max bitrate: 4M\n- PC or tablet: Quality level: 7. Max bitrate: 1.5M to 3M\n- Smartphone: Quality level: 6. Max bitrate: 1M to 1.5M" + }, + "RateControlMode": { + "shape": "H265RateControlMode", + "locationName": "rateControlMode", + "documentation": "Rate control mode.\n\nQVBR: Quality will match the specified quality level except when it is constrained by the\nmaximum bitrate. Recommended if you or your viewers pay for bandwidth.\n\nCBR: Quality varies, depending on the video complexity. Recommended only if you distribute\nyour assets to devices that cannot handle variable bitrates.\n\nMultiplex: This rate control mode is only supported (and is required) when the video is being\ndelivered to a MediaLive Multiplex in which case the rate control configuration is controlled\nby the properties within the Multiplex Program." }, "ScanType": { - "shape": "InputDeviceScanType", + "shape": "H265ScanType", "locationName": "scanType", - "documentation": "The scan type of the video source." + "documentation": "Sets the scan type of the output to progressive or top-field-first interlaced." }, - "Width": { - "shape": "__integer", - "locationName": "width", - "documentation": "The width of the video source, in pixels." + "SceneChangeDetect": { + "shape": "H265SceneChangeDetect", + "locationName": "sceneChangeDetect", + "documentation": "Scene change detection." }, - "LatencyMs": { - "shape": "__integer", - "locationName": "latencyMs", - "documentation": "The Link device's buffer size (latency) in milliseconds (ms). You can specify this value." + "Slices": { + "shape": "__integerMin1Max16", + "locationName": "slices", + "documentation": "Number of slices per picture. Must be less than or equal to the number of macroblock rows for progressive pictures, and less than or equal to half the number of macroblock rows for interlaced pictures.\nThis field is optional; when no value is specified the encoder will choose the number of slices based on encode resolution." + }, + "Tier": { + "shape": "H265Tier", + "locationName": "tier", + "documentation": "H.265 Tier." + }, + "TimecodeInsertion": { + "shape": "H265TimecodeInsertionBehavior", + "locationName": "timecodeInsertion", + "documentation": "Determines how timecodes should be inserted into the video elementary stream.\n- 'disabled': Do not include timecodes\n- 'picTimingSei': Pass through picture timing SEI messages from the source specified in Timecode Config" + }, + "TimecodeBurninSettings": { + "shape": "TimecodeBurninSettings", + "locationName": "timecodeBurninSettings", + "documentation": "Timecode burn-in settings" + }, + "MvOverPictureBoundaries": { + "shape": "H265MvOverPictureBoundaries", + "locationName": "mvOverPictureBoundaries", + "documentation": "If you are setting up the picture as a tile, you must set this to \"disabled\". In all other configurations, you typically enter \"enabled\"." + }, + "MvTemporalPredictor": { + "shape": "H265MvTemporalPredictor", + "locationName": "mvTemporalPredictor", + "documentation": "If you are setting up the picture as a tile, you must set this to \"disabled\". In other configurations, you typically enter \"enabled\"." + }, + "TileHeight": { + "shape": "__integerMin64Max2160", + "locationName": "tileHeight", + "documentation": "Set this field to set up the picture as a tile. You must also set tileWidth.\nThe tile height must result in 22 or fewer rows in the frame. The tile width\nmust result in 20 or fewer columns in the frame. And finally, the product of the\ncolumn count and row count must be 64 of less.\nIf the tile width and height are specified, MediaLive will override the video\ncodec slices field with a value that MediaLive calculates" + }, + "TilePadding": { + "shape": "H265TilePadding", + "locationName": "tilePadding", + "documentation": "Set to \"padded\" to force MediaLive to add padding to the frame, to obtain a frame that is a whole multiple of the tile size.\nIf you are setting up the picture as a tile, you must enter \"padded\".\nIn all other configurations, you typically enter \"none\"." + }, + "TileWidth": { + "shape": "__integerMin256Max3840", + "locationName": "tileWidth", + "documentation": "Set this field to set up the picture as a tile. See tileHeight for more information." + }, + "TreeblockSize": { + "shape": "H265TreeblockSize", + "locationName": "treeblockSize", + "documentation": "Select the tree block size used for encoding. If you enter \"auto\", the encoder will pick the best size. If you are setting up the picture as a tile, you must set this to 32x32. In all other configurations, you typically enter \"auto\"." + }, + "MinQp": { + "shape": "__integerMin1Max51", + "locationName": "minQp", + "documentation": "Sets the minimum QP. If you aren't familiar with quantization adjustment, leave the field empty. MediaLive will\napply an appropriate value." } }, - "documentation": "Settings that describe the active source from the input device, and the video characteristics of that source." + "documentation": "H265 Settings", + "required": [ + "FramerateNumerator", + "FramerateDenominator" + ] }, - "InputDeviceIpScheme": { + "H265Tier": { "type": "string", - "documentation": "Specifies whether the input device has been configured (outside of MediaLive) to use a dynamic IP address assignment (DHCP) or a static IP address.", + "documentation": "H265 Tier", "enum": [ - "STATIC", - "DHCP" + "HIGH", + "MAIN" ] }, - "InputDeviceMediaConnectConfigurableSettings": { + "H265TimecodeInsertionBehavior": { + "type": "string", + "documentation": "H265 Timecode Insertion Behavior", + "enum": [ + "DISABLED", + "PIC_TIMING_SEI" + ] + }, + "Hdr10Settings": { "type": "structure", "members": { - "FlowArn": { - "shape": "__string", - "locationName": "flowArn", - "documentation": "The ARN of the MediaConnect flow to attach this device to." - }, - "RoleArn": { - "shape": "__string", - "locationName": "roleArn", - "documentation": "The ARN for the role that MediaLive assumes to access the attached flow and secret. For more information about how to create this role, see the MediaLive user guide." - }, - "SecretArn": { - "shape": "__string", - "locationName": "secretArn", - "documentation": "The ARN for the secret that holds the encryption key to encrypt the content output by the device." + "MaxCll": { + "shape": "__integerMin0Max32768", + "locationName": "maxCll", + "documentation": "Maximum Content Light Level\nAn integer metadata value defining the maximum light level, in nits,\nof any single pixel within an encoded HDR video stream or file." }, - "SourceName": { - "shape": "__string", - "locationName": "sourceName", - "documentation": "The name of the MediaConnect Flow source to stream to." + "MaxFall": { + "shape": "__integerMin0Max32768", + "locationName": "maxFall", + "documentation": "Maximum Frame Average Light Level\nAn integer metadata value defining the maximum average light level, in nits,\nfor any single frame within an encoded HDR video stream or file." } }, - "documentation": "Parameters required to attach a MediaConnect flow to the device." + "documentation": "Hdr10 Settings" }, - "InputDeviceMediaConnectSettings": { + "HlsAdMarkers": { + "type": "string", + "documentation": "Hls Ad Markers", + "enum": [ + "ADOBE", + "ELEMENTAL", + "ELEMENTAL_SCTE35" + ] + }, + "HlsAkamaiHttpTransferMode": { + "type": "string", + "documentation": "Hls Akamai Http Transfer Mode", + "enum": [ + "CHUNKED", + "NON_CHUNKED" + ] + }, + "HlsAkamaiSettings": { "type": "structure", "members": { - "FlowArn": { - "shape": "__string", - "locationName": "flowArn", - "documentation": "The ARN of the MediaConnect flow." + "ConnectionRetryInterval": { + "shape": "__integerMin0", + "locationName": "connectionRetryInterval", + "documentation": "Number of seconds to wait before retrying connection to the CDN if the connection is lost." }, - "RoleArn": { - "shape": "__string", - "locationName": "roleArn", - "documentation": "The ARN for the role that MediaLive assumes to access the attached flow and secret." + "FilecacheDuration": { + "shape": "__integerMin0Max600", + "locationName": "filecacheDuration", + "documentation": "Size in seconds of file cache for streaming outputs." }, - "SecretArn": { + "HttpTransferMode": { + "shape": "HlsAkamaiHttpTransferMode", + "locationName": "httpTransferMode", + "documentation": "Specify whether or not to use chunked transfer encoding to Akamai. User should contact Akamai to enable this feature." + }, + "NumRetries": { + "shape": "__integerMin0", + "locationName": "numRetries", + "documentation": "Number of retry attempts that will be made before the Live Event is put into an error state. Applies only if the CDN destination URI begins with \"s3\" or \"mediastore\". For other URIs, the value is always 3." + }, + "RestartDelay": { + "shape": "__integerMin0Max15", + "locationName": "restartDelay", + "documentation": "If a streaming output fails, number of seconds to wait until a restart is initiated. A value of 0 means never restart." + }, + "Salt": { "shape": "__string", - "locationName": "secretArn", - "documentation": "The ARN of the secret used to encrypt the stream." + "locationName": "salt", + "documentation": "Salt for authenticated Akamai." }, - "SourceName": { + "Token": { "shape": "__string", - "locationName": "sourceName", - "documentation": "The name of the MediaConnect flow source." + "locationName": "token", + "documentation": "Token parameter for authenticated akamai. If not specified, _gda_ is used." } }, - "documentation": "Information about the MediaConnect flow attached to the device." + "documentation": "Hls Akamai Settings" }, - "InputDeviceNetworkSettings": { + "HlsBasicPutSettings": { "type": "structure", "members": { - "DnsAddresses": { - "shape": "__listOf__string", - "locationName": "dnsAddresses", - "documentation": "The DNS addresses of the input device." - }, - "Gateway": { - "shape": "__string", - "locationName": "gateway", - "documentation": "The network gateway IP address." + "ConnectionRetryInterval": { + "shape": "__integerMin0", + "locationName": "connectionRetryInterval", + "documentation": "Number of seconds to wait before retrying connection to the CDN if the connection is lost." }, - "IpAddress": { - "shape": "__string", - "locationName": "ipAddress", - "documentation": "The IP address of the input device." + "FilecacheDuration": { + "shape": "__integerMin0Max600", + "locationName": "filecacheDuration", + "documentation": "Size in seconds of file cache for streaming outputs." }, - "IpScheme": { - "shape": "InputDeviceIpScheme", - "locationName": "ipScheme", - "documentation": "Specifies whether the input device has been configured (outside of MediaLive) to use a dynamic IP address assignment (DHCP) or a static IP address." + "NumRetries": { + "shape": "__integerMin0", + "locationName": "numRetries", + "documentation": "Number of retry attempts that will be made before the Live Event is put into an error state. Applies only if the CDN destination URI begins with \"s3\" or \"mediastore\". For other URIs, the value is always 3." }, - "SubnetMask": { - "shape": "__string", - "locationName": "subnetMask", - "documentation": "The subnet mask of the input device." + "RestartDelay": { + "shape": "__integerMin0Max15", + "locationName": "restartDelay", + "documentation": "If a streaming output fails, number of seconds to wait until a restart is initiated. A value of 0 means never restart." } }, - "documentation": "The network settings for the input device." + "documentation": "Hls Basic Put Settings" }, - "InputDeviceOutputType": { + "HlsCaptionLanguageSetting": { "type": "string", - "documentation": "The output attachment type of the input device.", + "documentation": "Hls Caption Language Setting", "enum": [ + "INSERT", "NONE", - "MEDIALIVE_INPUT", - "MEDIACONNECT_FLOW" + "OMIT" ] }, - "InputDeviceRequest": { + "HlsCdnSettings": { "type": "structure", "members": { - "Id": { - "shape": "__string", - "locationName": "id", - "documentation": "The unique ID for the device." + "HlsAkamaiSettings": { + "shape": "HlsAkamaiSettings", + "locationName": "hlsAkamaiSettings" + }, + "HlsBasicPutSettings": { + "shape": "HlsBasicPutSettings", + "locationName": "hlsBasicPutSettings" + }, + "HlsMediaStoreSettings": { + "shape": "HlsMediaStoreSettings", + "locationName": "hlsMediaStoreSettings" + }, + "HlsS3Settings": { + "shape": "HlsS3Settings", + "locationName": "hlsS3Settings" + }, + "HlsWebdavSettings": { + "shape": "HlsWebdavSettings", + "locationName": "hlsWebdavSettings" } }, - "documentation": "Settings for an input device." + "documentation": "Hls Cdn Settings" }, - "InputDeviceScanType": { + "HlsClientCache": { "type": "string", - "documentation": "The scan type of the video source.", + "documentation": "Hls Client Cache", "enum": [ - "INTERLACED", - "PROGRESSIVE" + "DISABLED", + "ENABLED" ] }, - "InputDeviceSettings": { - "type": "structure", - "members": { - "Id": { - "shape": "__string", - "locationName": "id", - "documentation": "The unique ID for the device." - } - }, - "documentation": "Settings for an input device." + "HlsCodecSpecification": { + "type": "string", + "documentation": "Hls Codec Specification", + "enum": [ + "RFC_4281", + "RFC_6381" + ] }, - "InputDeviceState": { + "HlsDirectoryStructure": { "type": "string", - "documentation": "The state of the input device.", + "documentation": "Hls Directory Structure", "enum": [ - "IDLE", - "STREAMING" + "SINGLE_DIRECTORY", + "SUBDIRECTORY_PER_STREAM" ] }, - "InputDeviceSummary": { + "HlsDiscontinuityTags": { + "type": "string", + "documentation": "Hls Discontinuity Tags", + "enum": [ + "INSERT", + "NEVER_INSERT" + ] + }, + "HlsEncryptionType": { + "type": "string", + "documentation": "Hls Encryption Type", + "enum": [ + "AES128", + "SAMPLE_AES" + ] + }, + "HlsGroupSettings": { "type": "structure", "members": { - "Arn": { - "shape": "__string", - "locationName": "arn", - "documentation": "The unique ARN of the input device." - }, - "ConnectionState": { - "shape": "InputDeviceConnectionState", - "locationName": "connectionState", - "documentation": "The state of the connection between the input device and AWS." - }, - "DeviceSettingsSyncState": { - "shape": "DeviceSettingsSyncState", - "locationName": "deviceSettingsSyncState", - "documentation": "The status of the action to synchronize the device configuration. If you change the configuration of the input device (for example, the maximum bitrate), MediaLive sends the new data to the device. The device might not update itself immediately. SYNCED means the device has updated its configuration. SYNCING means that it has not updated its configuration." - }, - "DeviceUpdateStatus": { - "shape": "DeviceUpdateStatus", - "locationName": "deviceUpdateStatus", - "documentation": "The status of software on the input device." - }, - "HdDeviceSettings": { - "shape": "InputDeviceHdSettings", - "locationName": "hdDeviceSettings", - "documentation": "Settings that describe an input device that is type HD." + "AdMarkers": { + "shape": "__listOfHlsAdMarkers", + "locationName": "adMarkers", + "documentation": "Choose one or more ad marker types to pass SCTE35 signals through to this group of Apple HLS outputs." }, - "Id": { + "BaseUrlContent": { "shape": "__string", - "locationName": "id", - "documentation": "The unique ID of the input device." + "locationName": "baseUrlContent", + "documentation": "A partial URI prefix that will be prepended to each output in the media .m3u8 file. Can be used if base manifest is delivered from a different URL than the main .m3u8 file." }, - "MacAddress": { + "BaseUrlContent1": { "shape": "__string", - "locationName": "macAddress", - "documentation": "The network MAC address of the input device." + "locationName": "baseUrlContent1", + "documentation": "Optional. One value per output group.\n\nThis field is required only if you are completing Base URL content A, and the downstream system has notified you that the media files for pipeline 1 of all outputs are in a location different from the media files for pipeline 0." }, - "Name": { + "BaseUrlManifest": { "shape": "__string", - "locationName": "name", - "documentation": "A name that you specify for the input device." - }, - "NetworkSettings": { - "shape": "InputDeviceNetworkSettings", - "locationName": "networkSettings", - "documentation": "Network settings for the input device." + "locationName": "baseUrlManifest", + "documentation": "A partial URI prefix that will be prepended to each output in the media .m3u8 file. Can be used if base manifest is delivered from a different URL than the main .m3u8 file." }, - "SerialNumber": { + "BaseUrlManifest1": { "shape": "__string", - "locationName": "serialNumber", - "documentation": "The unique serial number of the input device." - }, - "Type": { - "shape": "InputDeviceType", - "locationName": "type", - "documentation": "The type of the input device." + "locationName": "baseUrlManifest1", + "documentation": "Optional. One value per output group.\n\nComplete this field only if you are completing Base URL manifest A, and the downstream system has notified you that the child manifest files for pipeline 1 of all outputs are in a location different from the child manifest files for pipeline 0." }, - "UhdDeviceSettings": { - "shape": "InputDeviceUhdSettings", - "locationName": "uhdDeviceSettings", - "documentation": "Settings that describe an input device that is type UHD." + "CaptionLanguageMappings": { + "shape": "__listOfCaptionLanguageMapping", + "locationName": "captionLanguageMappings", + "documentation": "Mapping of up to 4 caption channels to caption languages. Is only meaningful if captionLanguageSetting is set to \"insert\"." }, - "Tags": { - "shape": "Tags", - "locationName": "tags", - "documentation": "A collection of key-value pairs." + "CaptionLanguageSetting": { + "shape": "HlsCaptionLanguageSetting", + "locationName": "captionLanguageSetting", + "documentation": "Applies only to 608 Embedded output captions.\ninsert: Include CLOSED-CAPTIONS lines in the manifest. Specify at least one language in the CC1 Language Code field. One CLOSED-CAPTION line is added for each Language Code you specify. Make sure to specify the languages in the order in which they appear in the original source (if the source is embedded format) or the order of the caption selectors (if the source is other than embedded). Otherwise, languages in the manifest will not match up properly with the output captions.\nnone: Include CLOSED-CAPTIONS=NONE line in the manifest.\nomit: Omit any CLOSED-CAPTIONS line from the manifest." }, - "AvailabilityZone": { - "shape": "__string", - "locationName": "availabilityZone", - "documentation": "The Availability Zone associated with this input device." + "ClientCache": { + "shape": "HlsClientCache", + "locationName": "clientCache", + "documentation": "When set to \"disabled\", sets the #EXT-X-ALLOW-CACHE:no tag in the manifest, which prevents clients from saving media segments for later replay." }, - "MedialiveInputArns": { - "shape": "__listOf__string", - "locationName": "medialiveInputArns", - "documentation": "An array of the ARNs for the MediaLive inputs attached to the device. Returned only if the outputType is MEDIALIVE_INPUT." + "CodecSpecification": { + "shape": "HlsCodecSpecification", + "locationName": "codecSpecification", + "documentation": "Specification to use (RFC-6381 or the default RFC-4281) during m3u8 playlist generation." }, - "OutputType": { - "shape": "InputDeviceOutputType", - "locationName": "outputType", - "documentation": "The output attachment type of the input device. Specifies MEDIACONNECT_FLOW if this device is the source for a MediaConnect flow. Specifies MEDIALIVE_INPUT if this device is the source for a MediaLive input." - } - }, - "documentation": "Details of the input device." - }, - "InputDeviceTransferType": { - "type": "string", - "documentation": "The type of device transfer. INCOMING for an input device that is being transferred to you, OUTGOING for an input device that you are transferring to another AWS account.", - "enum": [ - "OUTGOING", - "INCOMING" - ] - }, - "InputDeviceType": { - "type": "string", - "documentation": "The type of the input device. For an AWS Elemental Link device that outputs resolutions up to 1080, choose \"HD\".", - "enum": [ - "HD", - "UHD" - ] - }, - "InputDeviceUhdSettings": { - "type": "structure", - "members": { - "ActiveInput": { - "shape": "InputDeviceActiveInput", - "locationName": "activeInput", - "documentation": "If you specified Auto as the configured input, specifies which of the sources is currently active (SDI or HDMI)." + "ConstantIv": { + "shape": "__stringMin32Max32", + "locationName": "constantIv", + "documentation": "For use with encryptionType. This is a 128-bit, 16-byte hex value represented by a 32-character text string. If ivSource is set to \"explicit\" then this parameter is required and is used as the IV for encryption." }, - "ConfiguredInput": { - "shape": "InputDeviceConfiguredInput", - "locationName": "configuredInput", - "documentation": "The source at the input device that is currently active. You can specify this source." + "Destination": { + "shape": "OutputLocationRef", + "locationName": "destination", + "documentation": "A directory or HTTP destination for the HLS segments, manifest files, and encryption keys (if enabled)." }, - "DeviceState": { - "shape": "InputDeviceState", - "locationName": "deviceState", - "documentation": "The state of the input device." + "DirectoryStructure": { + "shape": "HlsDirectoryStructure", + "locationName": "directoryStructure", + "documentation": "Place segments in subdirectories." }, - "Framerate": { - "shape": "__double", - "locationName": "framerate", - "documentation": "The frame rate of the video source." + "DiscontinuityTags": { + "shape": "HlsDiscontinuityTags", + "locationName": "discontinuityTags", + "documentation": "Specifies whether to insert EXT-X-DISCONTINUITY tags in the HLS child manifests for this output group.\nTypically, choose Insert because these tags are required in the manifest (according to the HLS specification) and serve an important purpose.\nChoose Never Insert only if the downstream system is doing real-time failover (without using the MediaLive automatic failover feature) and only if that downstream system has advised you to exclude the tags." }, - "Height": { - "shape": "__integer", - "locationName": "height", - "documentation": "The height of the video source, in pixels." + "EncryptionType": { + "shape": "HlsEncryptionType", + "locationName": "encryptionType", + "documentation": "Encrypts the segments with the given encryption scheme. Exclude this parameter if no encryption is desired." }, - "MaxBitrate": { - "shape": "__integer", - "locationName": "maxBitrate", - "documentation": "The current maximum bitrate for ingesting this source, in bits per second. You can specify this maximum." + "HlsCdnSettings": { + "shape": "HlsCdnSettings", + "locationName": "hlsCdnSettings", + "documentation": "Parameters that control interactions with the CDN." }, - "ScanType": { - "shape": "InputDeviceScanType", - "locationName": "scanType", - "documentation": "The scan type of the video source." + "HlsId3SegmentTagging": { + "shape": "HlsId3SegmentTaggingState", + "locationName": "hlsId3SegmentTagging", + "documentation": "State of HLS ID3 Segment Tagging" }, - "Width": { - "shape": "__integer", - "locationName": "width", - "documentation": "The width of the video source, in pixels." + "IFrameOnlyPlaylists": { + "shape": "IFrameOnlyPlaylistType", + "locationName": "iFrameOnlyPlaylists", + "documentation": "DISABLED: Do not create an I-frame-only manifest, but do create the master and media manifests (according to the Output Selection field).\n\nSTANDARD: Create an I-frame-only manifest for each output that contains video, as well as the other manifests (according to the Output Selection field). The I-frame manifest contains a #EXT-X-I-FRAMES-ONLY tag to indicate it is I-frame only, and one or more #EXT-X-BYTERANGE entries identifying the I-frame position. For example, #EXT-X-BYTERANGE:160364@1461888\"" }, - "LatencyMs": { - "shape": "__integer", - "locationName": "latencyMs", - "documentation": "The Link device's buffer size (latency) in milliseconds (ms). You can specify this value." + "IncompleteSegmentBehavior": { + "shape": "HlsIncompleteSegmentBehavior", + "locationName": "incompleteSegmentBehavior", + "documentation": "Specifies whether to include the final (incomplete) segment in the media output when the pipeline stops producing output because of a channel stop, a channel pause or a loss of input to the pipeline.\nAuto means that MediaLive decides whether to include the final segment, depending on the channel class and the types of output groups.\nSuppress means to never include the incomplete segment. We recommend you choose Auto and let MediaLive control the behavior." }, - "Codec": { - "shape": "InputDeviceCodec", - "locationName": "codec", - "documentation": "The codec for the video that the device produces." + "IndexNSegments": { + "shape": "__integerMin3", + "locationName": "indexNSegments", + "documentation": "Applies only if Mode field is LIVE.\n\nSpecifies the maximum number of segments in the media manifest file. After this maximum, older segments are removed from the media manifest. This number must be smaller than the number in the Keep Segments field." }, - "MediaconnectSettings": { - "shape": "InputDeviceMediaConnectSettings", - "locationName": "mediaconnectSettings", - "documentation": "Information about the MediaConnect flow attached to the device. Returned only if the outputType is MEDIACONNECT_FLOW." + "InputLossAction": { + "shape": "InputLossActionForHlsOut", + "locationName": "inputLossAction", + "documentation": "Parameter that control output group behavior on input loss." }, - "AudioChannelPairs": { - "shape": "__listOfInputDeviceUhdAudioChannelPairConfig", - "locationName": "audioChannelPairs", - "documentation": "An array of eight audio configurations, one for each audio pair in the source. Each audio configuration specifies either to exclude the pair, or to format it and include it in the output from the UHD device. Applies only when the device is configured as the source for a MediaConnect flow." + "IvInManifest": { + "shape": "HlsIvInManifest", + "locationName": "ivInManifest", + "documentation": "For use with encryptionType. The IV (Initialization Vector) is a 128-bit number used in conjunction with the key for encrypting blocks. If set to \"include\", IV is listed in the manifest, otherwise the IV is not in the manifest." + }, + "IvSource": { + "shape": "HlsIvSource", + "locationName": "ivSource", + "documentation": "For use with encryptionType. The IV (Initialization Vector) is a 128-bit number used in conjunction with the key for encrypting blocks. If this setting is \"followsSegmentNumber\", it will cause the IV to change every segment (to match the segment number). If this is set to \"explicit\", you must enter a constantIv value." + }, + "KeepSegments": { + "shape": "__integerMin1", + "locationName": "keepSegments", + "documentation": "Applies only if Mode field is LIVE.\n\nSpecifies the number of media segments to retain in the destination directory. This number should be bigger than indexNSegments (Num segments). We recommend (value = (2 x indexNsegments) + 1).\n\nIf this \"keep segments\" number is too low, the following might happen: the player is still reading a media manifest file that lists this segment, but that segment has been removed from the destination directory (as directed by indexNSegments). This situation would result in a 404 HTTP error on the player." + }, + "KeyFormat": { + "shape": "__string", + "locationName": "keyFormat", + "documentation": "The value specifies how the key is represented in the resource identified by the URI. If parameter is absent, an implicit value of \"identity\" is used. A reverse DNS string can also be given." + }, + "KeyFormatVersions": { + "shape": "__string", + "locationName": "keyFormatVersions", + "documentation": "Either a single positive integer version value or a slash delimited list of version values (1/2/3)." + }, + "KeyProviderSettings": { + "shape": "KeyProviderSettings", + "locationName": "keyProviderSettings", + "documentation": "The key provider settings." + }, + "ManifestCompression": { + "shape": "HlsManifestCompression", + "locationName": "manifestCompression", + "documentation": "When set to gzip, compresses HLS playlist." + }, + "ManifestDurationFormat": { + "shape": "HlsManifestDurationFormat", + "locationName": "manifestDurationFormat", + "documentation": "Indicates whether the output manifest should use floating point or integer values for segment duration." + }, + "MinSegmentLength": { + "shape": "__integerMin0", + "locationName": "minSegmentLength", + "documentation": "Minimum length of MPEG-2 Transport Stream segments in seconds. When set, minimum segment length is enforced by looking ahead and back within the specified range for a nearby avail and extending the segment size if needed." + }, + "Mode": { + "shape": "HlsMode", + "locationName": "mode", + "documentation": "If \"vod\", all segments are indexed and kept permanently in the destination and manifest. If \"live\", only the number segments specified in keepSegments and indexNSegments are kept; newer segments replace older segments, which may prevent players from rewinding all the way to the beginning of the event.\n\nVOD mode uses HLS EXT-X-PLAYLIST-TYPE of EVENT while the channel is running, converting it to a \"VOD\" type manifest on completion of the stream." + }, + "OutputSelection": { + "shape": "HlsOutputSelection", + "locationName": "outputSelection", + "documentation": "MANIFESTS_AND_SEGMENTS: Generates manifests (master manifest, if applicable, and media manifests) for this output group.\n\nVARIANT_MANIFESTS_AND_SEGMENTS: Generates media manifests for this output group, but not a master manifest.\n\nSEGMENTS_ONLY: Does not generate any manifests for this output group." + }, + "ProgramDateTime": { + "shape": "HlsProgramDateTime", + "locationName": "programDateTime", + "documentation": "Includes or excludes EXT-X-PROGRAM-DATE-TIME tag in .m3u8 manifest files. The value is calculated using the program date time clock." + }, + "ProgramDateTimeClock": { + "shape": "HlsProgramDateTimeClock", + "locationName": "programDateTimeClock", + "documentation": "Specifies the algorithm used to drive the HLS EXT-X-PROGRAM-DATE-TIME clock. Options include:\n\nINITIALIZE_FROM_OUTPUT_TIMECODE: The PDT clock is initialized as a function of the first output timecode, then incremented by the EXTINF duration of each encoded segment.\n\nSYSTEM_CLOCK: The PDT clock is initialized as a function of the UTC wall clock, then incremented by the EXTINF duration of each encoded segment. If the PDT clock diverges from the wall clock by more than 500ms, it is resynchronized to the wall clock." + }, + "ProgramDateTimePeriod": { + "shape": "__integerMin0Max3600", + "locationName": "programDateTimePeriod", + "documentation": "Period of insertion of EXT-X-PROGRAM-DATE-TIME entry, in seconds." + }, + "RedundantManifest": { + "shape": "HlsRedundantManifest", + "locationName": "redundantManifest", + "documentation": "ENABLED: The master manifest (.m3u8 file) for each pipeline includes information about both pipelines: first its own media files, then the media files of the other pipeline. This feature allows playout device that support stale manifest detection to switch from one manifest to the other, when the current manifest seems to be stale. There are still two destinations and two master manifests, but both master manifests reference the media files from both pipelines.\n\nDISABLED: The master manifest (.m3u8 file) for each pipeline includes information about its own pipeline only.\n\nFor an HLS output group with MediaPackage as the destination, the DISABLED behavior is always followed. MediaPackage regenerates the manifests it serves to players so a redundant manifest from MediaLive is irrelevant." + }, + "SegmentLength": { + "shape": "__integerMin1", + "locationName": "segmentLength", + "documentation": "Length of MPEG-2 Transport Stream segments to create in seconds. Note that segments will end on the next keyframe after this duration, so actual segment length may be longer." + }, + "SegmentationMode": { + "shape": "HlsSegmentationMode", + "locationName": "segmentationMode", + "documentation": "useInputSegmentation has been deprecated. The configured segment size is always used." + }, + "SegmentsPerSubdirectory": { + "shape": "__integerMin1", + "locationName": "segmentsPerSubdirectory", + "documentation": "Number of segments to write to a subdirectory before starting a new one. directoryStructure must be subdirectoryPerStream for this setting to have an effect." + }, + "StreamInfResolution": { + "shape": "HlsStreamInfResolution", + "locationName": "streamInfResolution", + "documentation": "Include or exclude RESOLUTION attribute for video in EXT-X-STREAM-INF tag of variant manifest." + }, + "TimedMetadataId3Frame": { + "shape": "HlsTimedMetadataId3Frame", + "locationName": "timedMetadataId3Frame", + "documentation": "Indicates ID3 frame that has the timecode." + }, + "TimedMetadataId3Period": { + "shape": "__integerMin0", + "locationName": "timedMetadataId3Period", + "documentation": "Timed Metadata interval in seconds." + }, + "TimestampDeltaMilliseconds": { + "shape": "__integerMin0", + "locationName": "timestampDeltaMilliseconds", + "documentation": "Provides an extra millisecond delta offset to fine tune the timestamps." + }, + "TsFileMode": { + "shape": "HlsTsFileMode", + "locationName": "tsFileMode", + "documentation": "SEGMENTED_FILES: Emit the program as segments - multiple .ts media files.\n\nSINGLE_FILE: Applies only if Mode field is VOD. Emit the program as a single .ts media file. The media manifest includes #EXT-X-BYTERANGE tags to index segments for playback. A typical use for this value is when sending the output to AWS Elemental MediaConvert, which can accept only a single media file. Playback while the channel is running is not guaranteed due to HTTP server caching." } }, - "documentation": "Settings that describe the active source from the input device, and the video characteristics of that source." + "documentation": "Hls Group Settings", + "required": [ + "Destination" + ] }, - "InputFilter": { + "HlsH265PackagingType": { "type": "string", - "documentation": "Input Filter", + "documentation": "Hls H265 Packaging Type", "enum": [ - "AUTO", - "DISABLED", - "FORCED" + "HEV1", + "HVC1" ] }, - "InputLocation": { + "HlsId3SegmentTaggingScheduleActionSettings": { "type": "structure", "members": { - "PasswordParam": { + "Tag": { "shape": "__string", - "locationName": "passwordParam", - "documentation": "key used to extract the password from EC2 Parameter store" + "locationName": "tag", + "documentation": "ID3 tag to insert into each segment. Supports special keyword identifiers to substitute in segment-related values.\\nSupported keyword identifiers: https://docs.aws.amazon.com/medialive/latest/ug/variable-data-identifiers.html" }, - "Uri": { - "shape": "__stringMax2048", - "locationName": "uri", - "documentation": "Uniform Resource Identifier - This should be a path to a file accessible to the Live system (eg. a http:// URI) depending on the output type. For example, a RTMP destination should have a uri simliar to: \"rtmp://fmsserver/live\"." - }, - "Username": { + "Id3": { "shape": "__string", - "locationName": "username", - "documentation": "Documentation update needed" + "locationName": "id3", + "documentation": "Base64 string formatted according to the ID3 specification: http://id3.org/id3v2.4.0-structure" } }, - "documentation": "Input Location", - "required": [ - "Uri" + "documentation": "Settings for the action to insert a user-defined ID3 tag in each HLS segment" + }, + "HlsId3SegmentTaggingState": { + "type": "string", + "documentation": "State of HLS ID3 Segment Tagging", + "enum": [ + "DISABLED", + "ENABLED" ] }, - "InputLossActionForHlsOut": { + "HlsIncompleteSegmentBehavior": { "type": "string", - "documentation": "Input Loss Action For Hls Out", + "documentation": "Hls Incomplete Segment Behavior", "enum": [ - "EMIT_OUTPUT", - "PAUSE_OUTPUT" + "AUTO", + "SUPPRESS" ] }, - "InputLossActionForMsSmoothOut": { + "HlsInputSettings": { + "type": "structure", + "members": { + "Bandwidth": { + "shape": "__integerMin0", + "locationName": "bandwidth", + "documentation": "When specified the HLS stream with the m3u8 BANDWIDTH that most closely matches this value will be chosen, otherwise the highest bandwidth stream in the m3u8 will be chosen. The bitrate is specified in bits per second, as in an HLS manifest." + }, + "BufferSegments": { + "shape": "__integerMin0", + "locationName": "bufferSegments", + "documentation": "When specified, reading of the HLS input will begin this many buffer segments from the end (most recently written segment). When not specified, the HLS input will begin with the first segment specified in the m3u8." + }, + "Retries": { + "shape": "__integerMin0", + "locationName": "retries", + "documentation": "The number of consecutive times that attempts to read a manifest or segment must fail before the input is considered unavailable." + }, + "RetryInterval": { + "shape": "__integerMin0", + "locationName": "retryInterval", + "documentation": "The number of seconds between retries when an attempt to read a manifest or segment fails." + }, + "Scte35Source": { + "shape": "HlsScte35SourceType", + "locationName": "scte35Source", + "documentation": "Identifies the source for the SCTE-35 messages that MediaLive will ingest. Messages can be ingested from the content segments (in the stream) or from tags in the playlist (the HLS manifest). MediaLive ignores SCTE-35 information in the source that is not selected." + } + }, + "documentation": "Hls Input Settings" + }, + "HlsIvInManifest": { "type": "string", - "documentation": "Input Loss Action For Ms Smooth Out", + "documentation": "Hls Iv In Manifest", "enum": [ - "EMIT_OUTPUT", - "PAUSE_OUTPUT" + "EXCLUDE", + "INCLUDE" ] }, - "InputLossActionForRtmpOut": { + "HlsIvSource": { "type": "string", - "documentation": "Input Loss Action For Rtmp Out", + "documentation": "Hls Iv Source", "enum": [ - "EMIT_OUTPUT", - "PAUSE_OUTPUT" + "EXPLICIT", + "FOLLOWS_SEGMENT_NUMBER" ] }, - "InputLossActionForUdpOut": { + "HlsManifestCompression": { "type": "string", - "documentation": "Input Loss Action For Udp Out", + "documentation": "Hls Manifest Compression", "enum": [ - "DROP_PROGRAM", - "DROP_TS", - "EMIT_PROGRAM" + "GZIP", + "NONE" ] }, - "InputLossBehavior": { + "HlsManifestDurationFormat": { + "type": "string", + "documentation": "Hls Manifest Duration Format", + "enum": [ + "FLOATING_POINT", + "INTEGER" + ] + }, + "HlsMediaStoreSettings": { "type": "structure", "members": { - "BlackFrameMsec": { - "shape": "__integerMin0Max1000000", - "locationName": "blackFrameMsec", - "documentation": "Documentation update needed" + "ConnectionRetryInterval": { + "shape": "__integerMin0", + "locationName": "connectionRetryInterval", + "documentation": "Number of seconds to wait before retrying connection to the CDN if the connection is lost." }, - "InputLossImageColor": { - "shape": "__stringMin6Max6", - "locationName": "inputLossImageColor", - "documentation": "When input loss image type is \"color\" this field specifies the color to use. Value: 6 hex characters representing the values of RGB." + "FilecacheDuration": { + "shape": "__integerMin0Max600", + "locationName": "filecacheDuration", + "documentation": "Size in seconds of file cache for streaming outputs." }, - "InputLossImageSlate": { - "shape": "InputLocation", - "locationName": "inputLossImageSlate", - "documentation": "When input loss image type is \"slate\" these fields specify the parameters for accessing the slate." + "MediaStoreStorageClass": { + "shape": "HlsMediaStoreStorageClass", + "locationName": "mediaStoreStorageClass", + "documentation": "When set to temporal, output files are stored in non-persistent memory for faster reading and writing." }, - "InputLossImageType": { - "shape": "InputLossImageType", - "locationName": "inputLossImageType", - "documentation": "Indicates whether to substitute a solid color or a slate into the output after input loss exceeds blackFrameMsec." + "NumRetries": { + "shape": "__integerMin0", + "locationName": "numRetries", + "documentation": "Number of retry attempts that will be made before the Live Event is put into an error state. Applies only if the CDN destination URI begins with \"s3\" or \"mediastore\". For other URIs, the value is always 3." }, - "RepeatFrameMsec": { - "shape": "__integerMin0Max1000000", - "locationName": "repeatFrameMsec", - "documentation": "Documentation update needed" + "RestartDelay": { + "shape": "__integerMin0Max15", + "locationName": "restartDelay", + "documentation": "If a streaming output fails, number of seconds to wait until a restart is initiated. A value of 0 means never restart." } }, - "documentation": "Input Loss Behavior" + "documentation": "Hls Media Store Settings" }, - "InputLossFailoverSettings": { + "HlsMediaStoreStorageClass": { + "type": "string", + "documentation": "Hls Media Store Storage Class", + "enum": [ + "TEMPORAL" + ] + }, + "HlsMode": { + "type": "string", + "documentation": "Hls Mode", + "enum": [ + "LIVE", + "VOD" + ] + }, + "HlsOutputSelection": { + "type": "string", + "documentation": "Hls Output Selection", + "enum": [ + "MANIFESTS_AND_SEGMENTS", + "SEGMENTS_ONLY", + "VARIANT_MANIFESTS_AND_SEGMENTS" + ] + }, + "HlsOutputSettings": { "type": "structure", "members": { - "InputLossThresholdMsec": { - "shape": "__integerMin100", - "locationName": "inputLossThresholdMsec", - "documentation": "The amount of time (in milliseconds) that no input is detected. After that time, an input failover will occur." + "H265PackagingType": { + "shape": "HlsH265PackagingType", + "locationName": "h265PackagingType", + "documentation": "Only applicable when this output is referencing an H.265 video description.\nSpecifies whether MP4 segments should be packaged as HEV1 or HVC1." + }, + "HlsSettings": { + "shape": "HlsSettings", + "locationName": "hlsSettings", + "documentation": "Settings regarding the underlying stream. These settings are different for audio-only outputs." + }, + "NameModifier": { + "shape": "__stringMin1", + "locationName": "nameModifier", + "documentation": "String concatenated to the end of the destination filename. Accepts \\\"Format Identifiers\\\":#formatIdentifierParameters." + }, + "SegmentModifier": { + "shape": "__string", + "locationName": "segmentModifier", + "documentation": "String concatenated to end of segment filenames." } }, - "documentation": "MediaLive will perform a failover if content is not detected in this input for the specified period." + "documentation": "Hls Output Settings", + "required": [ + "HlsSettings" + ] }, - "InputLossImageType": { + "HlsProgramDateTime": { "type": "string", - "documentation": "Input Loss Image Type", + "documentation": "Hls Program Date Time", "enum": [ - "COLOR", - "SLATE" + "EXCLUDE", + "INCLUDE" ] }, - "InputMaximumBitrate": { + "HlsProgramDateTimeClock": { "type": "string", - "documentation": "Maximum input bitrate in megabits per second. Bitrates up to 50 Mbps are supported currently.", + "documentation": "Hls Program Date Time Clock", "enum": [ - "MAX_10_MBPS", - "MAX_20_MBPS", - "MAX_50_MBPS" + "INITIALIZE_FROM_OUTPUT_TIMECODE", + "SYSTEM_CLOCK" ] }, - "InputPreference": { + "HlsRedundantManifest": { "type": "string", - "documentation": "Input preference when deciding which input to make active when a previously failed input has recovered.\nIf \\\"EQUAL_INPUT_PREFERENCE\\\", then the active input will stay active as long as it is healthy.\nIf \\\"PRIMARY_INPUT_PREFERRED\\\", then always switch back to the primary input when it is healthy.", + "documentation": "Hls Redundant Manifest", "enum": [ - "EQUAL_INPUT_PREFERENCE", - "PRIMARY_INPUT_PREFERRED" + "DISABLED", + "ENABLED" ] }, - "InputPrepareScheduleActionSettings": { + "HlsS3LogUploads": { + "type": "string", + "documentation": "Hls S3 Log Uploads", + "enum": [ + "DISABLED", + "ENABLED" + ] + }, + "HlsS3Settings": { "type": "structure", "members": { - "InputAttachmentNameReference": { - "shape": "__string", - "locationName": "inputAttachmentNameReference", - "documentation": "The name of the input attachment that should be prepared by this action. If no name is provided, the action will stop the most recent prepare (if any) when activated." - }, - "InputClippingSettings": { - "shape": "InputClippingSettings", - "locationName": "inputClippingSettings", - "documentation": "Settings to let you create a clip of the file input, in order to set up the input to ingest only a portion of the file." - }, - "UrlPath": { - "shape": "__listOf__string", - "locationName": "urlPath", - "documentation": "The value for the variable portion of the URL for the dynamic input, for this instance of the input. Each time you use the same dynamic input in an input switch action, you can provide a different value, in order to connect the input to a different content source." + "CannedAcl": { + "shape": "S3CannedAcl", + "locationName": "cannedAcl", + "documentation": "Specify the canned ACL to apply to each S3 request. Defaults to none." } }, - "documentation": "Action to prepare an input for a future immediate input switch." + "documentation": "Hls S3 Settings" }, - "InputResolution": { + "HlsScte35SourceType": { "type": "string", - "documentation": "Input resolution based on lines of vertical resolution in the input; SD is less than 720 lines, HD is 720 to 1080 lines, UHD is greater than 1080 lines", + "documentation": "Hls Scte35 Source Type", "enum": [ - "SD", - "HD", - "UHD" + "MANIFEST", + "SEGMENTS" ] }, - "InputSecurityGroup": { + "HlsSegmentationMode": { + "type": "string", + "documentation": "Hls Segmentation Mode", + "enum": [ + "USE_INPUT_SEGMENTATION", + "USE_SEGMENT_DURATION" + ] + }, + "HlsSettings": { "type": "structure", "members": { - "Arn": { - "shape": "__string", - "locationName": "arn", - "documentation": "Unique ARN of Input Security Group" - }, - "Id": { - "shape": "__string", - "locationName": "id", - "documentation": "The Id of the Input Security Group" - }, - "Inputs": { - "shape": "__listOf__string", - "locationName": "inputs", - "documentation": "The list of inputs currently using this Input Security Group." + "AudioOnlyHlsSettings": { + "shape": "AudioOnlyHlsSettings", + "locationName": "audioOnlyHlsSettings" }, - "State": { - "shape": "InputSecurityGroupState", - "locationName": "state", - "documentation": "The current state of the Input Security Group." + "Fmp4HlsSettings": { + "shape": "Fmp4HlsSettings", + "locationName": "fmp4HlsSettings" }, - "Tags": { - "shape": "Tags", - "locationName": "tags", - "documentation": "A collection of key-value pairs." + "FrameCaptureHlsSettings": { + "shape": "FrameCaptureHlsSettings", + "locationName": "frameCaptureHlsSettings" }, - "WhitelistRules": { - "shape": "__listOfInputWhitelistRule", - "locationName": "whitelistRules", - "documentation": "Whitelist rules and their sync status" + "StandardHlsSettings": { + "shape": "StandardHlsSettings", + "locationName": "standardHlsSettings" } }, - "documentation": "An Input Security Group" + "documentation": "Hls Settings" }, - "InputSecurityGroupState": { + "HlsStreamInfResolution": { "type": "string", + "documentation": "Hls Stream Inf Resolution", "enum": [ - "IDLE", - "IN_USE", - "UPDATING", - "DELETED" - ], - "documentation": "Placeholder documentation for InputSecurityGroupState" + "EXCLUDE", + "INCLUDE" + ] }, - "InputSecurityGroupWhitelistRequest": { + "HlsTimedMetadataId3Frame": { + "type": "string", + "documentation": "Hls Timed Metadata Id3 Frame", + "enum": [ + "NONE", + "PRIV", + "TDRL" + ] + }, + "HlsTimedMetadataScheduleActionSettings": { "type": "structure", "members": { - "Tags": { - "shape": "Tags", - "locationName": "tags", - "documentation": "A collection of key-value pairs." - }, - "WhitelistRules": { - "shape": "__listOfInputWhitelistRuleCidr", - "locationName": "whitelistRules", - "documentation": "List of IPv4 CIDR addresses to whitelist" + "Id3": { + "shape": "__string", + "locationName": "id3", + "documentation": "Base64 string formatted according to the ID3 specification: http://id3.org/id3v2.4.0-structure" } }, - "documentation": "Request of IPv4 CIDR addresses to whitelist in a security group." + "documentation": "Settings for the action to emit HLS metadata", + "required": [ + "Id3" + ] }, - "InputSettings": { + "HlsTsFileMode": { + "type": "string", + "documentation": "Hls Ts File Mode", + "enum": [ + "SEGMENTED_FILES", + "SINGLE_FILE" + ] + }, + "HlsWebdavHttpTransferMode": { + "type": "string", + "documentation": "Hls Webdav Http Transfer Mode", + "enum": [ + "CHUNKED", + "NON_CHUNKED" + ] + }, + "HlsWebdavSettings": { "type": "structure", "members": { - "AudioSelectors": { - "shape": "__listOfAudioSelector", - "locationName": "audioSelectors", - "documentation": "Used to select the audio stream to decode for inputs that have multiple available." - }, - "CaptionSelectors": { - "shape": "__listOfCaptionSelector", - "locationName": "captionSelectors", - "documentation": "Used to select the caption input to use for inputs that have multiple available." - }, - "DeblockFilter": { - "shape": "InputDeblockFilter", - "locationName": "deblockFilter", - "documentation": "Enable or disable the deblock filter when filtering." - }, - "DenoiseFilter": { - "shape": "InputDenoiseFilter", - "locationName": "denoiseFilter", - "documentation": "Enable or disable the denoise filter when filtering." - }, - "FilterStrength": { - "shape": "__integerMin1Max5", - "locationName": "filterStrength", - "documentation": "Adjusts the magnitude of filtering from 1 (minimal) to 5 (strongest)." - }, - "InputFilter": { - "shape": "InputFilter", - "locationName": "inputFilter", - "documentation": "Turns on the filter for this input. MPEG-2 inputs have the deblocking filter enabled by default.\n1) auto - filtering will be applied depending on input type/quality\n2) disabled - no filtering will be applied to the input\n3) forced - filtering will be applied regardless of input type" - }, - "NetworkInputSettings": { - "shape": "NetworkInputSettings", - "locationName": "networkInputSettings", - "documentation": "Input settings." + "ConnectionRetryInterval": { + "shape": "__integerMin0", + "locationName": "connectionRetryInterval", + "documentation": "Number of seconds to wait before retrying connection to the CDN if the connection is lost." }, - "Scte35Pid": { - "shape": "__integerMin32Max8191", - "locationName": "scte35Pid", - "documentation": "PID from which to read SCTE-35 messages. If left undefined, EML will select the first SCTE-35 PID found in the input." + "FilecacheDuration": { + "shape": "__integerMin0Max600", + "locationName": "filecacheDuration", + "documentation": "Size in seconds of file cache for streaming outputs." }, - "Smpte2038DataPreference": { - "shape": "Smpte2038DataPreference", - "locationName": "smpte2038DataPreference", - "documentation": "Specifies whether to extract applicable ancillary data from a SMPTE-2038 source in this input. Applicable data types are captions, timecode, AFD, and SCTE-104 messages.\n- PREFER: Extract from SMPTE-2038 if present in this input, otherwise extract from another source (if any).\n- IGNORE: Never extract any ancillary data from SMPTE-2038." + "HttpTransferMode": { + "shape": "HlsWebdavHttpTransferMode", + "locationName": "httpTransferMode", + "documentation": "Specify whether or not to use chunked transfer encoding to WebDAV." }, - "SourceEndBehavior": { - "shape": "InputSourceEndBehavior", - "locationName": "sourceEndBehavior", - "documentation": "Loop input if it is a file. This allows a file input to be streamed indefinitely." + "NumRetries": { + "shape": "__integerMin0", + "locationName": "numRetries", + "documentation": "Number of retry attempts that will be made before the Live Event is put into an error state. Applies only if the CDN destination URI begins with \"s3\" or \"mediastore\". For other URIs, the value is always 3." }, - "VideoSelector": { - "shape": "VideoSelector", - "locationName": "videoSelector", - "documentation": "Informs which video elementary stream to decode for input types that have multiple available." + "RestartDelay": { + "shape": "__integerMin0Max15", + "locationName": "restartDelay", + "documentation": "If a streaming output fails, number of seconds to wait until a restart is initiated. A value of 0 means never restart." } }, - "documentation": "Live Event input parameters. There can be multiple inputs in a single Live Event." + "documentation": "Hls Webdav Settings" }, - "InputSource": { + "HtmlMotionGraphicsSettings": { "type": "structure", "members": { - "PasswordParam": { - "shape": "__string", - "locationName": "passwordParam", - "documentation": "The key used to extract the password from EC2 Parameter store." - }, - "Url": { - "shape": "__string", - "locationName": "url", - "documentation": "This represents the customer's source URL where stream is\npulled from." - }, - "Username": { - "shape": "__string", - "locationName": "username", - "documentation": "The username for the input source." - } }, - "documentation": "The settings for a PULL type input." + "documentation": "Html Motion Graphics Settings" }, - "InputSourceEndBehavior": { + "IFrameOnlyPlaylistType": { "type": "string", - "documentation": "Input Source End Behavior", + "documentation": "When set to \"standard\", an I-Frame only playlist will be written out for each video output in the output group. This I-Frame only playlist will contain byte range offsets pointing to the I-frame(s) in each segment.", "enum": [ - "CONTINUE", - "LOOP" + "DISABLED", + "STANDARD" ] }, - "InputSourceRequest": { + "ImmediateModeScheduleActionStartSettings": { "type": "structure", "members": { - "PasswordParam": { - "shape": "__string", - "locationName": "passwordParam", - "documentation": "The key used to extract the password from EC2 Parameter store." - }, - "Url": { - "shape": "__string", - "locationName": "url", - "documentation": "This represents the customer's source URL where stream is\npulled from." - }, - "Username": { - "shape": "__string", - "locationName": "username", - "documentation": "The username for the input source." - } }, - "documentation": "Settings for for a PULL type input." + "documentation": "Settings to configure an action so that it occurs as soon as possible." }, - "InputSourceType": { + "IncludeFillerNalUnits": { "type": "string", - "documentation": "There are two types of input sources, static and dynamic. If an input source is dynamic you can\nchange the source url of the input dynamically using an input switch action. Currently, two input types\nsupport a dynamic url at this time, MP4_FILE and TS_FILE. By default all input sources are static.", + "documentation": "Include Filler Nal Units", "enum": [ - "STATIC", - "DYNAMIC" + "AUTO", + "DROP", + "INCLUDE" ] }, - "InputSpecification": { + "Input": { "type": "structure", "members": { - "Codec": { - "shape": "InputCodec", - "locationName": "codec", - "documentation": "Input codec" + "Arn": { + "shape": "__string", + "locationName": "arn", + "documentation": "The Unique ARN of the input (generated, immutable)." }, - "MaximumBitrate": { - "shape": "InputMaximumBitrate", - "locationName": "maximumBitrate", - "documentation": "Maximum input bitrate, categorized coarsely" + "AttachedChannels": { + "shape": "__listOf__string", + "locationName": "attachedChannels", + "documentation": "A list of channel IDs that that input is attached to (currently an input can only be attached to one channel)." }, - "Resolution": { - "shape": "InputResolution", - "locationName": "resolution", - "documentation": "Input resolution, categorized coarsely" + "Destinations": { + "shape": "__listOfInputDestination", + "locationName": "destinations", + "documentation": "A list of the destinations of the input (PUSH-type)." + }, + "Id": { + "shape": "__string", + "locationName": "id", + "documentation": "The generated ID of the input (unique for user account, immutable)." + }, + "InputClass": { + "shape": "InputClass", + "locationName": "inputClass", + "documentation": "STANDARD - MediaLive expects two sources to be connected to this input. If the channel is also STANDARD, both sources will be ingested. If the channel is SINGLE_PIPELINE, only the first source will be ingested; the second source will always be ignored, even if the first source fails.\nSINGLE_PIPELINE - You can connect only one source to this input. If the ChannelClass is also SINGLE_PIPELINE, this value is valid. If the ChannelClass is STANDARD, this value is not valid because the channel requires two sources in the input." + }, + "InputDevices": { + "shape": "__listOfInputDeviceSettings", + "locationName": "inputDevices", + "documentation": "Settings for the input devices." + }, + "InputPartnerIds": { + "shape": "__listOf__string", + "locationName": "inputPartnerIds", + "documentation": "A list of IDs for all Inputs which are partners of this one." + }, + "InputSourceType": { + "shape": "InputSourceType", + "locationName": "inputSourceType", + "documentation": "Certain pull input sources can be dynamic, meaning that they can have their URL's dynamically changes\nduring input switch actions. Presently, this functionality only works with MP4_FILE and TS_FILE inputs." + }, + "MediaConnectFlows": { + "shape": "__listOfMediaConnectFlow", + "locationName": "mediaConnectFlows", + "documentation": "A list of MediaConnect Flows for this input." + }, + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "The user-assigned name (This is a mutable value)." + }, + "RoleArn": { + "shape": "__string", + "locationName": "roleArn", + "documentation": "The Amazon Resource Name (ARN) of the role this input assumes during and after creation." + }, + "SecurityGroups": { + "shape": "__listOf__string", + "locationName": "securityGroups", + "documentation": "A list of IDs for all the Input Security Groups attached to the input." + }, + "Sources": { + "shape": "__listOfInputSource", + "locationName": "sources", + "documentation": "A list of the sources of the input (PULL-type)." + }, + "State": { + "shape": "InputState", + "locationName": "state" + }, + "Tags": { + "shape": "Tags", + "locationName": "tags", + "documentation": "A collection of key-value pairs." + }, + "Type": { + "shape": "InputType", + "locationName": "type" + }, + "SrtSettings": { + "shape": "SrtSettings", + "locationName": "srtSettings", + "documentation": "The settings associated with an SRT input." + }, + "InputNetworkLocation": { + "shape": "InputNetworkLocation", + "locationName": "inputNetworkLocation", + "documentation": "The location of this input. AWS, for an input existing in the AWS Cloud, On-Prem for\nan input in a customer network." + }, + "MulticastSettings": { + "shape": "MulticastSettings", + "locationName": "multicastSettings", + "documentation": "Multicast Input settings." } }, - "documentation": "Placeholder documentation for InputSpecification" - }, - "InputState": { - "type": "string", - "enum": [ - "CREATING", - "DETACHED", - "ATTACHED", - "DELETING", - "DELETED" - ], - "documentation": "Placeholder documentation for InputState" + "documentation": "Placeholder documentation for Input" }, - "InputSwitchScheduleActionSettings": { + "InputAttachment": { "type": "structure", "members": { - "InputAttachmentNameReference": { + "AutomaticInputFailoverSettings": { + "shape": "AutomaticInputFailoverSettings", + "locationName": "automaticInputFailoverSettings", + "documentation": "User-specified settings for defining what the conditions are for declaring the input unhealthy and failing over to a different input." + }, + "InputAttachmentName": { "shape": "__string", - "locationName": "inputAttachmentNameReference", - "documentation": "The name of the input attachment (not the name of the input!) to switch to. The name is specified in the channel configuration." + "locationName": "inputAttachmentName", + "documentation": "User-specified name for the attachment. This is required if the user wants to use this input in an input switch action." }, - "InputClippingSettings": { - "shape": "InputClippingSettings", - "locationName": "inputClippingSettings", - "documentation": "Settings to let you create a clip of the file input, in order to set up the input to ingest only a portion of the file." + "InputId": { + "shape": "__string", + "locationName": "inputId", + "documentation": "The ID of the input" }, - "UrlPath": { + "InputSettings": { + "shape": "InputSettings", + "locationName": "inputSettings", + "documentation": "Settings of an input (caption selector, etc.)" + }, + "LogicalInterfaceNames": { "shape": "__listOf__string", - "locationName": "urlPath", - "documentation": "The value for the variable portion of the URL for the dynamic input, for this instance of the input. Each time you use the same dynamic input in an input switch action, you can provide a different value, in order to connect the input to a different content source." + "locationName": "logicalInterfaceNames", + "documentation": "Optional assignment of an input to a logical interface on the Node. Only applies to on premises channels." } }, - "documentation": "Settings for the \"switch input\" action: to switch from ingesting one input to ingesting another input.", - "required": [ - "InputAttachmentNameReference" - ] + "documentation": "Placeholder documentation for InputAttachment" }, - "InputTimecodeSource": { - "type": "string", - "documentation": "Documentation update needed", - "enum": [ - "ZEROBASED", - "EMBEDDED" + "InputChannelLevel": { + "type": "structure", + "members": { + "Gain": { + "shape": "__integerMinNegative60Max6", + "locationName": "gain", + "documentation": "Remixing value. Units are in dB and acceptable values are within the range from -60 (mute) and 6 dB." + }, + "InputChannel": { + "shape": "__integerMin0Max15", + "locationName": "inputChannel", + "documentation": "The index of the input channel used as a source." + } + }, + "documentation": "Input Channel Level", + "required": [ + "InputChannel", + "Gain" ] }, - "InputType": { + "InputClass": { "type": "string", - "documentation": "The different types of inputs that AWS Elemental MediaLive supports.", + "documentation": "A standard input has two sources and a single pipeline input only has one.", "enum": [ - "UDP_PUSH", - "RTP_PUSH", - "RTMP_PUSH", - "RTMP_PULL", - "URL_PULL", - "MP4_FILE", - "MEDIACONNECT", - "INPUT_DEVICE", - "AWS_CDI", - "TS_FILE", - "SRT_CALLER" + "STANDARD", + "SINGLE_PIPELINE" ] }, - "InputVpcRequest": { + "InputClippingSettings": { "type": "structure", "members": { - "SecurityGroupIds": { - "shape": "__listOf__string", - "locationName": "securityGroupIds", - "documentation": "A list of up to 5 EC2 VPC security group IDs to attach to the Input VPC network interfaces.\nRequires subnetIds. If none are specified then the VPC default security group will be used." + "InputTimecodeSource": { + "shape": "InputTimecodeSource", + "locationName": "inputTimecodeSource", + "documentation": "The source of the timecodes in the source being clipped." }, - "SubnetIds": { - "shape": "__listOf__string", - "locationName": "subnetIds", - "documentation": "A list of 2 VPC subnet IDs from the same VPC.\nSubnet IDs must be mapped to two unique availability zones (AZ)." + "StartTimecode": { + "shape": "StartTimecode", + "locationName": "startTimecode", + "documentation": "Settings to identify the start of the clip." + }, + "StopTimecode": { + "shape": "StopTimecode", + "locationName": "stopTimecode", + "documentation": "Settings to identify the end of the clip." } }, - "documentation": "Settings for a private VPC Input.\nWhen this property is specified, the input destination addresses will be created in a VPC rather than with public Internet addresses.\nThis property requires setting the roleArn property on Input creation.\nNot compatible with the inputSecurityGroups property.", + "documentation": "Settings to let you create a clip of the file input, in order to set up the input to ingest only a portion of the file.", "required": [ - "SubnetIds" + "InputTimecodeSource" ] }, - "InputWhitelistRule": { + "InputCodec": { + "type": "string", + "documentation": "codec in increasing order of complexity", + "enum": [ + "MPEG2", + "AVC", + "HEVC" + ] + }, + "InputDeblockFilter": { + "type": "string", + "documentation": "Input Deblock Filter", + "enum": [ + "DISABLED", + "ENABLED" + ] + }, + "InputDenoiseFilter": { + "type": "string", + "documentation": "Input Denoise Filter", + "enum": [ + "DISABLED", + "ENABLED" + ] + }, + "InputDestination": { "type": "structure", "members": { - "Cidr": { + "Ip": { "shape": "__string", - "locationName": "cidr", - "documentation": "The IPv4 CIDR that's whitelisted." + "locationName": "ip", + "documentation": "The system-generated static IP address of endpoint.\nIt remains fixed for the lifetime of the input." + }, + "Port": { + "shape": "__string", + "locationName": "port", + "documentation": "The port number for the input." + }, + "Url": { + "shape": "__string", + "locationName": "url", + "documentation": "This represents the endpoint that the customer stream will be\npushed to." + }, + "Vpc": { + "shape": "InputDestinationVpc", + "locationName": "vpc" + }, + "Network": { + "shape": "__string", + "locationName": "network", + "documentation": "The ID of the attached network." + }, + "NetworkRoutes": { + "shape": "__listOfInputDestinationRoute", + "locationName": "networkRoutes", + "documentation": "If the push input has an input location of ON-PREM it's a requirement to specify what the route of the input\nis going to be on the customer local network." } }, - "documentation": "Whitelist rule" + "documentation": "The settings for a PUSH type input." }, - "InputWhitelistRuleCidr": { + "InputDestinationRequest": { "type": "structure", "members": { - "Cidr": { + "StreamName": { "shape": "__string", - "locationName": "cidr", - "documentation": "The IPv4 CIDR to whitelist." + "locationName": "streamName", + "documentation": "A unique name for the location the RTMP stream is being pushed\nto." + }, + "Network": { + "shape": "__string", + "locationName": "network", + "documentation": "If the push input has an input location of ON-PREM, ID the ID of the attached network." + }, + "NetworkRoutes": { + "shape": "__listOfInputRequestDestinationRoute", + "locationName": "networkRoutes", + "documentation": "If the push input has an input location of ON-PREM it's a requirement to specify what the route of the input\nis going to be on the customer local network." + }, + "StaticIpAddress": { + "shape": "__string", + "locationName": "staticIpAddress", + "documentation": "If the push input has an input location of ON-PREM it's optional to specify what the ip address\nof the input is going to be on the customer local network." } }, - "documentation": "An IPv4 CIDR to whitelist." + "documentation": "Endpoint settings for a PUSH type input." }, - "InternalServerErrorException": { + "InputDestinationVpc": { "type": "structure", "members": { - "Message": { + "AvailabilityZone": { "shape": "__string", - "locationName": "message" - } - }, - "exception": true, - "error": { - "httpStatusCode": 500 - }, - "documentation": "Placeholder documentation for InternalServerErrorException" - }, - "InternalServiceError": { - "type": "structure", - "members": { - "Message": { + "locationName": "availabilityZone", + "documentation": "The availability zone of the Input destination." + }, + "NetworkInterfaceId": { "shape": "__string", - "locationName": "message" + "locationName": "networkInterfaceId", + "documentation": "The network interface ID of the Input destination in the VPC." } }, - "documentation": "Placeholder documentation for InternalServiceError" + "documentation": "The properties for a VPC type input destination." }, - "InvalidRequest": { + "InputDevice": { "type": "structure", "members": { - "Message": { + "Arn": { "shape": "__string", - "locationName": "message" - } - }, - "documentation": "Placeholder documentation for InvalidRequest" - }, - "KeyProviderSettings": { - "type": "structure", - "members": { - "StaticKeySettings": { - "shape": "StaticKeySettings", - "locationName": "staticKeySettings" + "locationName": "arn", + "documentation": "The unique ARN of the input device." + }, + "ConnectionState": { + "shape": "InputDeviceConnectionState", + "locationName": "connectionState", + "documentation": "The state of the connection between the input device and AWS." + }, + "DeviceSettingsSyncState": { + "shape": "DeviceSettingsSyncState", + "locationName": "deviceSettingsSyncState", + "documentation": "The status of the action to synchronize the device configuration. If you change the configuration of the input device (for example, the maximum bitrate), MediaLive sends the new data to the device. The device might not update itself immediately. SYNCED means the device has updated its configuration. SYNCING means that it has not updated its configuration." + }, + "DeviceUpdateStatus": { + "shape": "DeviceUpdateStatus", + "locationName": "deviceUpdateStatus", + "documentation": "The status of software on the input device." + }, + "HdDeviceSettings": { + "shape": "InputDeviceHdSettings", + "locationName": "hdDeviceSettings", + "documentation": "Settings that describe an input device that is type HD." + }, + "Id": { + "shape": "__string", + "locationName": "id", + "documentation": "The unique ID of the input device." + }, + "MacAddress": { + "shape": "__string", + "locationName": "macAddress", + "documentation": "The network MAC address of the input device." + }, + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "A name that you specify for the input device." + }, + "NetworkSettings": { + "shape": "InputDeviceNetworkSettings", + "locationName": "networkSettings", + "documentation": "The network settings for the input device." + }, + "SerialNumber": { + "shape": "__string", + "locationName": "serialNumber", + "documentation": "The unique serial number of the input device." + }, + "Type": { + "shape": "InputDeviceType", + "locationName": "type", + "documentation": "The type of the input device." + }, + "UhdDeviceSettings": { + "shape": "InputDeviceUhdSettings", + "locationName": "uhdDeviceSettings", + "documentation": "Settings that describe an input device that is type UHD." + }, + "Tags": { + "shape": "Tags", + "locationName": "tags", + "documentation": "A collection of key-value pairs." + }, + "AvailabilityZone": { + "shape": "__string", + "locationName": "availabilityZone", + "documentation": "The Availability Zone associated with this input device." + }, + "MedialiveInputArns": { + "shape": "__listOf__string", + "locationName": "medialiveInputArns", + "documentation": "An array of the ARNs for the MediaLive inputs attached to the device. Returned only if the outputType is MEDIALIVE_INPUT." + }, + "OutputType": { + "shape": "InputDeviceOutputType", + "locationName": "outputType", + "documentation": "The output attachment type of the input device. Specifies MEDIACONNECT_FLOW if this device is the source for a MediaConnect flow. Specifies MEDIALIVE_INPUT if this device is the source for a MediaLive input." } }, - "documentation": "Key Provider Settings" + "documentation": "An input device." }, - "LastFrameClippingBehavior": { + "InputDeviceActiveInput": { "type": "string", - "documentation": "If you specify a StopTimecode in an input (in order to clip the file), you can specify if you want the clip to exclude (the default) or include the frame specified by the timecode.", + "documentation": "The source at the input device that is currently active.", "enum": [ - "EXCLUDE_LAST_FRAME", - "INCLUDE_LAST_FRAME" + "HDMI", + "SDI" ] }, - "LimitExceeded": { - "type": "structure", - "members": { - "Message": { - "shape": "__string", - "locationName": "message" - } - }, - "documentation": "Placeholder documentation for LimitExceeded" + "InputDeviceCodec": { + "type": "string", + "documentation": "The codec to use on the video that the device produces.", + "enum": [ + "HEVC", + "AVC" + ] }, - "ListChannelsRequest": { + "InputDeviceConfigurableSettings": { "type": "structure", "members": { - "MaxResults": { - "shape": "MaxResults", - "location": "querystring", - "locationName": "maxResults" + "ConfiguredInput": { + "shape": "InputDeviceConfiguredInput", + "locationName": "configuredInput", + "documentation": "The input source that you want to use. If the device has a source connected to only one of its input ports, or if you don't care which source the device sends, specify Auto. If the device has sources connected to both its input ports, and you want to use a specific source, specify the source." }, - "NextToken": { - "shape": "__string", - "location": "querystring", - "locationName": "nextToken" - } - }, - "documentation": "Placeholder documentation for ListChannelsRequest" - }, - "ListChannelsResponse": { - "type": "structure", - "members": { - "Channels": { - "shape": "__listOfChannelSummary", - "locationName": "channels" + "MaxBitrate": { + "shape": "__integer", + "locationName": "maxBitrate", + "documentation": "The maximum bitrate in bits per second. Set a value here to throttle the bitrate of the source video." }, - "NextToken": { - "shape": "__string", - "locationName": "nextToken" - } - }, - "documentation": "Placeholder documentation for ListChannelsResponse" - }, - "ListChannelsResultModel": { - "type": "structure", - "members": { - "Channels": { - "shape": "__listOfChannelSummary", - "locationName": "channels" + "LatencyMs": { + "shape": "__integer", + "locationName": "latencyMs", + "documentation": "The Link device's buffer size (latency) in milliseconds (ms)." }, - "NextToken": { - "shape": "__string", - "locationName": "nextToken" + "Codec": { + "shape": "InputDeviceCodec", + "locationName": "codec", + "documentation": "Choose the codec for the video that the device produces. Only UHD devices can specify this parameter." + }, + "MediaconnectSettings": { + "shape": "InputDeviceMediaConnectConfigurableSettings", + "locationName": "mediaconnectSettings", + "documentation": "To attach this device to a MediaConnect flow, specify these parameters. To detach an existing flow, enter {} for the value of mediaconnectSettings. Only UHD devices can specify this parameter." + }, + "AudioChannelPairs": { + "shape": "__listOfInputDeviceConfigurableAudioChannelPairConfig", + "locationName": "audioChannelPairs", + "documentation": "An array of eight audio configurations, one for each audio pair in the source. Set up each audio configuration either to exclude the pair, or to format it and include it in the output from the device. This parameter applies only to UHD devices, and only when the device is configured as the source for a MediaConnect flow. For an HD device, you configure the audio by setting up audio selectors in the channel configuration." } }, - "documentation": "Placeholder documentation for ListChannelsResultModel" + "documentation": "Configurable settings for the input device." }, - "ListInputDeviceTransfersRequest": { + "InputDeviceConfigurationValidationError": { "type": "structure", "members": { - "MaxResults": { - "shape": "MaxResults", - "location": "querystring", - "locationName": "maxResults" - }, - "NextToken": { + "Message": { "shape": "__string", - "location": "querystring", - "locationName": "nextToken" + "locationName": "message", + "documentation": "The error message." }, - "TransferType": { - "shape": "__string", - "location": "querystring", - "locationName": "transferType" + "ValidationErrors": { + "shape": "__listOfValidationError", + "locationName": "validationErrors", + "documentation": "A collection of validation error responses." } }, - "required": [ - "TransferType" - ], - "documentation": "Placeholder documentation for ListInputDeviceTransfersRequest" + "documentation": "Placeholder documentation for InputDeviceConfigurationValidationError" }, - "ListInputDeviceTransfersResponse": { + "InputDeviceConfiguredInput": { + "type": "string", + "documentation": "The source to activate (use) from the input device.", + "enum": [ + "AUTO", + "HDMI", + "SDI" + ] + }, + "InputDeviceConnectionState": { + "type": "string", + "documentation": "The state of the connection between the input device and AWS.", + "enum": [ + "DISCONNECTED", + "CONNECTED" + ] + }, + "InputDeviceHdSettings": { "type": "structure", "members": { - "InputDeviceTransfers": { - "shape": "__listOfTransferringInputDeviceSummary", - "locationName": "inputDeviceTransfers", - "documentation": "The list of devices that you are transferring or are being transferred to you." + "ActiveInput": { + "shape": "InputDeviceActiveInput", + "locationName": "activeInput", + "documentation": "If you specified Auto as the configured input, specifies which of the sources is currently active (SDI or HDMI)." }, - "NextToken": { - "shape": "__string", - "locationName": "nextToken", - "documentation": "A token to get additional list results." + "ConfiguredInput": { + "shape": "InputDeviceConfiguredInput", + "locationName": "configuredInput", + "documentation": "The source at the input device that is currently active. You can specify this source." + }, + "DeviceState": { + "shape": "InputDeviceState", + "locationName": "deviceState", + "documentation": "The state of the input device." + }, + "Framerate": { + "shape": "__double", + "locationName": "framerate", + "documentation": "The frame rate of the video source." + }, + "Height": { + "shape": "__integer", + "locationName": "height", + "documentation": "The height of the video source, in pixels." + }, + "MaxBitrate": { + "shape": "__integer", + "locationName": "maxBitrate", + "documentation": "The current maximum bitrate for ingesting this source, in bits per second. You can specify this maximum." + }, + "ScanType": { + "shape": "InputDeviceScanType", + "locationName": "scanType", + "documentation": "The scan type of the video source." + }, + "Width": { + "shape": "__integer", + "locationName": "width", + "documentation": "The width of the video source, in pixels." + }, + "LatencyMs": { + "shape": "__integer", + "locationName": "latencyMs", + "documentation": "The Link device's buffer size (latency) in milliseconds (ms). You can specify this value." } }, - "documentation": "Placeholder documentation for ListInputDeviceTransfersResponse" + "documentation": "Settings that describe the active source from the input device, and the video characteristics of that source." }, - "ListInputDeviceTransfersResultModel": { + "InputDeviceIpScheme": { + "type": "string", + "documentation": "Specifies whether the input device has been configured (outside of MediaLive) to use a dynamic IP address assignment (DHCP) or a static IP address.", + "enum": [ + "STATIC", + "DHCP" + ] + }, + "InputDeviceMediaConnectConfigurableSettings": { "type": "structure", "members": { - "InputDeviceTransfers": { - "shape": "__listOfTransferringInputDeviceSummary", - "locationName": "inputDeviceTransfers", - "documentation": "The list of devices that you are transferring or are being transferred to you." + "FlowArn": { + "shape": "__string", + "locationName": "flowArn", + "documentation": "The ARN of the MediaConnect flow to attach this device to." }, - "NextToken": { + "RoleArn": { "shape": "__string", - "locationName": "nextToken", - "documentation": "A token to get additional list results." - } - }, - "documentation": "The list of input devices in the transferred state. The recipient hasn't yet accepted or rejected the transfer." - }, - "ListInputDevicesRequest": { - "type": "structure", - "members": { - "MaxResults": { - "shape": "MaxResults", - "location": "querystring", - "locationName": "maxResults" + "locationName": "roleArn", + "documentation": "The ARN for the role that MediaLive assumes to access the attached flow and secret. For more information about how to create this role, see the MediaLive user guide." }, - "NextToken": { + "SecretArn": { "shape": "__string", - "location": "querystring", - "locationName": "nextToken" - } - }, - "documentation": "Placeholder documentation for ListInputDevicesRequest" - }, - "ListInputDevicesResponse": { - "type": "structure", - "members": { - "InputDevices": { - "shape": "__listOfInputDeviceSummary", - "locationName": "inputDevices", - "documentation": "The list of input devices." + "locationName": "secretArn", + "documentation": "The ARN for the secret that holds the encryption key to encrypt the content output by the device." }, - "NextToken": { + "SourceName": { "shape": "__string", - "locationName": "nextToken", - "documentation": "A token to get additional list results." + "locationName": "sourceName", + "documentation": "The name of the MediaConnect Flow source to stream to." } }, - "documentation": "Placeholder documentation for ListInputDevicesResponse" + "documentation": "Parameters required to attach a MediaConnect flow to the device." }, - "ListInputDevicesResultModel": { + "InputDeviceMediaConnectSettings": { "type": "structure", "members": { - "InputDevices": { - "shape": "__listOfInputDeviceSummary", - "locationName": "inputDevices", - "documentation": "The list of input devices." + "FlowArn": { + "shape": "__string", + "locationName": "flowArn", + "documentation": "The ARN of the MediaConnect flow." }, - "NextToken": { + "RoleArn": { "shape": "__string", - "locationName": "nextToken", - "documentation": "A token to get additional list results." - } - }, - "documentation": "The list of input devices owned by the AWS account." - }, - "ListInputSecurityGroupsRequest": { - "type": "structure", - "members": { - "MaxResults": { - "shape": "MaxResults", - "location": "querystring", - "locationName": "maxResults" + "locationName": "roleArn", + "documentation": "The ARN for the role that MediaLive assumes to access the attached flow and secret." }, - "NextToken": { + "SecretArn": { "shape": "__string", - "location": "querystring", - "locationName": "nextToken" - } - }, - "documentation": "Placeholder documentation for ListInputSecurityGroupsRequest" - }, - "ListInputSecurityGroupsResponse": { - "type": "structure", - "members": { - "InputSecurityGroups": { - "shape": "__listOfInputSecurityGroup", - "locationName": "inputSecurityGroups", - "documentation": "List of input security groups" + "locationName": "secretArn", + "documentation": "The ARN of the secret used to encrypt the stream." }, - "NextToken": { + "SourceName": { "shape": "__string", - "locationName": "nextToken" + "locationName": "sourceName", + "documentation": "The name of the MediaConnect flow source." } }, - "documentation": "Placeholder documentation for ListInputSecurityGroupsResponse" + "documentation": "Information about the MediaConnect flow attached to the device." }, - "ListInputSecurityGroupsResultModel": { + "InputDeviceNetworkSettings": { "type": "structure", "members": { - "InputSecurityGroups": { - "shape": "__listOfInputSecurityGroup", - "locationName": "inputSecurityGroups", - "documentation": "List of input security groups" + "DnsAddresses": { + "shape": "__listOf__string", + "locationName": "dnsAddresses", + "documentation": "The DNS addresses of the input device." }, - "NextToken": { + "Gateway": { "shape": "__string", - "locationName": "nextToken" + "locationName": "gateway", + "documentation": "The network gateway IP address." + }, + "IpAddress": { + "shape": "__string", + "locationName": "ipAddress", + "documentation": "The IP address of the input device." + }, + "IpScheme": { + "shape": "InputDeviceIpScheme", + "locationName": "ipScheme", + "documentation": "Specifies whether the input device has been configured (outside of MediaLive) to use a dynamic IP address assignment (DHCP) or a static IP address." + }, + "SubnetMask": { + "shape": "__string", + "locationName": "subnetMask", + "documentation": "The subnet mask of the input device." } }, - "documentation": "Result of input security group list request" + "documentation": "The network settings for the input device." }, - "ListInputsRequest": { + "InputDeviceOutputType": { + "type": "string", + "documentation": "The output attachment type of the input device.", + "enum": [ + "NONE", + "MEDIALIVE_INPUT", + "MEDIACONNECT_FLOW" + ] + }, + "InputDeviceRequest": { "type": "structure", "members": { - "MaxResults": { - "shape": "MaxResults", - "location": "querystring", - "locationName": "maxResults" - }, - "NextToken": { + "Id": { "shape": "__string", - "location": "querystring", - "locationName": "nextToken" + "locationName": "id", + "documentation": "The unique ID for the device." } }, - "documentation": "Placeholder documentation for ListInputsRequest" + "documentation": "Settings for an input device." }, - "ListInputsResponse": { + "InputDeviceScanType": { + "type": "string", + "documentation": "The scan type of the video source.", + "enum": [ + "INTERLACED", + "PROGRESSIVE" + ] + }, + "InputDeviceSettings": { "type": "structure", "members": { - "Inputs": { - "shape": "__listOfInput", - "locationName": "inputs" - }, - "NextToken": { + "Id": { "shape": "__string", - "locationName": "nextToken" + "locationName": "id", + "documentation": "The unique ID for the device." } }, - "documentation": "Placeholder documentation for ListInputsResponse" + "documentation": "Settings for an input device." }, - "ListInputsResultModel": { + "InputDeviceState": { + "type": "string", + "documentation": "The state of the input device.", + "enum": [ + "IDLE", + "STREAMING" + ] + }, + "InputDeviceSummary": { "type": "structure", "members": { - "Inputs": { - "shape": "__listOfInput", - "locationName": "inputs" - }, - "NextToken": { + "Arn": { "shape": "__string", - "locationName": "nextToken" - } - }, - "documentation": "Placeholder documentation for ListInputsResultModel" - }, - "ListMultiplexProgramsRequest": { - "type": "structure", - "members": { - "MaxResults": { - "shape": "MaxResults", - "location": "querystring", - "locationName": "maxResults", - "documentation": "The maximum number of items to return." - }, - "MultiplexId": { - "shape": "__string", - "location": "uri", - "locationName": "multiplexId", - "documentation": "The ID of the multiplex that the programs belong to." - }, - "NextToken": { - "shape": "__string", - "location": "querystring", - "locationName": "nextToken", - "documentation": "The token to retrieve the next page of results." - } - }, - "required": [ - "MultiplexId" - ], - "documentation": "Placeholder documentation for ListMultiplexProgramsRequest" - }, - "ListMultiplexProgramsResponse": { - "type": "structure", - "members": { - "MultiplexPrograms": { - "shape": "__listOfMultiplexProgramSummary", - "locationName": "multiplexPrograms", - "documentation": "List of multiplex programs." - }, - "NextToken": { - "shape": "__string", - "locationName": "nextToken", - "documentation": "Token for the next ListMultiplexProgram request." - } - }, - "documentation": "Placeholder documentation for ListMultiplexProgramsResponse" - }, - "ListMultiplexProgramsResultModel": { - "type": "structure", - "members": { - "MultiplexPrograms": { - "shape": "__listOfMultiplexProgramSummary", - "locationName": "multiplexPrograms", - "documentation": "List of multiplex programs." + "locationName": "arn", + "documentation": "The unique ARN of the input device." }, - "NextToken": { - "shape": "__string", - "locationName": "nextToken", - "documentation": "Token for the next ListMultiplexProgram request." - } - }, - "documentation": "Placeholder documentation for ListMultiplexProgramsResultModel" - }, - "ListMultiplexesRequest": { - "type": "structure", - "members": { - "MaxResults": { - "shape": "MaxResults", - "location": "querystring", - "locationName": "maxResults", - "documentation": "The maximum number of items to return." + "ConnectionState": { + "shape": "InputDeviceConnectionState", + "locationName": "connectionState", + "documentation": "The state of the connection between the input device and AWS." }, - "NextToken": { - "shape": "__string", - "location": "querystring", - "locationName": "nextToken", - "documentation": "The token to retrieve the next page of results." - } - }, - "documentation": "Placeholder documentation for ListMultiplexesRequest" - }, - "ListMultiplexesResponse": { - "type": "structure", - "members": { - "Multiplexes": { - "shape": "__listOfMultiplexSummary", - "locationName": "multiplexes", - "documentation": "List of multiplexes." + "DeviceSettingsSyncState": { + "shape": "DeviceSettingsSyncState", + "locationName": "deviceSettingsSyncState", + "documentation": "The status of the action to synchronize the device configuration. If you change the configuration of the input device (for example, the maximum bitrate), MediaLive sends the new data to the device. The device might not update itself immediately. SYNCED means the device has updated its configuration. SYNCING means that it has not updated its configuration." }, - "NextToken": { - "shape": "__string", - "locationName": "nextToken", - "documentation": "Token for the next ListMultiplexes request." - } - }, - "documentation": "Placeholder documentation for ListMultiplexesResponse" - }, - "ListMultiplexesResultModel": { - "type": "structure", - "members": { - "Multiplexes": { - "shape": "__listOfMultiplexSummary", - "locationName": "multiplexes", - "documentation": "List of multiplexes." + "DeviceUpdateStatus": { + "shape": "DeviceUpdateStatus", + "locationName": "deviceUpdateStatus", + "documentation": "The status of software on the input device." }, - "NextToken": { - "shape": "__string", - "locationName": "nextToken", - "documentation": "Token for the next ListMultiplexes request." - } - }, - "documentation": "Placeholder documentation for ListMultiplexesResultModel" - }, - "ListOfferingsRequest": { - "type": "structure", - "members": { - "ChannelClass": { - "shape": "__string", - "location": "querystring", - "locationName": "channelClass", - "documentation": "Filter by channel class, 'STANDARD' or 'SINGLE_PIPELINE'" + "HdDeviceSettings": { + "shape": "InputDeviceHdSettings", + "locationName": "hdDeviceSettings", + "documentation": "Settings that describe an input device that is type HD." }, - "ChannelConfiguration": { + "Id": { "shape": "__string", - "location": "querystring", - "locationName": "channelConfiguration", - "documentation": "Filter to offerings that match the configuration of an existing channel, e.g. '2345678' (a channel ID)" + "locationName": "id", + "documentation": "The unique ID of the input device." }, - "Codec": { + "MacAddress": { "shape": "__string", - "location": "querystring", - "locationName": "codec", - "documentation": "Filter by codec, 'AVC', 'HEVC', 'MPEG2', 'AUDIO', or 'LINK'" + "locationName": "macAddress", + "documentation": "The network MAC address of the input device." }, - "Duration": { + "Name": { "shape": "__string", - "location": "querystring", - "locationName": "duration", - "documentation": "Filter by offering duration, e.g. '12'" + "locationName": "name", + "documentation": "A name that you specify for the input device." }, - "MaxResults": { - "shape": "MaxResults", - "location": "querystring", - "locationName": "maxResults" + "NetworkSettings": { + "shape": "InputDeviceNetworkSettings", + "locationName": "networkSettings", + "documentation": "Network settings for the input device." }, - "MaximumBitrate": { + "SerialNumber": { "shape": "__string", - "location": "querystring", - "locationName": "maximumBitrate", - "documentation": "Filter by bitrate, 'MAX_10_MBPS', 'MAX_20_MBPS', or 'MAX_50_MBPS'" + "locationName": "serialNumber", + "documentation": "The unique serial number of the input device." }, - "MaximumFramerate": { - "shape": "__string", - "location": "querystring", - "locationName": "maximumFramerate", - "documentation": "Filter by framerate, 'MAX_30_FPS' or 'MAX_60_FPS'" + "Type": { + "shape": "InputDeviceType", + "locationName": "type", + "documentation": "The type of the input device." }, - "NextToken": { - "shape": "__string", - "location": "querystring", - "locationName": "nextToken" + "UhdDeviceSettings": { + "shape": "InputDeviceUhdSettings", + "locationName": "uhdDeviceSettings", + "documentation": "Settings that describe an input device that is type UHD." }, - "Resolution": { - "shape": "__string", - "location": "querystring", - "locationName": "resolution", - "documentation": "Filter by resolution, 'SD', 'HD', 'FHD', or 'UHD'" + "Tags": { + "shape": "Tags", + "locationName": "tags", + "documentation": "A collection of key-value pairs." }, - "ResourceType": { + "AvailabilityZone": { "shape": "__string", - "location": "querystring", - "locationName": "resourceType", - "documentation": "Filter by resource type, 'INPUT', 'OUTPUT', 'MULTIPLEX', or 'CHANNEL'" + "locationName": "availabilityZone", + "documentation": "The Availability Zone associated with this input device." }, - "SpecialFeature": { - "shape": "__string", - "location": "querystring", - "locationName": "specialFeature", - "documentation": "Filter by special feature, 'ADVANCED_AUDIO' or 'AUDIO_NORMALIZATION'" + "MedialiveInputArns": { + "shape": "__listOf__string", + "locationName": "medialiveInputArns", + "documentation": "An array of the ARNs for the MediaLive inputs attached to the device. Returned only if the outputType is MEDIALIVE_INPUT." }, - "VideoQuality": { - "shape": "__string", - "location": "querystring", - "locationName": "videoQuality", - "documentation": "Filter by video quality, 'STANDARD', 'ENHANCED', or 'PREMIUM'" + "OutputType": { + "shape": "InputDeviceOutputType", + "locationName": "outputType", + "documentation": "The output attachment type of the input device. Specifies MEDIACONNECT_FLOW if this device is the source for a MediaConnect flow. Specifies MEDIALIVE_INPUT if this device is the source for a MediaLive input." } }, - "documentation": "Placeholder documentation for ListOfferingsRequest" + "documentation": "Details of the input device." }, - "ListOfferingsResponse": { - "type": "structure", - "members": { - "NextToken": { - "shape": "__string", - "locationName": "nextToken", - "documentation": "Token to retrieve the next page of results" - }, - "Offerings": { - "shape": "__listOfOffering", - "locationName": "offerings", - "documentation": "List of offerings" - } - }, - "documentation": "Placeholder documentation for ListOfferingsResponse" + "InputDeviceTransferType": { + "type": "string", + "documentation": "The type of device transfer. INCOMING for an input device that is being transferred to you, OUTGOING for an input device that you are transferring to another AWS account.", + "enum": [ + "OUTGOING", + "INCOMING" + ] }, - "ListOfferingsResultModel": { + "InputDeviceType": { + "type": "string", + "documentation": "The type of the input device. For an AWS Elemental Link device that outputs resolutions up to 1080, choose \"HD\".", + "enum": [ + "HD", + "UHD" + ] + }, + "InputDeviceUhdSettings": { "type": "structure", "members": { - "NextToken": { - "shape": "__string", - "locationName": "nextToken", - "documentation": "Token to retrieve the next page of results" + "ActiveInput": { + "shape": "InputDeviceActiveInput", + "locationName": "activeInput", + "documentation": "If you specified Auto as the configured input, specifies which of the sources is currently active (SDI or HDMI)." }, - "Offerings": { - "shape": "__listOfOffering", - "locationName": "offerings", - "documentation": "List of offerings" - } - }, - "documentation": "ListOfferings response" - }, - "ListReservationsRequest": { - "type": "structure", - "members": { - "ChannelClass": { - "shape": "__string", - "location": "querystring", - "locationName": "channelClass", - "documentation": "Filter by channel class, 'STANDARD' or 'SINGLE_PIPELINE'" + "ConfiguredInput": { + "shape": "InputDeviceConfiguredInput", + "locationName": "configuredInput", + "documentation": "The source at the input device that is currently active. You can specify this source." }, - "Codec": { - "shape": "__string", - "location": "querystring", - "locationName": "codec", - "documentation": "Filter by codec, 'AVC', 'HEVC', 'MPEG2', 'AUDIO', or 'LINK'" + "DeviceState": { + "shape": "InputDeviceState", + "locationName": "deviceState", + "documentation": "The state of the input device." }, - "MaxResults": { - "shape": "MaxResults", - "location": "querystring", - "locationName": "maxResults" + "Framerate": { + "shape": "__double", + "locationName": "framerate", + "documentation": "The frame rate of the video source." }, - "MaximumBitrate": { - "shape": "__string", - "location": "querystring", - "locationName": "maximumBitrate", - "documentation": "Filter by bitrate, 'MAX_10_MBPS', 'MAX_20_MBPS', or 'MAX_50_MBPS'" + "Height": { + "shape": "__integer", + "locationName": "height", + "documentation": "The height of the video source, in pixels." }, - "MaximumFramerate": { - "shape": "__string", - "location": "querystring", - "locationName": "maximumFramerate", - "documentation": "Filter by framerate, 'MAX_30_FPS' or 'MAX_60_FPS'" + "MaxBitrate": { + "shape": "__integer", + "locationName": "maxBitrate", + "documentation": "The current maximum bitrate for ingesting this source, in bits per second. You can specify this maximum." }, - "NextToken": { - "shape": "__string", - "location": "querystring", - "locationName": "nextToken" + "ScanType": { + "shape": "InputDeviceScanType", + "locationName": "scanType", + "documentation": "The scan type of the video source." }, - "Resolution": { - "shape": "__string", - "location": "querystring", - "locationName": "resolution", - "documentation": "Filter by resolution, 'SD', 'HD', 'FHD', or 'UHD'" + "Width": { + "shape": "__integer", + "locationName": "width", + "documentation": "The width of the video source, in pixels." }, - "ResourceType": { - "shape": "__string", - "location": "querystring", - "locationName": "resourceType", - "documentation": "Filter by resource type, 'INPUT', 'OUTPUT', 'MULTIPLEX', or 'CHANNEL'" + "LatencyMs": { + "shape": "__integer", + "locationName": "latencyMs", + "documentation": "The Link device's buffer size (latency) in milliseconds (ms). You can specify this value." }, - "SpecialFeature": { - "shape": "__string", - "location": "querystring", - "locationName": "specialFeature", - "documentation": "Filter by special feature, 'ADVANCED_AUDIO' or 'AUDIO_NORMALIZATION'" + "Codec": { + "shape": "InputDeviceCodec", + "locationName": "codec", + "documentation": "The codec for the video that the device produces." }, - "VideoQuality": { - "shape": "__string", - "location": "querystring", - "locationName": "videoQuality", - "documentation": "Filter by video quality, 'STANDARD', 'ENHANCED', or 'PREMIUM'" - } - }, - "documentation": "Placeholder documentation for ListReservationsRequest" - }, - "ListReservationsResponse": { - "type": "structure", - "members": { - "NextToken": { - "shape": "__string", - "locationName": "nextToken", - "documentation": "Token to retrieve the next page of results" + "MediaconnectSettings": { + "shape": "InputDeviceMediaConnectSettings", + "locationName": "mediaconnectSettings", + "documentation": "Information about the MediaConnect flow attached to the device. Returned only if the outputType is MEDIACONNECT_FLOW." }, - "Reservations": { - "shape": "__listOfReservation", - "locationName": "reservations", - "documentation": "List of reservations" + "AudioChannelPairs": { + "shape": "__listOfInputDeviceUhdAudioChannelPairConfig", + "locationName": "audioChannelPairs", + "documentation": "An array of eight audio configurations, one for each audio pair in the source. Each audio configuration specifies either to exclude the pair, or to format it and include it in the output from the UHD device. Applies only when the device is configured as the source for a MediaConnect flow." } }, - "documentation": "Placeholder documentation for ListReservationsResponse" + "documentation": "Settings that describe the active source from the input device, and the video characteristics of that source." }, - "ListReservationsResultModel": { + "InputFilter": { + "type": "string", + "documentation": "Input Filter", + "enum": [ + "AUTO", + "DISABLED", + "FORCED" + ] + }, + "InputLocation": { "type": "structure", "members": { - "NextToken": { + "PasswordParam": { "shape": "__string", - "locationName": "nextToken", - "documentation": "Token to retrieve the next page of results" + "locationName": "passwordParam", + "documentation": "key used to extract the password from EC2 Parameter store" }, - "Reservations": { - "shape": "__listOfReservation", - "locationName": "reservations", - "documentation": "List of reservations" - } - }, - "documentation": "ListReservations response" - }, - "ListTagsForResourceRequest": { - "type": "structure", - "members": { - "ResourceArn": { + "Uri": { + "shape": "__stringMax2048", + "locationName": "uri", + "documentation": "Uniform Resource Identifier - This should be a path to a file accessible to the Live system (eg. a http:// URI) depending on the output type. For example, a RTMP destination should have a uri simliar to: \"rtmp://fmsserver/live\"." + }, + "Username": { "shape": "__string", - "location": "uri", - "locationName": "resource-arn" + "locationName": "username", + "documentation": "Documentation update needed" } }, + "documentation": "Input Location", "required": [ - "ResourceArn" - ], - "documentation": "Placeholder documentation for ListTagsForResourceRequest" - }, - "ListTagsForResourceResponse": { - "type": "structure", - "members": { - "Tags": { - "shape": "Tags", - "locationName": "tags" - } - }, - "documentation": "Placeholder documentation for ListTagsForResourceResponse" - }, - "LogLevel": { - "type": "string", - "documentation": "The log level the user wants for their channel.", - "enum": [ - "ERROR", - "WARNING", - "INFO", - "DEBUG", - "DISABLED" - ] - }, - "M2tsAbsentInputAudioBehavior": { - "type": "string", - "documentation": "M2ts Absent Input Audio Behavior", - "enum": [ - "DROP", - "ENCODE_SILENCE" - ] - }, - "M2tsArib": { - "type": "string", - "documentation": "M2ts Arib", - "enum": [ - "DISABLED", - "ENABLED" - ] - }, - "M2tsAribCaptionsPidControl": { - "type": "string", - "documentation": "M2ts Arib Captions Pid Control", - "enum": [ - "AUTO", - "USE_CONFIGURED" - ] - }, - "M2tsAudioBufferModel": { - "type": "string", - "documentation": "M2ts Audio Buffer Model", - "enum": [ - "ATSC", - "DVB" + "Uri" ] }, - "M2tsAudioInterval": { + "InputLossActionForHlsOut": { "type": "string", - "documentation": "M2ts Audio Interval", + "documentation": "Input Loss Action For Hls Out", "enum": [ - "VIDEO_AND_FIXED_INTERVALS", - "VIDEO_INTERVAL" + "EMIT_OUTPUT", + "PAUSE_OUTPUT" ] }, - "M2tsAudioStreamType": { + "InputLossActionForMsSmoothOut": { "type": "string", - "documentation": "M2ts Audio Stream Type", + "documentation": "Input Loss Action For Ms Smooth Out", "enum": [ - "ATSC", - "DVB" + "EMIT_OUTPUT", + "PAUSE_OUTPUT" ] }, - "M2tsBufferModel": { + "InputLossActionForRtmpOut": { "type": "string", - "documentation": "M2ts Buffer Model", + "documentation": "Input Loss Action For Rtmp Out", "enum": [ - "MULTIPLEX", - "NONE" + "EMIT_OUTPUT", + "PAUSE_OUTPUT" ] }, - "M2tsCcDescriptor": { + "InputLossActionForUdpOut": { "type": "string", - "documentation": "M2ts Cc Descriptor", + "documentation": "Input Loss Action For Udp Out", "enum": [ - "DISABLED", - "ENABLED" + "DROP_PROGRAM", + "DROP_TS", + "EMIT_PROGRAM" ] }, - "M2tsEbifControl": { - "type": "string", - "documentation": "M2ts Ebif Control", - "enum": [ - "NONE", - "PASSTHROUGH" - ] - }, - "M2tsEbpPlacement": { - "type": "string", - "documentation": "M2ts Ebp Placement", - "enum": [ - "VIDEO_AND_AUDIO_PIDS", - "VIDEO_PID" - ] + "InputLossBehavior": { + "type": "structure", + "members": { + "BlackFrameMsec": { + "shape": "__integerMin0Max1000000", + "locationName": "blackFrameMsec", + "documentation": "Documentation update needed" + }, + "InputLossImageColor": { + "shape": "__stringMin6Max6", + "locationName": "inputLossImageColor", + "documentation": "When input loss image type is \"color\" this field specifies the color to use. Value: 6 hex characters representing the values of RGB." + }, + "InputLossImageSlate": { + "shape": "InputLocation", + "locationName": "inputLossImageSlate", + "documentation": "When input loss image type is \"slate\" these fields specify the parameters for accessing the slate." + }, + "InputLossImageType": { + "shape": "InputLossImageType", + "locationName": "inputLossImageType", + "documentation": "Indicates whether to substitute a solid color or a slate into the output after input loss exceeds blackFrameMsec." + }, + "RepeatFrameMsec": { + "shape": "__integerMin0Max1000000", + "locationName": "repeatFrameMsec", + "documentation": "Documentation update needed" + } + }, + "documentation": "Input Loss Behavior" }, - "M2tsEsRateInPes": { - "type": "string", - "documentation": "M2ts Es Rate In Pes", - "enum": [ - "EXCLUDE", - "INCLUDE" - ] + "InputLossFailoverSettings": { + "type": "structure", + "members": { + "InputLossThresholdMsec": { + "shape": "__integerMin100", + "locationName": "inputLossThresholdMsec", + "documentation": "The amount of time (in milliseconds) that no input is detected. After that time, an input failover will occur." + } + }, + "documentation": "MediaLive will perform a failover if content is not detected in this input for the specified period." }, - "M2tsKlv": { + "InputLossImageType": { "type": "string", - "documentation": "M2ts Klv", + "documentation": "Input Loss Image Type", "enum": [ - "NONE", - "PASSTHROUGH" + "COLOR", + "SLATE" ] }, - "M2tsNielsenId3Behavior": { + "InputMaximumBitrate": { "type": "string", - "documentation": "M2ts Nielsen Id3 Behavior", + "documentation": "Maximum input bitrate in megabits per second. Bitrates up to 50 Mbps are supported currently.", "enum": [ - "NO_PASSTHROUGH", - "PASSTHROUGH" + "MAX_10_MBPS", + "MAX_20_MBPS", + "MAX_50_MBPS" ] }, - "M2tsPcrControl": { + "InputPreference": { "type": "string", - "documentation": "M2ts Pcr Control", + "documentation": "Input preference when deciding which input to make active when a previously failed input has recovered.\nIf \\\"EQUAL_INPUT_PREFERENCE\\\", then the active input will stay active as long as it is healthy.\nIf \\\"PRIMARY_INPUT_PREFERRED\\\", then always switch back to the primary input when it is healthy.", "enum": [ - "CONFIGURED_PCR_PERIOD", - "PCR_EVERY_PES_PACKET" + "EQUAL_INPUT_PREFERENCE", + "PRIMARY_INPUT_PREFERRED" ] }, - "M2tsRateMode": { - "type": "string", - "documentation": "M2ts Rate Mode", - "enum": [ - "CBR", - "VBR" - ] + "InputPrepareScheduleActionSettings": { + "type": "structure", + "members": { + "InputAttachmentNameReference": { + "shape": "__string", + "locationName": "inputAttachmentNameReference", + "documentation": "The name of the input attachment that should be prepared by this action. If no name is provided, the action will stop the most recent prepare (if any) when activated." + }, + "InputClippingSettings": { + "shape": "InputClippingSettings", + "locationName": "inputClippingSettings", + "documentation": "Settings to let you create a clip of the file input, in order to set up the input to ingest only a portion of the file." + }, + "UrlPath": { + "shape": "__listOf__string", + "locationName": "urlPath", + "documentation": "The value for the variable portion of the URL for the dynamic input, for this instance of the input. Each time you use the same dynamic input in an input switch action, you can provide a different value, in order to connect the input to a different content source." + } + }, + "documentation": "Action to prepare an input for a future immediate input switch." }, - "M2tsScte35Control": { + "InputResolution": { "type": "string", - "documentation": "M2ts Scte35 Control", + "documentation": "Input resolution based on lines of vertical resolution in the input; SD is less than 720 lines, HD is 720 to 1080 lines, UHD is greater than 1080 lines", "enum": [ - "NONE", - "PASSTHROUGH" + "SD", + "HD", + "UHD" ] }, - "M2tsSegmentationMarkers": { - "type": "string", - "documentation": "M2ts Segmentation Markers", - "enum": [ - "EBP", - "EBP_LEGACY", - "NONE", - "PSI_SEGSTART", - "RAI_ADAPT", - "RAI_SEGSTART" - ] + "InputSecurityGroup": { + "type": "structure", + "members": { + "Arn": { + "shape": "__string", + "locationName": "arn", + "documentation": "Unique ARN of Input Security Group" + }, + "Id": { + "shape": "__string", + "locationName": "id", + "documentation": "The Id of the Input Security Group" + }, + "Inputs": { + "shape": "__listOf__string", + "locationName": "inputs", + "documentation": "The list of inputs currently using this Input Security Group." + }, + "State": { + "shape": "InputSecurityGroupState", + "locationName": "state", + "documentation": "The current state of the Input Security Group." + }, + "Tags": { + "shape": "Tags", + "locationName": "tags", + "documentation": "A collection of key-value pairs." + }, + "WhitelistRules": { + "shape": "__listOfInputWhitelistRule", + "locationName": "whitelistRules", + "documentation": "Whitelist rules and their sync status" + } + }, + "documentation": "An Input Security Group" }, - "M2tsSegmentationStyle": { + "InputSecurityGroupState": { "type": "string", - "documentation": "M2ts Segmentation Style", "enum": [ - "MAINTAIN_CADENCE", - "RESET_CADENCE" - ] + "IDLE", + "IN_USE", + "UPDATING", + "DELETED" + ], + "documentation": "Placeholder documentation for InputSecurityGroupState" }, - "M2tsSettings": { + "InputSecurityGroupWhitelistRequest": { "type": "structure", "members": { - "AbsentInputAudioBehavior": { - "shape": "M2tsAbsentInputAudioBehavior", - "locationName": "absentInputAudioBehavior", - "documentation": "When set to drop, output audio streams will be removed from the program if the selected input audio stream is removed from the input. This allows the output audio configuration to dynamically change based on input configuration. If this is set to encodeSilence, all output audio streams will output encoded silence when not connected to an active input stream." + "Tags": { + "shape": "Tags", + "locationName": "tags", + "documentation": "A collection of key-value pairs." }, - "Arib": { - "shape": "M2tsArib", - "locationName": "arib", - "documentation": "When set to enabled, uses ARIB-compliant field muxing and removes video descriptor." + "WhitelistRules": { + "shape": "__listOfInputWhitelistRuleCidr", + "locationName": "whitelistRules", + "documentation": "List of IPv4 CIDR addresses to whitelist" + } + }, + "documentation": "Request of IPv4 CIDR addresses to whitelist in a security group." + }, + "InputSettings": { + "type": "structure", + "members": { + "AudioSelectors": { + "shape": "__listOfAudioSelector", + "locationName": "audioSelectors", + "documentation": "Used to select the audio stream to decode for inputs that have multiple available." }, - "AribCaptionsPid": { - "shape": "__string", - "locationName": "aribCaptionsPid", - "documentation": "Packet Identifier (PID) for ARIB Captions in the transport stream. Can be entered as a decimal or hexadecimal value. Valid values are 32 (or 0x20)..8182 (or 0x1ff6)." + "CaptionSelectors": { + "shape": "__listOfCaptionSelector", + "locationName": "captionSelectors", + "documentation": "Used to select the caption input to use for inputs that have multiple available." }, - "AribCaptionsPidControl": { - "shape": "M2tsAribCaptionsPidControl", - "locationName": "aribCaptionsPidControl", - "documentation": "If set to auto, pid number used for ARIB Captions will be auto-selected from unused pids. If set to useConfigured, ARIB Captions will be on the configured pid number." + "DeblockFilter": { + "shape": "InputDeblockFilter", + "locationName": "deblockFilter", + "documentation": "Enable or disable the deblock filter when filtering." }, - "AudioBufferModel": { - "shape": "M2tsAudioBufferModel", - "locationName": "audioBufferModel", - "documentation": "When set to dvb, uses DVB buffer model for Dolby Digital audio. When set to atsc, the ATSC model is used." + "DenoiseFilter": { + "shape": "InputDenoiseFilter", + "locationName": "denoiseFilter", + "documentation": "Enable or disable the denoise filter when filtering." }, - "AudioFramesPerPes": { - "shape": "__integerMin0", - "locationName": "audioFramesPerPes", - "documentation": "The number of audio frames to insert for each PES packet." + "FilterStrength": { + "shape": "__integerMin1Max5", + "locationName": "filterStrength", + "documentation": "Adjusts the magnitude of filtering from 1 (minimal) to 5 (strongest)." }, - "AudioPids": { - "shape": "__string", - "locationName": "audioPids", - "documentation": "Packet Identifier (PID) of the elementary audio stream(s) in the transport stream. Multiple values are accepted, and can be entered in ranges and/or by comma separation. Can be entered as decimal or hexadecimal values. Each PID specified must be in the range of 32 (or 0x20)..8182 (or 0x1ff6)." + "InputFilter": { + "shape": "InputFilter", + "locationName": "inputFilter", + "documentation": "Turns on the filter for this input. MPEG-2 inputs have the deblocking filter enabled by default.\n1) auto - filtering will be applied depending on input type/quality\n2) disabled - no filtering will be applied to the input\n3) forced - filtering will be applied regardless of input type" }, - "AudioStreamType": { - "shape": "M2tsAudioStreamType", - "locationName": "audioStreamType", - "documentation": "When set to atsc, uses stream type = 0x81 for AC3 and stream type = 0x87 for EAC3. When set to dvb, uses stream type = 0x06." + "NetworkInputSettings": { + "shape": "NetworkInputSettings", + "locationName": "networkInputSettings", + "documentation": "Input settings." }, - "Bitrate": { - "shape": "__integerMin0", - "locationName": "bitrate", - "documentation": "The output bitrate of the transport stream in bits per second. Setting to 0 lets the muxer automatically determine the appropriate bitrate." - }, - "BufferModel": { - "shape": "M2tsBufferModel", - "locationName": "bufferModel", - "documentation": "Controls the timing accuracy for output network traffic. Leave as MULTIPLEX to ensure accurate network packet timing. Or set to NONE, which might result in lower latency but will result in more variability in output network packet timing. This variability might cause interruptions, jitter, or bursty behavior in your playback or receiving devices." - }, - "CcDescriptor": { - "shape": "M2tsCcDescriptor", - "locationName": "ccDescriptor", - "documentation": "When set to enabled, generates captionServiceDescriptor in PMT." - }, - "DvbNitSettings": { - "shape": "DvbNitSettings", - "locationName": "dvbNitSettings", - "documentation": "Inserts DVB Network Information Table (NIT) at the specified table repetition interval." - }, - "DvbSdtSettings": { - "shape": "DvbSdtSettings", - "locationName": "dvbSdtSettings", - "documentation": "Inserts DVB Service Description Table (SDT) at the specified table repetition interval." - }, - "DvbSubPids": { - "shape": "__string", - "locationName": "dvbSubPids", - "documentation": "Packet Identifier (PID) for input source DVB Subtitle data to this output. Multiple values are accepted, and can be entered in ranges and/or by comma separation. Can be entered as decimal or hexadecimal values. Each PID specified must be in the range of 32 (or 0x20)..8182 (or 0x1ff6)." - }, - "DvbTdtSettings": { - "shape": "DvbTdtSettings", - "locationName": "dvbTdtSettings", - "documentation": "Inserts DVB Time and Date Table (TDT) at the specified table repetition interval." - }, - "DvbTeletextPid": { - "shape": "__string", - "locationName": "dvbTeletextPid", - "documentation": "Packet Identifier (PID) for input source DVB Teletext data to this output. Can be entered as a decimal or hexadecimal value. Valid values are 32 (or 0x20)..8182 (or 0x1ff6)." - }, - "Ebif": { - "shape": "M2tsEbifControl", - "locationName": "ebif", - "documentation": "If set to passthrough, passes any EBIF data from the input source to this output." - }, - "EbpAudioInterval": { - "shape": "M2tsAudioInterval", - "locationName": "ebpAudioInterval", - "documentation": "When videoAndFixedIntervals is selected, audio EBP markers will be added to partitions 3 and 4. The interval between these additional markers will be fixed, and will be slightly shorter than the video EBP marker interval. Only available when EBP Cablelabs segmentation markers are selected. Partitions 1 and 2 will always follow the video interval." - }, - "EbpLookaheadMs": { - "shape": "__integerMin0Max10000", - "locationName": "ebpLookaheadMs", - "documentation": "When set, enforces that Encoder Boundary Points do not come within the specified time interval of each other by looking ahead at input video. If another EBP is going to come in within the specified time interval, the current EBP is not emitted, and the segment is \"stretched\" to the next marker. The lookahead value does not add latency to the system. The Live Event must be configured elsewhere to create sufficient latency to make the lookahead accurate." - }, - "EbpPlacement": { - "shape": "M2tsEbpPlacement", - "locationName": "ebpPlacement", - "documentation": "Controls placement of EBP on Audio PIDs. If set to videoAndAudioPids, EBP markers will be placed on the video PID and all audio PIDs. If set to videoPid, EBP markers will be placed on only the video PID." - }, - "EcmPid": { - "shape": "__string", - "locationName": "ecmPid", - "documentation": "This field is unused and deprecated." - }, - "EsRateInPes": { - "shape": "M2tsEsRateInPes", - "locationName": "esRateInPes", - "documentation": "Include or exclude the ES Rate field in the PES header." - }, - "EtvPlatformPid": { - "shape": "__string", - "locationName": "etvPlatformPid", - "documentation": "Packet Identifier (PID) for input source ETV Platform data to this output. Can be entered as a decimal or hexadecimal value. Valid values are 32 (or 0x20)..8182 (or 0x1ff6)." - }, - "EtvSignalPid": { - "shape": "__string", - "locationName": "etvSignalPid", - "documentation": "Packet Identifier (PID) for input source ETV Signal data to this output. Can be entered as a decimal or hexadecimal value. Valid values are 32 (or 0x20)..8182 (or 0x1ff6)." - }, - "FragmentTime": { - "shape": "__doubleMin0", - "locationName": "fragmentTime", - "documentation": "The length in seconds of each fragment. Only used with EBP markers." - }, - "Klv": { - "shape": "M2tsKlv", - "locationName": "klv", - "documentation": "If set to passthrough, passes any KLV data from the input source to this output." - }, - "KlvDataPids": { - "shape": "__string", - "locationName": "klvDataPids", - "documentation": "Packet Identifier (PID) for input source KLV data to this output. Multiple values are accepted, and can be entered in ranges and/or by comma separation. Can be entered as decimal or hexadecimal values. Each PID specified must be in the range of 32 (or 0x20)..8182 (or 0x1ff6)." - }, - "NielsenId3Behavior": { - "shape": "M2tsNielsenId3Behavior", - "locationName": "nielsenId3Behavior", - "documentation": "If set to passthrough, Nielsen inaudible tones for media tracking will be detected in the input audio and an equivalent ID3 tag will be inserted in the output." - }, - "NullPacketBitrate": { - "shape": "__doubleMin0", - "locationName": "nullPacketBitrate", - "documentation": "Value in bits per second of extra null packets to insert into the transport stream. This can be used if a downstream encryption system requires periodic null packets." - }, - "PatInterval": { - "shape": "__integerMin0Max1000", - "locationName": "patInterval", - "documentation": "The number of milliseconds between instances of this table in the output transport stream. Valid values are 0, 10..1000." + "Scte35Pid": { + "shape": "__integerMin32Max8191", + "locationName": "scte35Pid", + "documentation": "PID from which to read SCTE-35 messages. If left undefined, EML will select the first SCTE-35 PID found in the input." }, - "PcrControl": { - "shape": "M2tsPcrControl", - "locationName": "pcrControl", - "documentation": "When set to pcrEveryPesPacket, a Program Clock Reference value is inserted for every Packetized Elementary Stream (PES) header. This parameter is effective only when the PCR PID is the same as the video or audio elementary stream." + "Smpte2038DataPreference": { + "shape": "Smpte2038DataPreference", + "locationName": "smpte2038DataPreference", + "documentation": "Specifies whether to extract applicable ancillary data from a SMPTE-2038 source in this input. Applicable data types are captions, timecode, AFD, and SCTE-104 messages.\n- PREFER: Extract from SMPTE-2038 if present in this input, otherwise extract from another source (if any).\n- IGNORE: Never extract any ancillary data from SMPTE-2038." }, - "PcrPeriod": { - "shape": "__integerMin0Max500", - "locationName": "pcrPeriod", - "documentation": "Maximum time in milliseconds between Program Clock Reference (PCRs) inserted into the transport stream." + "SourceEndBehavior": { + "shape": "InputSourceEndBehavior", + "locationName": "sourceEndBehavior", + "documentation": "Loop input if it is a file. This allows a file input to be streamed indefinitely." }, - "PcrPid": { + "VideoSelector": { + "shape": "VideoSelector", + "locationName": "videoSelector", + "documentation": "Informs which video elementary stream to decode for input types that have multiple available." + } + }, + "documentation": "Live Event input parameters. There can be multiple inputs in a single Live Event." + }, + "InputSource": { + "type": "structure", + "members": { + "PasswordParam": { "shape": "__string", - "locationName": "pcrPid", - "documentation": "Packet Identifier (PID) of the Program Clock Reference (PCR) in the transport stream. When no value is given, the encoder will assign the same value as the Video PID. Can be entered as a decimal or hexadecimal value. Valid values are 32 (or 0x20)..8182 (or 0x1ff6)." - }, - "PmtInterval": { - "shape": "__integerMin0Max1000", - "locationName": "pmtInterval", - "documentation": "The number of milliseconds between instances of this table in the output transport stream. Valid values are 0, 10..1000." + "locationName": "passwordParam", + "documentation": "The key used to extract the password from EC2 Parameter store." }, - "PmtPid": { + "Url": { "shape": "__string", - "locationName": "pmtPid", - "documentation": "Packet Identifier (PID) for the Program Map Table (PMT) in the transport stream. Can be entered as a decimal or hexadecimal value. Valid values are 32 (or 0x20)..8182 (or 0x1ff6)." - }, - "ProgramNum": { - "shape": "__integerMin0Max65535", - "locationName": "programNum", - "documentation": "The value of the program number field in the Program Map Table." - }, - "RateMode": { - "shape": "M2tsRateMode", - "locationName": "rateMode", - "documentation": "When vbr, does not insert null packets into transport stream to fill specified bitrate. The bitrate setting acts as the maximum bitrate when vbr is set." + "locationName": "url", + "documentation": "This represents the customer's source URL where stream is\npulled from." }, - "Scte27Pids": { + "Username": { "shape": "__string", - "locationName": "scte27Pids", - "documentation": "Packet Identifier (PID) for input source SCTE-27 data to this output. Multiple values are accepted, and can be entered in ranges and/or by comma separation. Can be entered as decimal or hexadecimal values. Each PID specified must be in the range of 32 (or 0x20)..8182 (or 0x1ff6)." - }, - "Scte35Control": { - "shape": "M2tsScte35Control", - "locationName": "scte35Control", - "documentation": "Optionally pass SCTE-35 signals from the input source to this output." - }, - "Scte35Pid": { + "locationName": "username", + "documentation": "The username for the input source." + } + }, + "documentation": "The settings for a PULL type input." + }, + "InputSourceEndBehavior": { + "type": "string", + "documentation": "Input Source End Behavior", + "enum": [ + "CONTINUE", + "LOOP" + ] + }, + "InputSourceRequest": { + "type": "structure", + "members": { + "PasswordParam": { "shape": "__string", - "locationName": "scte35Pid", - "documentation": "Packet Identifier (PID) of the SCTE-35 stream in the transport stream. Can be entered as a decimal or hexadecimal value. Valid values are 32 (or 0x20)..8182 (or 0x1ff6)." - }, - "SegmentationMarkers": { - "shape": "M2tsSegmentationMarkers", - "locationName": "segmentationMarkers", - "documentation": "Inserts segmentation markers at each segmentationTime period. raiSegstart sets the Random Access Indicator bit in the adaptation field. raiAdapt sets the RAI bit and adds the current timecode in the private data bytes. psiSegstart inserts PAT and PMT tables at the start of segments. ebp adds Encoder Boundary Point information to the adaptation field as per OpenCable specification OC-SP-EBP-I01-130118. ebpLegacy adds Encoder Boundary Point information to the adaptation field using a legacy proprietary format." - }, - "SegmentationStyle": { - "shape": "M2tsSegmentationStyle", - "locationName": "segmentationStyle", - "documentation": "The segmentation style parameter controls how segmentation markers are inserted into the transport stream. With avails, it is possible that segments may be truncated, which can influence where future segmentation markers are inserted.\n\nWhen a segmentation style of \"resetCadence\" is selected and a segment is truncated due to an avail, we will reset the segmentation cadence. This means the subsequent segment will have a duration of $segmentationTime seconds.\n\nWhen a segmentation style of \"maintainCadence\" is selected and a segment is truncated due to an avail, we will not reset the segmentation cadence. This means the subsequent segment will likely be truncated as well. However, all segments after that will have a duration of $segmentationTime seconds. Note that EBP lookahead is a slight exception to this rule." - }, - "SegmentationTime": { - "shape": "__doubleMin1", - "locationName": "segmentationTime", - "documentation": "The length in seconds of each segment. Required unless markers is set to _none_." - }, - "TimedMetadataBehavior": { - "shape": "M2tsTimedMetadataBehavior", - "locationName": "timedMetadataBehavior", - "documentation": "When set to passthrough, timed metadata will be passed through from input to output." + "locationName": "passwordParam", + "documentation": "The key used to extract the password from EC2 Parameter store." }, - "TimedMetadataPid": { + "Url": { "shape": "__string", - "locationName": "timedMetadataPid", - "documentation": "Packet Identifier (PID) of the timed metadata stream in the transport stream. Can be entered as a decimal or hexadecimal value. Valid values are 32 (or 0x20)..8182 (or 0x1ff6)." - }, - "TransportStreamId": { - "shape": "__integerMin0Max65535", - "locationName": "transportStreamId", - "documentation": "The value of the transport stream ID field in the Program Map Table." + "locationName": "url", + "documentation": "This represents the customer's source URL where stream is\npulled from." }, - "VideoPid": { + "Username": { "shape": "__string", - "locationName": "videoPid", - "documentation": "Packet Identifier (PID) of the elementary video stream in the transport stream. Can be entered as a decimal or hexadecimal value. Valid values are 32 (or 0x20)..8182 (or 0x1ff6)." - }, - "Scte35PrerollPullupMilliseconds": { - "shape": "__doubleMin0Max5000", - "locationName": "scte35PrerollPullupMilliseconds", - "documentation": "Defines the amount SCTE-35 preroll will be increased (in milliseconds) on the output. Preroll is the amount of time between the presence of a SCTE-35 indication in a transport stream and the PTS of the video frame it references. Zero means don't add pullup (it doesn't mean set the preroll to zero). Negative pullup is not supported, which means that you can't make the preroll shorter. Be aware that latency in the output will increase by the pullup amount." + "locationName": "username", + "documentation": "The username for the input source." } }, - "documentation": "M2ts Settings" + "documentation": "Settings for for a PULL type input." }, - "M2tsTimedMetadataBehavior": { + "InputSourceType": { "type": "string", - "documentation": "M2ts Timed Metadata Behavior", + "documentation": "There are two types of input sources, static and dynamic. If an input source is dynamic you can\nchange the source url of the input dynamically using an input switch action. Currently, two input types\nsupport a dynamic url at this time, MP4_FILE and TS_FILE. By default all input sources are static.", "enum": [ - "NO_PASSTHROUGH", - "PASSTHROUGH" + "STATIC", + "DYNAMIC" ] }, - "M3u8KlvBehavior": { - "type": "string", - "documentation": "M3u8 Klv Behavior", - "enum": [ - "NO_PASSTHROUGH", - "PASSTHROUGH" - ] + "InputSpecification": { + "type": "structure", + "members": { + "Codec": { + "shape": "InputCodec", + "locationName": "codec", + "documentation": "Input codec" + }, + "MaximumBitrate": { + "shape": "InputMaximumBitrate", + "locationName": "maximumBitrate", + "documentation": "Maximum input bitrate, categorized coarsely" + }, + "Resolution": { + "shape": "InputResolution", + "locationName": "resolution", + "documentation": "Input resolution, categorized coarsely" + } + }, + "documentation": "Placeholder documentation for InputSpecification" }, - "M3u8NielsenId3Behavior": { + "InputState": { "type": "string", - "documentation": "M3u8 Nielsen Id3 Behavior", "enum": [ - "NO_PASSTHROUGH", - "PASSTHROUGH" + "CREATING", + "DETACHED", + "ATTACHED", + "DELETING", + "DELETED" + ], + "documentation": "Placeholder documentation for InputState" + }, + "InputSwitchScheduleActionSettings": { + "type": "structure", + "members": { + "InputAttachmentNameReference": { + "shape": "__string", + "locationName": "inputAttachmentNameReference", + "documentation": "The name of the input attachment (not the name of the input!) to switch to. The name is specified in the channel configuration." + }, + "InputClippingSettings": { + "shape": "InputClippingSettings", + "locationName": "inputClippingSettings", + "documentation": "Settings to let you create a clip of the file input, in order to set up the input to ingest only a portion of the file." + }, + "UrlPath": { + "shape": "__listOf__string", + "locationName": "urlPath", + "documentation": "The value for the variable portion of the URL for the dynamic input, for this instance of the input. Each time you use the same dynamic input in an input switch action, you can provide a different value, in order to connect the input to a different content source." + } + }, + "documentation": "Settings for the \"switch input\" action: to switch from ingesting one input to ingesting another input.", + "required": [ + "InputAttachmentNameReference" ] }, - "M3u8PcrControl": { + "InputTimecodeSource": { "type": "string", - "documentation": "M3u8 Pcr Control", + "documentation": "Documentation update needed", "enum": [ - "CONFIGURED_PCR_PERIOD", - "PCR_EVERY_PES_PACKET" + "ZEROBASED", + "EMBEDDED" ] }, - "M3u8Scte35Behavior": { + "InputType": { "type": "string", - "documentation": "M3u8 Scte35 Behavior", + "documentation": "The different types of inputs that AWS Elemental MediaLive supports.", "enum": [ - "NO_PASSTHROUGH", - "PASSTHROUGH" + "UDP_PUSH", + "RTP_PUSH", + "RTMP_PUSH", + "RTMP_PULL", + "URL_PULL", + "MP4_FILE", + "MEDIACONNECT", + "INPUT_DEVICE", + "AWS_CDI", + "TS_FILE", + "SRT_CALLER", + "MULTICAST" ] }, - "M3u8Settings": { + "InputVpcRequest": { "type": "structure", "members": { - "AudioFramesPerPes": { - "shape": "__integerMin0", - "locationName": "audioFramesPerPes", - "documentation": "The number of audio frames to insert for each PES packet." - }, - "AudioPids": { - "shape": "__string", - "locationName": "audioPids", - "documentation": "Packet Identifier (PID) of the elementary audio stream(s) in the transport stream. Multiple values are accepted, and can be entered in ranges and/or by comma separation. Can be entered as decimal or hexadecimal values." - }, - "EcmPid": { - "shape": "__string", - "locationName": "ecmPid", - "documentation": "This parameter is unused and deprecated." - }, - "NielsenId3Behavior": { - "shape": "M3u8NielsenId3Behavior", - "locationName": "nielsenId3Behavior", - "documentation": "If set to passthrough, Nielsen inaudible tones for media tracking will be detected in the input audio and an equivalent ID3 tag will be inserted in the output." - }, - "PatInterval": { - "shape": "__integerMin0Max1000", - "locationName": "patInterval", - "documentation": "The number of milliseconds between instances of this table in the output transport stream. A value of \\\"0\\\" writes out the PMT once per segment file." - }, - "PcrControl": { - "shape": "M3u8PcrControl", - "locationName": "pcrControl", - "documentation": "When set to pcrEveryPesPacket, a Program Clock Reference value is inserted for every Packetized Elementary Stream (PES) header. This parameter is effective only when the PCR PID is the same as the video or audio elementary stream." - }, - "PcrPeriod": { - "shape": "__integerMin0Max500", - "locationName": "pcrPeriod", - "documentation": "Maximum time in milliseconds between Program Clock References (PCRs) inserted into the transport stream." - }, - "PcrPid": { - "shape": "__string", - "locationName": "pcrPid", - "documentation": "Packet Identifier (PID) of the Program Clock Reference (PCR) in the transport stream. When no value is given, the encoder will assign the same value as the Video PID. Can be entered as a decimal or hexadecimal value." - }, - "PmtInterval": { - "shape": "__integerMin0Max1000", - "locationName": "pmtInterval", - "documentation": "The number of milliseconds between instances of this table in the output transport stream. A value of \\\"0\\\" writes out the PMT once per segment file." - }, - "PmtPid": { - "shape": "__string", - "locationName": "pmtPid", - "documentation": "Packet Identifier (PID) for the Program Map Table (PMT) in the transport stream. Can be entered as a decimal or hexadecimal value." - }, - "ProgramNum": { - "shape": "__integerMin0Max65535", - "locationName": "programNum", - "documentation": "The value of the program number field in the Program Map Table." - }, - "Scte35Behavior": { - "shape": "M3u8Scte35Behavior", - "locationName": "scte35Behavior", - "documentation": "If set to passthrough, passes any SCTE-35 signals from the input source to this output." - }, - "Scte35Pid": { - "shape": "__string", - "locationName": "scte35Pid", - "documentation": "Packet Identifier (PID) of the SCTE-35 stream in the transport stream. Can be entered as a decimal or hexadecimal value." - }, - "TimedMetadataBehavior": { - "shape": "M3u8TimedMetadataBehavior", - "locationName": "timedMetadataBehavior", - "documentation": "When set to passthrough, timed metadata is passed through from input to output." - }, - "TimedMetadataPid": { - "shape": "__string", - "locationName": "timedMetadataPid", - "documentation": "Packet Identifier (PID) of the timed metadata stream in the transport stream. Can be entered as a decimal or hexadecimal value. Valid values are 32 (or 0x20)..8182 (or 0x1ff6)." - }, - "TransportStreamId": { - "shape": "__integerMin0Max65535", - "locationName": "transportStreamId", - "documentation": "The value of the transport stream ID field in the Program Map Table." - }, - "VideoPid": { - "shape": "__string", - "locationName": "videoPid", - "documentation": "Packet Identifier (PID) of the elementary video stream in the transport stream. Can be entered as a decimal or hexadecimal value." - }, - "KlvBehavior": { - "shape": "M3u8KlvBehavior", - "locationName": "klvBehavior", - "documentation": "If set to passthrough, passes any KLV data from the input source to this output." + "SecurityGroupIds": { + "shape": "__listOf__string", + "locationName": "securityGroupIds", + "documentation": "A list of up to 5 EC2 VPC security group IDs to attach to the Input VPC network interfaces.\nRequires subnetIds. If none are specified then the VPC default security group will be used." }, - "KlvDataPids": { - "shape": "__string", - "locationName": "klvDataPids", - "documentation": "Packet Identifier (PID) for input source KLV data to this output. Multiple values are accepted, and can be entered in ranges and/or by comma separation. Can be entered as decimal or hexadecimal values. Each PID specified must be in the range of 32 (or 0x20)..8182 (or 0x1ff6)." + "SubnetIds": { + "shape": "__listOf__string", + "locationName": "subnetIds", + "documentation": "A list of 2 VPC subnet IDs from the same VPC.\nSubnet IDs must be mapped to two unique availability zones (AZ)." } }, - "documentation": "Settings information for the .m3u8 container" - }, - "M3u8TimedMetadataBehavior": { - "type": "string", - "documentation": "M3u8 Timed Metadata Behavior", - "enum": [ - "NO_PASSTHROUGH", - "PASSTHROUGH" + "documentation": "Settings for a private VPC Input.\nWhen this property is specified, the input destination addresses will be created in a VPC rather than with public Internet addresses.\nThis property requires setting the roleArn property on Input creation.\nNot compatible with the inputSecurityGroups property.", + "required": [ + "SubnetIds" ] }, - "MaintenanceCreateSettings": { + "InputWhitelistRule": { "type": "structure", "members": { - "MaintenanceDay": { - "shape": "MaintenanceDay", - "locationName": "maintenanceDay", - "documentation": "Choose one day of the week for maintenance. The chosen day is used for all future maintenance windows." - }, - "MaintenanceStartTime": { - "shape": "__stringPattern010920300", - "locationName": "maintenanceStartTime", - "documentation": "Choose the hour that maintenance will start. The chosen time is used for all future maintenance windows." + "Cidr": { + "shape": "__string", + "locationName": "cidr", + "documentation": "The IPv4 CIDR that's whitelisted." } }, - "documentation": "Placeholder documentation for MaintenanceCreateSettings" - }, - "MaintenanceDay": { - "type": "string", - "documentation": "The currently selected maintenance day.", - "enum": [ - "MONDAY", - "TUESDAY", - "WEDNESDAY", - "THURSDAY", - "FRIDAY", - "SATURDAY", - "SUNDAY" - ] + "documentation": "Whitelist rule" }, - "MaintenanceStatus": { + "InputWhitelistRuleCidr": { "type": "structure", "members": { - "MaintenanceDay": { - "shape": "MaintenanceDay", - "locationName": "maintenanceDay", - "documentation": "The currently selected maintenance day." - }, - "MaintenanceDeadline": { - "shape": "__string", - "locationName": "maintenanceDeadline", - "documentation": "Maintenance is required by the displayed date and time. Date and time is in ISO." - }, - "MaintenanceScheduledDate": { - "shape": "__string", - "locationName": "maintenanceScheduledDate", - "documentation": "The currently scheduled maintenance date and time. Date and time is in ISO." - }, - "MaintenanceStartTime": { + "Cidr": { "shape": "__string", - "locationName": "maintenanceStartTime", - "documentation": "The currently selected maintenance start time. Time is in UTC." + "locationName": "cidr", + "documentation": "The IPv4 CIDR to whitelist." } }, - "documentation": "Placeholder documentation for MaintenanceStatus" + "documentation": "An IPv4 CIDR to whitelist." }, - "MaintenanceUpdateSettings": { + "InternalServerErrorException": { "type": "structure", "members": { - "MaintenanceDay": { - "shape": "MaintenanceDay", - "locationName": "maintenanceDay", - "documentation": "Choose one day of the week for maintenance. The chosen day is used for all future maintenance windows." - }, - "MaintenanceScheduledDate": { + "Message": { "shape": "__string", - "locationName": "maintenanceScheduledDate", - "documentation": "Choose a specific date for maintenance to occur. The chosen date is used for the next maintenance window only." - }, - "MaintenanceStartTime": { - "shape": "__stringPattern010920300", - "locationName": "maintenanceStartTime", - "documentation": "Choose the hour that maintenance will start. The chosen time is used for all future maintenance windows." + "locationName": "message" } }, - "documentation": "Placeholder documentation for MaintenanceUpdateSettings" - }, - "MaxResults": { - "type": "integer", - "min": 1, - "max": 1000, - "documentation": "Placeholder documentation for MaxResults" + "exception": true, + "error": { + "httpStatusCode": 500 + }, + "documentation": "Placeholder documentation for InternalServerErrorException" }, - "MediaConnectFlow": { + "InternalServiceError": { "type": "structure", "members": { - "FlowArn": { + "Message": { "shape": "__string", - "locationName": "flowArn", - "documentation": "The unique ARN of the MediaConnect Flow being used as a source." + "locationName": "message" } }, - "documentation": "The settings for a MediaConnect Flow." + "documentation": "Placeholder documentation for InternalServiceError" }, - "MediaConnectFlowRequest": { + "InvalidRequest": { "type": "structure", "members": { - "FlowArn": { + "Message": { "shape": "__string", - "locationName": "flowArn", - "documentation": "The ARN of the MediaConnect Flow that you want to use as a source." + "locationName": "message" } }, - "documentation": "The settings for a MediaConnect Flow." + "documentation": "Placeholder documentation for InvalidRequest" }, - "MediaPackageGroupSettings": { + "KeyProviderSettings": { "type": "structure", "members": { - "Destination": { - "shape": "OutputLocationRef", - "locationName": "destination", - "documentation": "MediaPackage channel destination." + "StaticKeySettings": { + "shape": "StaticKeySettings", + "locationName": "staticKeySettings" } }, - "documentation": "Media Package Group Settings", - "required": [ - "Destination" + "documentation": "Key Provider Settings" + }, + "LastFrameClippingBehavior": { + "type": "string", + "documentation": "If you specify a StopTimecode in an input (in order to clip the file), you can specify if you want the clip to exclude (the default) or include the frame specified by the timecode.", + "enum": [ + "EXCLUDE_LAST_FRAME", + "INCLUDE_LAST_FRAME" ] }, - "MediaPackageOutputDestinationSettings": { + "LimitExceeded": { "type": "structure", "members": { - "ChannelId": { - "shape": "__stringMin1", - "locationName": "channelId", - "documentation": "ID of the channel in MediaPackage that is the destination for this output group. You do not need to specify the individual inputs in MediaPackage; MediaLive will handle the connection of the two MediaLive pipelines to the two MediaPackage inputs. The MediaPackage channel and MediaLive channel must be in the same region." + "Message": { + "shape": "__string", + "locationName": "message" } }, - "documentation": "MediaPackage Output Destination Settings" + "documentation": "Placeholder documentation for LimitExceeded" }, - "MediaPackageOutputSettings": { + "ListChannelsRequest": { "type": "structure", "members": { + "MaxResults": { + "shape": "MaxResults", + "location": "querystring", + "locationName": "maxResults" + }, + "NextToken": { + "shape": "__string", + "location": "querystring", + "locationName": "nextToken" + } }, - "documentation": "Media Package Output Settings" + "documentation": "Placeholder documentation for ListChannelsRequest" }, - "MotionGraphicsActivateScheduleActionSettings": { + "ListChannelsResponse": { "type": "structure", "members": { - "Duration": { - "shape": "__longMin0Max86400000", - "locationName": "duration", - "documentation": "Duration (in milliseconds) that motion graphics should render on to the video stream. Leaving out this property or setting to 0 will result in rendering continuing until a deactivate action is processed." - }, - "PasswordParam": { - "shape": "__string", - "locationName": "passwordParam", - "documentation": "Key used to extract the password from EC2 Parameter store" + "Channels": { + "shape": "__listOfChannelSummary", + "locationName": "channels" }, - "Url": { + "NextToken": { "shape": "__string", - "locationName": "url", - "documentation": "URI of the HTML5 content to be rendered into the live stream." + "locationName": "nextToken" + } + }, + "documentation": "Placeholder documentation for ListChannelsResponse" + }, + "ListChannelsResultModel": { + "type": "structure", + "members": { + "Channels": { + "shape": "__listOfChannelSummary", + "locationName": "channels" }, - "Username": { + "NextToken": { "shape": "__string", - "locationName": "username", - "documentation": "Documentation update needed" + "locationName": "nextToken" } }, - "documentation": "Settings to specify the rendering of motion graphics into the video stream." + "documentation": "Placeholder documentation for ListChannelsResultModel" }, - "MotionGraphicsConfiguration": { + "ListInputDeviceTransfersRequest": { "type": "structure", "members": { - "MotionGraphicsInsertion": { - "shape": "MotionGraphicsInsertion", - "locationName": "motionGraphicsInsertion" + "MaxResults": { + "shape": "MaxResults", + "location": "querystring", + "locationName": "maxResults" }, - "MotionGraphicsSettings": { - "shape": "MotionGraphicsSettings", - "locationName": "motionGraphicsSettings", - "documentation": "Motion Graphics Settings" + "NextToken": { + "shape": "__string", + "location": "querystring", + "locationName": "nextToken" + }, + "TransferType": { + "shape": "__string", + "location": "querystring", + "locationName": "transferType" } }, - "documentation": "Motion Graphics Configuration", "required": [ - "MotionGraphicsSettings" - ] + "TransferType" + ], + "documentation": "Placeholder documentation for ListInputDeviceTransfersRequest" }, - "MotionGraphicsDeactivateScheduleActionSettings": { + "ListInputDeviceTransfersResponse": { "type": "structure", "members": { + "InputDeviceTransfers": { + "shape": "__listOfTransferringInputDeviceSummary", + "locationName": "inputDeviceTransfers", + "documentation": "The list of devices that you are transferring or are being transferred to you." + }, + "NextToken": { + "shape": "__string", + "locationName": "nextToken", + "documentation": "A token to get additional list results." + } }, - "documentation": "Settings to specify the ending of rendering motion graphics into the video stream." - }, - "MotionGraphicsInsertion": { - "type": "string", - "documentation": "Motion Graphics Insertion", - "enum": [ - "DISABLED", - "ENABLED" - ] + "documentation": "Placeholder documentation for ListInputDeviceTransfersResponse" }, - "MotionGraphicsSettings": { + "ListInputDeviceTransfersResultModel": { "type": "structure", "members": { - "HtmlMotionGraphicsSettings": { - "shape": "HtmlMotionGraphicsSettings", - "locationName": "htmlMotionGraphicsSettings" + "InputDeviceTransfers": { + "shape": "__listOfTransferringInputDeviceSummary", + "locationName": "inputDeviceTransfers", + "documentation": "The list of devices that you are transferring or are being transferred to you." + }, + "NextToken": { + "shape": "__string", + "locationName": "nextToken", + "documentation": "A token to get additional list results." } }, - "documentation": "Motion Graphics Settings" + "documentation": "The list of input devices in the transferred state. The recipient hasn't yet accepted or rejected the transfer." }, - "Mp2CodingMode": { - "type": "string", - "documentation": "Mp2 Coding Mode", - "enum": [ - "CODING_MODE_1_0", - "CODING_MODE_2_0" - ] + "ListInputDevicesRequest": { + "type": "structure", + "members": { + "MaxResults": { + "shape": "MaxResults", + "location": "querystring", + "locationName": "maxResults" + }, + "NextToken": { + "shape": "__string", + "location": "querystring", + "locationName": "nextToken" + } + }, + "documentation": "Placeholder documentation for ListInputDevicesRequest" }, - "Mp2Settings": { + "ListInputDevicesResponse": { "type": "structure", "members": { - "Bitrate": { - "shape": "__double", - "locationName": "bitrate", - "documentation": "Average bitrate in bits/second." + "InputDevices": { + "shape": "__listOfInputDeviceSummary", + "locationName": "inputDevices", + "documentation": "The list of input devices." }, - "CodingMode": { - "shape": "Mp2CodingMode", - "locationName": "codingMode", - "documentation": "The MPEG2 Audio coding mode. Valid values are codingMode10 (for mono) or codingMode20 (for stereo)." + "NextToken": { + "shape": "__string", + "locationName": "nextToken", + "documentation": "A token to get additional list results." + } + }, + "documentation": "Placeholder documentation for ListInputDevicesResponse" + }, + "ListInputDevicesResultModel": { + "type": "structure", + "members": { + "InputDevices": { + "shape": "__listOfInputDeviceSummary", + "locationName": "inputDevices", + "documentation": "The list of input devices." }, - "SampleRate": { - "shape": "__double", - "locationName": "sampleRate", - "documentation": "Sample rate in Hz." + "NextToken": { + "shape": "__string", + "locationName": "nextToken", + "documentation": "A token to get additional list results." } }, - "documentation": "Mp2 Settings" + "documentation": "The list of input devices owned by the AWS account." }, - "Mpeg2AdaptiveQuantization": { - "type": "string", - "documentation": "Mpeg2 Adaptive Quantization", - "enum": [ - "AUTO", - "HIGH", - "LOW", - "MEDIUM", - "OFF" - ] - }, - "Mpeg2ColorMetadata": { - "type": "string", - "documentation": "Mpeg2 Color Metadata", - "enum": [ - "IGNORE", - "INSERT" - ] - }, - "Mpeg2ColorSpace": { - "type": "string", - "documentation": "Mpeg2 Color Space", - "enum": [ - "AUTO", - "PASSTHROUGH" - ] - }, - "Mpeg2DisplayRatio": { - "type": "string", - "documentation": "Mpeg2 Display Ratio", - "enum": [ - "DISPLAYRATIO16X9", - "DISPLAYRATIO4X3" - ] - }, - "Mpeg2FilterSettings": { + "ListInputSecurityGroupsRequest": { "type": "structure", "members": { - "TemporalFilterSettings": { - "shape": "TemporalFilterSettings", - "locationName": "temporalFilterSettings" + "MaxResults": { + "shape": "MaxResults", + "location": "querystring", + "locationName": "maxResults" + }, + "NextToken": { + "shape": "__string", + "location": "querystring", + "locationName": "nextToken" } }, - "documentation": "Mpeg2 Filter Settings" - }, - "Mpeg2GopSizeUnits": { - "type": "string", - "documentation": "Mpeg2 Gop Size Units", - "enum": [ - "FRAMES", - "SECONDS" - ] - }, - "Mpeg2ScanType": { - "type": "string", - "documentation": "Mpeg2 Scan Type", - "enum": [ - "INTERLACED", - "PROGRESSIVE" - ] + "documentation": "Placeholder documentation for ListInputSecurityGroupsRequest" }, - "Mpeg2Settings": { + "ListInputSecurityGroupsResponse": { "type": "structure", "members": { - "AdaptiveQuantization": { - "shape": "Mpeg2AdaptiveQuantization", - "locationName": "adaptiveQuantization", - "documentation": "Choose Off to disable adaptive quantization. Or choose another value to enable the quantizer and set its strength. The strengths are: Auto, Off, Low, Medium, High. When you enable this field, MediaLive allows intra-frame quantizers to vary, which might improve visual quality." - }, - "AfdSignaling": { - "shape": "AfdSignaling", - "locationName": "afdSignaling", - "documentation": "Indicates the AFD values that MediaLive will write into the video encode. If you do not know what AFD signaling is, or if your downstream system has not given you guidance, choose AUTO.\nAUTO: MediaLive will try to preserve the input AFD value (in cases where multiple AFD values are valid).\nFIXED: MediaLive will use the value you specify in fixedAFD." - }, - "ColorMetadata": { - "shape": "Mpeg2ColorMetadata", - "locationName": "colorMetadata", - "documentation": "Specifies whether to include the color space metadata. The metadata describes the color space that applies to the video (the colorSpace field). We recommend that you insert the metadata." - }, - "ColorSpace": { - "shape": "Mpeg2ColorSpace", - "locationName": "colorSpace", - "documentation": "Choose the type of color space conversion to apply to the output. For detailed information on setting up both the input and the output to obtain the desired color space in the output, see the section on \\\"MediaLive Features - Video - color space\\\" in the MediaLive User Guide.\nPASSTHROUGH: Keep the color space of the input content - do not convert it.\nAUTO:Convert all content that is SD to rec 601, and convert all content that is HD to rec 709." - }, - "DisplayAspectRatio": { - "shape": "Mpeg2DisplayRatio", - "locationName": "displayAspectRatio", - "documentation": "Sets the pixel aspect ratio for the encode." - }, - "FilterSettings": { - "shape": "Mpeg2FilterSettings", - "locationName": "filterSettings", - "documentation": "Optionally specify a noise reduction filter, which can improve quality of compressed content. If you do not choose a filter, no filter will be applied.\nTEMPORAL: This filter is useful for both source content that is noisy (when it has excessive digital artifacts) and source content that is clean.\nWhen the content is noisy, the filter cleans up the source content before the encoding phase, with these two effects: First, it improves the output video quality because the content has been cleaned up. Secondly, it decreases the bandwidth because MediaLive does not waste bits on encoding noise.\nWhen the content is reasonably clean, the filter tends to decrease the bitrate." - }, - "FixedAfd": { - "shape": "FixedAfd", - "locationName": "fixedAfd", - "documentation": "Complete this field only when afdSignaling is set to FIXED. Enter the AFD value (4 bits) to write on all frames of the video encode." - }, - "FramerateDenominator": { - "shape": "__integerMin1", - "locationName": "framerateDenominator", - "documentation": "description\": \"The framerate denominator. For example, 1001. The framerate is the numerator divided by the denominator. For example, 24000 / 1001 = 23.976 FPS." - }, - "FramerateNumerator": { - "shape": "__integerMin1", - "locationName": "framerateNumerator", - "documentation": "The framerate numerator. For example, 24000. The framerate is the numerator divided by the denominator. For example, 24000 / 1001 = 23.976 FPS." - }, - "GopClosedCadence": { - "shape": "__integerMin0", - "locationName": "gopClosedCadence", - "documentation": "MPEG2: default is open GOP." + "InputSecurityGroups": { + "shape": "__listOfInputSecurityGroup", + "locationName": "inputSecurityGroups", + "documentation": "List of input security groups" }, - "GopNumBFrames": { - "shape": "__integerMin0Max7", - "locationName": "gopNumBFrames", - "documentation": "Relates to the GOP structure. The number of B-frames between reference frames. If you do not know what a B-frame is, use the default." + "NextToken": { + "shape": "__string", + "locationName": "nextToken" + } + }, + "documentation": "Placeholder documentation for ListInputSecurityGroupsResponse" + }, + "ListInputSecurityGroupsResultModel": { + "type": "structure", + "members": { + "InputSecurityGroups": { + "shape": "__listOfInputSecurityGroup", + "locationName": "inputSecurityGroups", + "documentation": "List of input security groups" }, - "GopSize": { - "shape": "__double", - "locationName": "gopSize", - "documentation": "Relates to the GOP structure. The GOP size (keyframe interval) in the units specified in gopSizeUnits. If you do not know what GOP is, use the default.\nIf gopSizeUnits is frames, then the gopSize must be an integer and must be greater than or equal to 1.\nIf gopSizeUnits is seconds, the gopSize must be greater than 0, but does not need to be an integer." + "NextToken": { + "shape": "__string", + "locationName": "nextToken" + } + }, + "documentation": "Result of input security group list request" + }, + "ListInputsRequest": { + "type": "structure", + "members": { + "MaxResults": { + "shape": "MaxResults", + "location": "querystring", + "locationName": "maxResults" }, - "GopSizeUnits": { - "shape": "Mpeg2GopSizeUnits", - "locationName": "gopSizeUnits", - "documentation": "Relates to the GOP structure. Specifies whether the gopSize is specified in frames or seconds. If you do not plan to change the default gopSize, leave the default. If you specify SECONDS, MediaLive will internally convert the gop size to a frame count." + "NextToken": { + "shape": "__string", + "location": "querystring", + "locationName": "nextToken" + } + }, + "documentation": "Placeholder documentation for ListInputsRequest" + }, + "ListInputsResponse": { + "type": "structure", + "members": { + "Inputs": { + "shape": "__listOfInput", + "locationName": "inputs" }, - "ScanType": { - "shape": "Mpeg2ScanType", - "locationName": "scanType", - "documentation": "Set the scan type of the output to PROGRESSIVE or INTERLACED (top field first)." + "NextToken": { + "shape": "__string", + "locationName": "nextToken" + } + }, + "documentation": "Placeholder documentation for ListInputsResponse" + }, + "ListInputsResultModel": { + "type": "structure", + "members": { + "Inputs": { + "shape": "__listOfInput", + "locationName": "inputs" }, - "SubgopLength": { - "shape": "Mpeg2SubGopLength", - "locationName": "subgopLength", - "documentation": "Relates to the GOP structure. If you do not know what GOP is, use the default.\nFIXED: Set the number of B-frames in each sub-GOP to the value in gopNumBFrames.\nDYNAMIC: Let MediaLive optimize the number of B-frames in each sub-GOP, to improve visual quality." + "NextToken": { + "shape": "__string", + "locationName": "nextToken" + } + }, + "documentation": "Placeholder documentation for ListInputsResultModel" + }, + "ListMultiplexProgramsRequest": { + "type": "structure", + "members": { + "MaxResults": { + "shape": "MaxResults", + "location": "querystring", + "locationName": "maxResults", + "documentation": "The maximum number of items to return." }, - "TimecodeInsertion": { - "shape": "Mpeg2TimecodeInsertionBehavior", - "locationName": "timecodeInsertion", - "documentation": "Determines how MediaLive inserts timecodes in the output video. For detailed information about setting up the input and the output for a timecode, see the section on \\\"MediaLive Features - Timecode configuration\\\" in the MediaLive User Guide.\nDISABLED: do not include timecodes.\nGOP_TIMECODE: Include timecode metadata in the GOP header." + "MultiplexId": { + "shape": "__string", + "location": "uri", + "locationName": "multiplexId", + "documentation": "The ID of the multiplex that the programs belong to." }, - "TimecodeBurninSettings": { - "shape": "TimecodeBurninSettings", - "locationName": "timecodeBurninSettings", - "documentation": "Timecode burn-in settings" + "NextToken": { + "shape": "__string", + "location": "querystring", + "locationName": "nextToken", + "documentation": "The token to retrieve the next page of results." } }, - "documentation": "Mpeg2 Settings", "required": [ - "FramerateNumerator", - "FramerateDenominator" - ] - }, - "Mpeg2SubGopLength": { - "type": "string", - "documentation": "Mpeg2 Sub Gop Length", - "enum": [ - "DYNAMIC", - "FIXED" - ] - }, - "Mpeg2TimecodeInsertionBehavior": { - "type": "string", - "documentation": "Mpeg2 Timecode Insertion Behavior", - "enum": [ - "DISABLED", - "GOP_TIMECODE" - ] + "MultiplexId" + ], + "documentation": "Placeholder documentation for ListMultiplexProgramsRequest" }, - "MsSmoothGroupSettings": { + "ListMultiplexProgramsResponse": { "type": "structure", "members": { - "AcquisitionPointId": { - "shape": "__string", - "locationName": "acquisitionPointId", - "documentation": "The ID to include in each message in the sparse track. Ignored if sparseTrackType is NONE." + "MultiplexPrograms": { + "shape": "__listOfMultiplexProgramSummary", + "locationName": "multiplexPrograms", + "documentation": "List of multiplex programs." }, - "AudioOnlyTimecodeControl": { - "shape": "SmoothGroupAudioOnlyTimecodeControl", - "locationName": "audioOnlyTimecodeControl", - "documentation": "If set to passthrough for an audio-only MS Smooth output, the fragment absolute time will be set to the current timecode. This option does not write timecodes to the audio elementary stream." - }, - "CertificateMode": { - "shape": "SmoothGroupCertificateMode", - "locationName": "certificateMode", - "documentation": "If set to verifyAuthenticity, verify the https certificate chain to a trusted Certificate Authority (CA). This will cause https outputs to self-signed certificates to fail." - }, - "ConnectionRetryInterval": { - "shape": "__integerMin0", - "locationName": "connectionRetryInterval", - "documentation": "Number of seconds to wait before retrying connection to the IIS server if the connection is lost. Content will be cached during this time and the cache will be be delivered to the IIS server once the connection is re-established." - }, - "Destination": { - "shape": "OutputLocationRef", - "locationName": "destination", - "documentation": "Smooth Streaming publish point on an IIS server. Elemental Live acts as a \"Push\" encoder to IIS." - }, - "EventId": { - "shape": "__string", - "locationName": "eventId", - "documentation": "MS Smooth event ID to be sent to the IIS server.\n\nShould only be specified if eventIdMode is set to useConfigured." - }, - "EventIdMode": { - "shape": "SmoothGroupEventIdMode", - "locationName": "eventIdMode", - "documentation": "Specifies whether or not to send an event ID to the IIS server. If no event ID is sent and the same Live Event is used without changing the publishing point, clients might see cached video from the previous run.\n\nOptions:\n- \"useConfigured\" - use the value provided in eventId\n- \"useTimestamp\" - generate and send an event ID based on the current timestamp\n- \"noEventId\" - do not send an event ID to the IIS server." - }, - "EventStopBehavior": { - "shape": "SmoothGroupEventStopBehavior", - "locationName": "eventStopBehavior", - "documentation": "When set to sendEos, send EOS signal to IIS server when stopping the event" - }, - "FilecacheDuration": { - "shape": "__integerMin0", - "locationName": "filecacheDuration", - "documentation": "Size in seconds of file cache for streaming outputs." - }, - "FragmentLength": { - "shape": "__integerMin1", - "locationName": "fragmentLength", - "documentation": "Length of mp4 fragments to generate (in seconds). Fragment length must be compatible with GOP size and framerate." - }, - "InputLossAction": { - "shape": "InputLossActionForMsSmoothOut", - "locationName": "inputLossAction", - "documentation": "Parameter that control output group behavior on input loss." - }, - "NumRetries": { - "shape": "__integerMin0", - "locationName": "numRetries", - "documentation": "Number of retry attempts." - }, - "RestartDelay": { - "shape": "__integerMin0", - "locationName": "restartDelay", - "documentation": "Number of seconds before initiating a restart due to output failure, due to exhausting the numRetries on one segment, or exceeding filecacheDuration." - }, - "SegmentationMode": { - "shape": "SmoothGroupSegmentationMode", - "locationName": "segmentationMode", - "documentation": "useInputSegmentation has been deprecated. The configured segment size is always used." - }, - "SendDelayMs": { - "shape": "__integerMin0Max10000", - "locationName": "sendDelayMs", - "documentation": "Number of milliseconds to delay the output from the second pipeline." - }, - "SparseTrackType": { - "shape": "SmoothGroupSparseTrackType", - "locationName": "sparseTrackType", - "documentation": "Identifies the type of data to place in the sparse track:\n- SCTE35: Insert SCTE-35 messages from the source content. With each message, insert an IDR frame to start a new segment.\n- SCTE35_WITHOUT_SEGMENTATION: Insert SCTE-35 messages from the source content. With each message, insert an IDR frame but don't start a new segment.\n- NONE: Don't generate a sparse track for any outputs in this output group." - }, - "StreamManifestBehavior": { - "shape": "SmoothGroupStreamManifestBehavior", - "locationName": "streamManifestBehavior", - "documentation": "When set to send, send stream manifest so publishing point doesn't start until all streams start." - }, - "TimestampOffset": { + "NextToken": { "shape": "__string", - "locationName": "timestampOffset", - "documentation": "Timestamp offset for the event. Only used if timestampOffsetMode is set to useConfiguredOffset." - }, - "TimestampOffsetMode": { - "shape": "SmoothGroupTimestampOffsetMode", - "locationName": "timestampOffsetMode", - "documentation": "Type of timestamp date offset to use.\n- useEventStartDate: Use the date the event was started as the offset\n- useConfiguredOffset: Use an explicitly configured date as the offset" + "locationName": "nextToken", + "documentation": "Token for the next ListMultiplexProgram request." } }, - "documentation": "Ms Smooth Group Settings", - "required": [ - "Destination" - ] - }, - "MsSmoothH265PackagingType": { - "type": "string", - "documentation": "Ms Smooth H265 Packaging Type", - "enum": [ - "HEV1", - "HVC1" - ] + "documentation": "Placeholder documentation for ListMultiplexProgramsResponse" }, - "MsSmoothOutputSettings": { + "ListMultiplexProgramsResultModel": { "type": "structure", "members": { - "H265PackagingType": { - "shape": "MsSmoothH265PackagingType", - "locationName": "h265PackagingType", - "documentation": "Only applicable when this output is referencing an H.265 video description.\nSpecifies whether MP4 segments should be packaged as HEV1 or HVC1." + "MultiplexPrograms": { + "shape": "__listOfMultiplexProgramSummary", + "locationName": "multiplexPrograms", + "documentation": "List of multiplex programs." }, - "NameModifier": { + "NextToken": { "shape": "__string", - "locationName": "nameModifier", - "documentation": "String concatenated to the end of the destination filename. Required for multiple outputs of the same type." + "locationName": "nextToken", + "documentation": "Token for the next ListMultiplexProgram request." } }, - "documentation": "Ms Smooth Output Settings" + "documentation": "Placeholder documentation for ListMultiplexProgramsResultModel" }, - "Multiplex": { + "ListMultiplexesRequest": { "type": "structure", "members": { - "Arn": { - "shape": "__string", - "locationName": "arn", - "documentation": "The unique arn of the multiplex." - }, - "AvailabilityZones": { - "shape": "__listOf__string", - "locationName": "availabilityZones", - "documentation": "A list of availability zones for the multiplex." - }, - "Destinations": { - "shape": "__listOfMultiplexOutputDestination", - "locationName": "destinations", - "documentation": "A list of the multiplex output destinations." - }, - "Id": { - "shape": "__string", - "locationName": "id", - "documentation": "The unique id of the multiplex." - }, - "MultiplexSettings": { - "shape": "MultiplexSettings", - "locationName": "multiplexSettings", - "documentation": "Configuration for a multiplex event." + "MaxResults": { + "shape": "MaxResults", + "location": "querystring", + "locationName": "maxResults", + "documentation": "The maximum number of items to return." }, - "Name": { + "NextToken": { "shape": "__string", - "locationName": "name", - "documentation": "The name of the multiplex." - }, - "PipelinesRunningCount": { - "shape": "__integer", - "locationName": "pipelinesRunningCount", - "documentation": "The number of currently healthy pipelines." - }, - "ProgramCount": { - "shape": "__integer", - "locationName": "programCount", - "documentation": "The number of programs in the multiplex." - }, - "State": { - "shape": "MultiplexState", - "locationName": "state", - "documentation": "The current state of the multiplex." - }, - "Tags": { - "shape": "Tags", - "locationName": "tags", - "documentation": "A collection of key-value pairs." + "location": "querystring", + "locationName": "nextToken", + "documentation": "The token to retrieve the next page of results." } }, - "documentation": "The multiplex object." + "documentation": "Placeholder documentation for ListMultiplexesRequest" }, - "MultiplexConfigurationValidationError": { + "ListMultiplexesResponse": { "type": "structure", "members": { - "Message": { - "shape": "__string", - "locationName": "message", - "documentation": "The error message." + "Multiplexes": { + "shape": "__listOfMultiplexSummary", + "locationName": "multiplexes", + "documentation": "List of multiplexes." }, - "ValidationErrors": { - "shape": "__listOfValidationError", - "locationName": "validationErrors", - "documentation": "A collection of validation error responses." - } - }, - "documentation": "Placeholder documentation for MultiplexConfigurationValidationError" - }, - "MultiplexGroupSettings": { - "type": "structure", - "members": { - }, - "documentation": "Multiplex Group Settings" - }, - "MultiplexMediaConnectOutputDestinationSettings": { - "type": "structure", - "members": { - "EntitlementArn": { - "shape": "__stringMin1", - "locationName": "entitlementArn", - "documentation": "The MediaConnect entitlement ARN available as a Flow source." - } - }, - "documentation": "Multiplex MediaConnect output destination settings." - }, - "MultiplexOutputDestination": { - "type": "structure", - "members": { - "MediaConnectSettings": { - "shape": "MultiplexMediaConnectOutputDestinationSettings", - "locationName": "mediaConnectSettings", - "documentation": "Multiplex MediaConnect output destination settings." + "NextToken": { + "shape": "__string", + "locationName": "nextToken", + "documentation": "Token for the next ListMultiplexes request." } }, - "documentation": "Multiplex output destination settings" + "documentation": "Placeholder documentation for ListMultiplexesResponse" }, - "MultiplexOutputSettings": { + "ListMultiplexesResultModel": { "type": "structure", "members": { - "Destination": { - "shape": "OutputLocationRef", - "locationName": "destination", - "documentation": "Destination is a Multiplex." + "Multiplexes": { + "shape": "__listOfMultiplexSummary", + "locationName": "multiplexes", + "documentation": "List of multiplexes." + }, + "NextToken": { + "shape": "__string", + "locationName": "nextToken", + "documentation": "Token for the next ListMultiplexes request." } }, - "documentation": "Multiplex Output Settings", - "required": [ - "Destination" - ] + "documentation": "Placeholder documentation for ListMultiplexesResultModel" }, - "MultiplexProgram": { + "ListOfferingsRequest": { "type": "structure", "members": { - "ChannelId": { + "ChannelClass": { "shape": "__string", - "locationName": "channelId", - "documentation": "The MediaLive channel associated with the program." + "location": "querystring", + "locationName": "channelClass", + "documentation": "Filter by channel class, 'STANDARD' or 'SINGLE_PIPELINE'" }, - "MultiplexProgramSettings": { - "shape": "MultiplexProgramSettings", - "locationName": "multiplexProgramSettings", - "documentation": "The settings for this multiplex program." + "ChannelConfiguration": { + "shape": "__string", + "location": "querystring", + "locationName": "channelConfiguration", + "documentation": "Filter to offerings that match the configuration of an existing channel, e.g. '2345678' (a channel ID)" }, - "PacketIdentifiersMap": { - "shape": "MultiplexProgramPacketIdentifiersMap", - "locationName": "packetIdentifiersMap", - "documentation": "The packet identifier map for this multiplex program." + "Codec": { + "shape": "__string", + "location": "querystring", + "locationName": "codec", + "documentation": "Filter by codec, 'AVC', 'HEVC', 'MPEG2', 'AUDIO', 'LINK', or 'AV1'" }, - "PipelineDetails": { - "shape": "__listOfMultiplexProgramPipelineDetail", - "locationName": "pipelineDetails", - "documentation": "Contains information about the current sources for the specified program in the specified multiplex. Keep in mind that each multiplex pipeline connects to both pipelines in a given source channel (the channel identified by the program). But only one of those channel pipelines is ever active at one time." + "Duration": { + "shape": "__string", + "location": "querystring", + "locationName": "duration", + "documentation": "Filter by offering duration, e.g. '12'" }, - "ProgramName": { + "MaxResults": { + "shape": "MaxResults", + "location": "querystring", + "locationName": "maxResults" + }, + "MaximumBitrate": { "shape": "__string", - "locationName": "programName", - "documentation": "The name of the multiplex program." + "location": "querystring", + "locationName": "maximumBitrate", + "documentation": "Filter by bitrate, 'MAX_10_MBPS', 'MAX_20_MBPS', or 'MAX_50_MBPS'" + }, + "MaximumFramerate": { + "shape": "__string", + "location": "querystring", + "locationName": "maximumFramerate", + "documentation": "Filter by framerate, 'MAX_30_FPS' or 'MAX_60_FPS'" + }, + "NextToken": { + "shape": "__string", + "location": "querystring", + "locationName": "nextToken" + }, + "Resolution": { + "shape": "__string", + "location": "querystring", + "locationName": "resolution", + "documentation": "Filter by resolution, 'SD', 'HD', 'FHD', or 'UHD'" + }, + "ResourceType": { + "shape": "__string", + "location": "querystring", + "locationName": "resourceType", + "documentation": "Filter by resource type, 'INPUT', 'OUTPUT', 'MULTIPLEX', or 'CHANNEL'" + }, + "SpecialFeature": { + "shape": "__string", + "location": "querystring", + "locationName": "specialFeature", + "documentation": "Filter by special feature, 'ADVANCED_AUDIO' or 'AUDIO_NORMALIZATION'" + }, + "VideoQuality": { + "shape": "__string", + "location": "querystring", + "locationName": "videoQuality", + "documentation": "Filter by video quality, 'STANDARD', 'ENHANCED', or 'PREMIUM'" } }, - "documentation": "The multiplex program object." + "documentation": "Placeholder documentation for ListOfferingsRequest" }, - "MultiplexProgramChannelDestinationSettings": { + "ListOfferingsResponse": { "type": "structure", "members": { - "MultiplexId": { - "shape": "__stringMin1", - "locationName": "multiplexId", - "documentation": "The ID of the Multiplex that the encoder is providing output to. You do not need to specify the individual inputs to the Multiplex; MediaLive will handle the connection of the two MediaLive pipelines to the two Multiplex instances.\nThe Multiplex must be in the same region as the Channel." + "NextToken": { + "shape": "__string", + "locationName": "nextToken", + "documentation": "Token to retrieve the next page of results" }, - "ProgramName": { - "shape": "__stringMin1", - "locationName": "programName", - "documentation": "The program name of the Multiplex program that the encoder is providing output to." + "Offerings": { + "shape": "__listOfOffering", + "locationName": "offerings", + "documentation": "List of offerings" } }, - "documentation": "Multiplex Program Input Destination Settings for outputting a Channel to a Multiplex" + "documentation": "Placeholder documentation for ListOfferingsResponse" }, - "MultiplexProgramPacketIdentifiersMap": { + "ListOfferingsResultModel": { "type": "structure", "members": { - "AudioPids": { - "shape": "__listOf__integer", - "locationName": "audioPids" - }, - "DvbSubPids": { - "shape": "__listOf__integer", - "locationName": "dvbSubPids" - }, - "DvbTeletextPid": { - "shape": "__integer", - "locationName": "dvbTeletextPid" - }, - "EtvPlatformPid": { - "shape": "__integer", - "locationName": "etvPlatformPid" - }, - "EtvSignalPid": { - "shape": "__integer", - "locationName": "etvSignalPid" - }, - "KlvDataPids": { - "shape": "__listOf__integer", - "locationName": "klvDataPids" - }, - "PcrPid": { - "shape": "__integer", - "locationName": "pcrPid" + "NextToken": { + "shape": "__string", + "locationName": "nextToken", + "documentation": "Token to retrieve the next page of results" }, - "PmtPid": { - "shape": "__integer", - "locationName": "pmtPid" + "Offerings": { + "shape": "__listOfOffering", + "locationName": "offerings", + "documentation": "List of offerings" + } + }, + "documentation": "ListOfferings response" + }, + "ListReservationsRequest": { + "type": "structure", + "members": { + "ChannelClass": { + "shape": "__string", + "location": "querystring", + "locationName": "channelClass", + "documentation": "Filter by channel class, 'STANDARD' or 'SINGLE_PIPELINE'" }, - "PrivateMetadataPid": { - "shape": "__integer", - "locationName": "privateMetadataPid" + "Codec": { + "shape": "__string", + "location": "querystring", + "locationName": "codec", + "documentation": "Filter by codec, 'AVC', 'HEVC', 'MPEG2', 'AUDIO', 'LINK', or 'AV1'" }, - "Scte27Pids": { - "shape": "__listOf__integer", - "locationName": "scte27Pids" + "MaxResults": { + "shape": "MaxResults", + "location": "querystring", + "locationName": "maxResults" }, - "Scte35Pid": { - "shape": "__integer", - "locationName": "scte35Pid" + "MaximumBitrate": { + "shape": "__string", + "location": "querystring", + "locationName": "maximumBitrate", + "documentation": "Filter by bitrate, 'MAX_10_MBPS', 'MAX_20_MBPS', or 'MAX_50_MBPS'" }, - "TimedMetadataPid": { - "shape": "__integer", - "locationName": "timedMetadataPid" + "MaximumFramerate": { + "shape": "__string", + "location": "querystring", + "locationName": "maximumFramerate", + "documentation": "Filter by framerate, 'MAX_30_FPS' or 'MAX_60_FPS'" }, - "VideoPid": { - "shape": "__integer", - "locationName": "videoPid" + "NextToken": { + "shape": "__string", + "location": "querystring", + "locationName": "nextToken" }, - "AribCaptionsPid": { - "shape": "__integer", - "locationName": "aribCaptionsPid" + "Resolution": { + "shape": "__string", + "location": "querystring", + "locationName": "resolution", + "documentation": "Filter by resolution, 'SD', 'HD', 'FHD', or 'UHD'" }, - "DvbTeletextPids": { - "shape": "__listOf__integer", - "locationName": "dvbTeletextPids" + "ResourceType": { + "shape": "__string", + "location": "querystring", + "locationName": "resourceType", + "documentation": "Filter by resource type, 'INPUT', 'OUTPUT', 'MULTIPLEX', or 'CHANNEL'" }, - "EcmPid": { - "shape": "__integer", - "locationName": "ecmPid" + "SpecialFeature": { + "shape": "__string", + "location": "querystring", + "locationName": "specialFeature", + "documentation": "Filter by special feature, 'ADVANCED_AUDIO' or 'AUDIO_NORMALIZATION'" }, - "Smpte2038Pid": { - "shape": "__integer", - "locationName": "smpte2038Pid" + "VideoQuality": { + "shape": "__string", + "location": "querystring", + "locationName": "videoQuality", + "documentation": "Filter by video quality, 'STANDARD', 'ENHANCED', or 'PREMIUM'" } }, - "documentation": "Packet identifiers map for a given Multiplex program." + "documentation": "Placeholder documentation for ListReservationsRequest" }, - "MultiplexProgramPipelineDetail": { + "ListReservationsResponse": { "type": "structure", "members": { - "ActiveChannelPipeline": { + "NextToken": { "shape": "__string", - "locationName": "activeChannelPipeline", - "documentation": "Identifies the channel pipeline that is currently active for the pipeline (identified by PipelineId) in the multiplex." + "locationName": "nextToken", + "documentation": "Token to retrieve the next page of results" }, - "PipelineId": { - "shape": "__string", - "locationName": "pipelineId", - "documentation": "Identifies a specific pipeline in the multiplex." + "Reservations": { + "shape": "__listOfReservation", + "locationName": "reservations", + "documentation": "List of reservations" } }, - "documentation": "The current source for one of the pipelines in the multiplex." + "documentation": "Placeholder documentation for ListReservationsResponse" }, - "MultiplexProgramServiceDescriptor": { + "ListReservationsResultModel": { "type": "structure", "members": { - "ProviderName": { - "shape": "__stringMax256", - "locationName": "providerName", - "documentation": "Name of the provider." + "NextToken": { + "shape": "__string", + "locationName": "nextToken", + "documentation": "Token to retrieve the next page of results" }, - "ServiceName": { - "shape": "__stringMax256", - "locationName": "serviceName", - "documentation": "Name of the service." - } - }, - "documentation": "Transport stream service descriptor configuration for the Multiplex program.", - "required": [ - "ProviderName", - "ServiceName" - ] - }, - "MultiplexProgramSettings": { - "type": "structure", - "members": { - "PreferredChannelPipeline": { - "shape": "PreferredChannelPipeline", - "locationName": "preferredChannelPipeline", - "documentation": "Indicates which pipeline is preferred by the multiplex for program ingest." - }, - "ProgramNumber": { - "shape": "__integerMin0Max65535", - "locationName": "programNumber", - "documentation": "Unique program number." - }, - "ServiceDescriptor": { - "shape": "MultiplexProgramServiceDescriptor", - "locationName": "serviceDescriptor", - "documentation": "Transport stream service descriptor configuration for the Multiplex program." - }, - "VideoSettings": { - "shape": "MultiplexVideoSettings", - "locationName": "videoSettings", - "documentation": "Program video settings configuration." + "Reservations": { + "shape": "__listOfReservation", + "locationName": "reservations", + "documentation": "List of reservations" } }, - "documentation": "Multiplex Program settings configuration.", - "required": [ - "ProgramNumber" - ] + "documentation": "ListReservations response" }, - "MultiplexProgramSummary": { + "ListTagsForResourceRequest": { "type": "structure", "members": { - "ChannelId": { - "shape": "__string", - "locationName": "channelId", - "documentation": "The MediaLive Channel associated with the program." - }, - "ProgramName": { + "ResourceArn": { "shape": "__string", - "locationName": "programName", - "documentation": "The name of the multiplex program." - } - }, - "documentation": "Placeholder documentation for MultiplexProgramSummary" - }, - "MultiplexSettings": { - "type": "structure", - "members": { - "MaximumVideoBufferDelayMilliseconds": { - "shape": "__integerMin800Max3000", - "locationName": "maximumVideoBufferDelayMilliseconds", - "documentation": "Maximum video buffer delay in milliseconds." - }, - "TransportStreamBitrate": { - "shape": "__integerMin1000000Max100000000", - "locationName": "transportStreamBitrate", - "documentation": "Transport stream bit rate." - }, - "TransportStreamId": { - "shape": "__integerMin0Max65535", - "locationName": "transportStreamId", - "documentation": "Transport stream ID." - }, - "TransportStreamReservedBitrate": { - "shape": "__integerMin0Max100000000", - "locationName": "transportStreamReservedBitrate", - "documentation": "Transport stream reserved bit rate." + "location": "uri", + "locationName": "resource-arn" } }, - "documentation": "Contains configuration for a Multiplex event", "required": [ - "TransportStreamBitrate", - "TransportStreamId" - ] + "ResourceArn" + ], + "documentation": "Placeholder documentation for ListTagsForResourceRequest" }, - "MultiplexSettingsSummary": { + "ListTagsForResourceResponse": { "type": "structure", "members": { - "TransportStreamBitrate": { - "shape": "__integerMin1000000Max100000000", - "locationName": "transportStreamBitrate", - "documentation": "Transport stream bit rate." + "Tags": { + "shape": "Tags", + "locationName": "tags" } }, - "documentation": "Contains summary configuration for a Multiplex event." + "documentation": "Placeholder documentation for ListTagsForResourceResponse" }, - "MultiplexState": { + "LogLevel": { "type": "string", - "documentation": "The current state of the multiplex.", + "documentation": "The log level the user wants for their channel.", "enum": [ - "CREATING", - "CREATE_FAILED", - "IDLE", - "STARTING", - "RUNNING", - "RECOVERING", - "STOPPING", - "DELETING", - "DELETED" + "ERROR", + "WARNING", + "INFO", + "DEBUG", + "DISABLED" ] }, - "MultiplexStatmuxVideoSettings": { - "type": "structure", - "members": { - "MaximumBitrate": { - "shape": "__integerMin100000Max100000000", - "locationName": "maximumBitrate", - "documentation": "Maximum statmux bitrate." - }, - "MinimumBitrate": { - "shape": "__integerMin100000Max100000000", - "locationName": "minimumBitrate", - "documentation": "Minimum statmux bitrate." - }, - "Priority": { - "shape": "__integerMinNegative5Max5", - "locationName": "priority", - "documentation": "The purpose of the priority is to use a combination of the\\nmultiplex rate control algorithm and the QVBR capability of the\\nencoder to prioritize the video quality of some channels in a\\nmultiplex over others. Channels that have a higher priority will\\nget higher video quality at the expense of the video quality of\\nother channels in the multiplex with lower priority." - } - }, - "documentation": "Statmux rate control settings" + "M2tsAbsentInputAudioBehavior": { + "type": "string", + "documentation": "M2ts Absent Input Audio Behavior", + "enum": [ + "DROP", + "ENCODE_SILENCE" + ] }, - "MultiplexSummary": { - "type": "structure", - "members": { - "Arn": { - "shape": "__string", - "locationName": "arn", - "documentation": "The unique arn of the multiplex." - }, - "AvailabilityZones": { - "shape": "__listOf__string", - "locationName": "availabilityZones", - "documentation": "A list of availability zones for the multiplex." - }, - "Id": { - "shape": "__string", - "locationName": "id", - "documentation": "The unique id of the multiplex." - }, - "MultiplexSettings": { - "shape": "MultiplexSettingsSummary", - "locationName": "multiplexSettings", - "documentation": "Configuration for a multiplex event." - }, - "Name": { - "shape": "__string", - "locationName": "name", - "documentation": "The name of the multiplex." - }, - "PipelinesRunningCount": { - "shape": "__integer", - "locationName": "pipelinesRunningCount", - "documentation": "The number of currently healthy pipelines." - }, - "ProgramCount": { - "shape": "__integer", - "locationName": "programCount", - "documentation": "The number of programs in the multiplex." - }, - "State": { - "shape": "MultiplexState", - "locationName": "state", - "documentation": "The current state of the multiplex." - }, - "Tags": { - "shape": "Tags", - "locationName": "tags", - "documentation": "A collection of key-value pairs." - } - }, - "documentation": "Placeholder documentation for MultiplexSummary" + "M2tsArib": { + "type": "string", + "documentation": "M2ts Arib", + "enum": [ + "DISABLED", + "ENABLED" + ] }, - "MultiplexVideoSettings": { - "type": "structure", - "members": { - "ConstantBitrate": { - "shape": "__integerMin100000Max100000000", - "locationName": "constantBitrate", - "documentation": "The constant bitrate configuration for the video encode.\nWhen this field is defined, StatmuxSettings must be undefined." - }, - "StatmuxSettings": { - "shape": "MultiplexStatmuxVideoSettings", - "locationName": "statmuxSettings", - "documentation": "Statmux rate control settings.\nWhen this field is defined, ConstantBitrate must be undefined." - } - }, - "documentation": "The video configuration for each program in a multiplex." + "M2tsAribCaptionsPidControl": { + "type": "string", + "documentation": "M2ts Arib Captions Pid Control", + "enum": [ + "AUTO", + "USE_CONFIGURED" + ] }, - "NetworkInputServerValidation": { + "M2tsAudioBufferModel": { "type": "string", - "documentation": "Network Input Server Validation", + "documentation": "M2ts Audio Buffer Model", "enum": [ - "CHECK_CRYPTOGRAPHY_AND_VALIDATE_NAME", - "CHECK_CRYPTOGRAPHY_ONLY" + "ATSC", + "DVB" ] }, - "NetworkInputSettings": { - "type": "structure", - "members": { - "HlsInputSettings": { - "shape": "HlsInputSettings", - "locationName": "hlsInputSettings", - "documentation": "Specifies HLS input settings when the uri is for a HLS manifest." - }, - "ServerValidation": { - "shape": "NetworkInputServerValidation", - "locationName": "serverValidation", - "documentation": "Check HTTPS server certificates. When set to checkCryptographyOnly, cryptography in the certificate will be checked, but not the server's name. Certain subdomains (notably S3 buckets that use dots in the bucket name) do not strictly match the corresponding certificate's wildcard pattern and would otherwise cause the event to error. This setting is ignored for protocols that do not use https." - } - }, - "documentation": "Network source to transcode. Must be accessible to the Elemental Live node that is running the live event through a network connection." + "M2tsAudioInterval": { + "type": "string", + "documentation": "M2ts Audio Interval", + "enum": [ + "VIDEO_AND_FIXED_INTERVALS", + "VIDEO_INTERVAL" + ] }, - "NielsenCBET": { - "type": "structure", - "members": { - "CbetCheckDigitString": { - "shape": "__stringMin2Max2", - "locationName": "cbetCheckDigitString", - "documentation": "Enter the CBET check digits to use in the watermark." - }, - "CbetStepaside": { - "shape": "NielsenWatermarksCbetStepaside", - "locationName": "cbetStepaside", - "documentation": "Determines the method of CBET insertion mode when prior encoding is detected on the same layer." - }, - "Csid": { - "shape": "__stringMin1Max7", - "locationName": "csid", - "documentation": "Enter the CBET Source ID (CSID) to use in the watermark" - } - }, - "documentation": "Nielsen CBET", - "required": [ - "CbetCheckDigitString", - "CbetStepaside", - "Csid" + "M2tsAudioStreamType": { + "type": "string", + "documentation": "M2ts Audio Stream Type", + "enum": [ + "ATSC", + "DVB" ] }, - "NielsenConfiguration": { - "type": "structure", - "members": { - "DistributorId": { - "shape": "__string", - "locationName": "distributorId", - "documentation": "Enter the Distributor ID assigned to your organization by Nielsen." - }, - "NielsenPcmToId3Tagging": { - "shape": "NielsenPcmToId3TaggingState", - "locationName": "nielsenPcmToId3Tagging", - "documentation": "Enables Nielsen PCM to ID3 tagging" - } - }, - "documentation": "Nielsen Configuration" - }, - "NielsenNaesIiNw": { - "type": "structure", - "members": { - "CheckDigitString": { - "shape": "__stringMin2Max2", - "locationName": "checkDigitString", - "documentation": "Enter the check digit string for the watermark" - }, - "Sid": { - "shape": "__doubleMin1Max65535", - "locationName": "sid", - "documentation": "Enter the Nielsen Source ID (SID) to include in the watermark" - }, - "Timezone": { - "shape": "NielsenWatermarkTimezones", - "locationName": "timezone", - "documentation": "Choose the timezone for the time stamps in the watermark. If not provided,\nthe timestamps will be in Coordinated Universal Time (UTC)" - } - }, - "documentation": "Nielsen Naes Ii Nw", - "required": [ - "CheckDigitString", - "Sid" + "M2tsBufferModel": { + "type": "string", + "documentation": "M2ts Buffer Model", + "enum": [ + "MULTIPLEX", + "NONE" ] }, - "NielsenPcmToId3TaggingState": { + "M2tsCcDescriptor": { "type": "string", - "documentation": "State of Nielsen PCM to ID3 tagging", + "documentation": "M2ts Cc Descriptor", "enum": [ "DISABLED", "ENABLED" ] }, - "NielsenWatermarkTimezones": { + "M2tsEbifControl": { "type": "string", - "documentation": "Nielsen Watermark Timezones", + "documentation": "M2ts Ebif Control", "enum": [ - "AMERICA_PUERTO_RICO", - "US_ALASKA", - "US_ARIZONA", - "US_CENTRAL", - "US_EASTERN", - "US_HAWAII", - "US_MOUNTAIN", - "US_PACIFIC", - "US_SAMOA", - "UTC" + "NONE", + "PASSTHROUGH" ] }, - "NielsenWatermarksCbetStepaside": { + "M2tsEbpPlacement": { "type": "string", - "documentation": "Nielsen Watermarks Cbet Stepaside", + "documentation": "M2ts Ebp Placement", "enum": [ - "DISABLED", - "ENABLED" + "VIDEO_AND_AUDIO_PIDS", + "VIDEO_PID" ] }, - "NielsenWatermarksDistributionTypes": { + "M2tsEsRateInPes": { "type": "string", - "documentation": "Nielsen Watermarks Distribution Types", + "documentation": "M2ts Es Rate In Pes", "enum": [ - "FINAL_DISTRIBUTOR", - "PROGRAM_CONTENT" + "EXCLUDE", + "INCLUDE" ] }, - "NielsenWatermarksSettings": { - "type": "structure", - "members": { - "NielsenCbetSettings": { - "shape": "NielsenCBET", - "locationName": "nielsenCbetSettings", - "documentation": "Complete these fields only if you want to insert watermarks of type Nielsen CBET" - }, - "NielsenDistributionType": { - "shape": "NielsenWatermarksDistributionTypes", - "locationName": "nielsenDistributionType", - "documentation": "Choose the distribution types that you want to assign to the watermarks:\n- PROGRAM_CONTENT\n- FINAL_DISTRIBUTOR" - }, - "NielsenNaesIiNwSettings": { - "shape": "NielsenNaesIiNw", - "locationName": "nielsenNaesIiNwSettings", - "documentation": "Complete these fields only if you want to insert watermarks of type Nielsen NAES II (N2) and Nielsen NAES VI (NW)." - } - }, - "documentation": "Nielsen Watermarks Settings" + "M2tsKlv": { + "type": "string", + "documentation": "M2ts Klv", + "enum": [ + "NONE", + "PASSTHROUGH" + ] }, - "NotFoundException": { - "type": "structure", - "members": { - "Message": { - "shape": "__string", - "locationName": "message" - } - }, - "exception": true, - "error": { - "httpStatusCode": 404 - }, - "documentation": "Placeholder documentation for NotFoundException" + "M2tsNielsenId3Behavior": { + "type": "string", + "documentation": "M2ts Nielsen Id3 Behavior", + "enum": [ + "NO_PASSTHROUGH", + "PASSTHROUGH" + ] }, - "Offering": { - "type": "structure", - "members": { - "Arn": { - "shape": "__string", - "locationName": "arn", - "documentation": "Unique offering ARN, e.g. 'arn:aws:medialive:us-west-2:123456789012:offering:87654321'" - }, - "CurrencyCode": { - "shape": "__string", - "locationName": "currencyCode", - "documentation": "Currency code for usagePrice and fixedPrice in ISO-4217 format, e.g. 'USD'" - }, - "Duration": { - "shape": "__integer", - "locationName": "duration", - "documentation": "Lease duration, e.g. '12'" - }, - "DurationUnits": { - "shape": "OfferingDurationUnits", - "locationName": "durationUnits", - "documentation": "Units for duration, e.g. 'MONTHS'" - }, - "FixedPrice": { - "shape": "__double", - "locationName": "fixedPrice", - "documentation": "One-time charge for each reserved resource, e.g. '0.0' for a NO_UPFRONT offering" - }, - "OfferingDescription": { - "shape": "__string", - "locationName": "offeringDescription", - "documentation": "Offering description, e.g. 'HD AVC output at 10-20 Mbps, 30 fps, and standard VQ in US West (Oregon)'" - }, - "OfferingId": { - "shape": "__string", - "locationName": "offeringId", - "documentation": "Unique offering ID, e.g. '87654321'" - }, - "OfferingType": { - "shape": "OfferingType", - "locationName": "offeringType", - "documentation": "Offering type, e.g. 'NO_UPFRONT'" - }, - "Region": { - "shape": "__string", - "locationName": "region", - "documentation": "AWS region, e.g. 'us-west-2'" - }, - "ResourceSpecification": { - "shape": "ReservationResourceSpecification", - "locationName": "resourceSpecification", - "documentation": "Resource configuration details" - }, - "UsagePrice": { - "shape": "__double", - "locationName": "usagePrice", - "documentation": "Recurring usage charge for each reserved resource, e.g. '157.0'" - } - }, - "documentation": "Reserved resources available for purchase" + "M2tsPcrControl": { + "type": "string", + "documentation": "M2ts Pcr Control", + "enum": [ + "CONFIGURED_PCR_PERIOD", + "PCR_EVERY_PES_PACKET" + ] }, - "OfferingDurationUnits": { + "M2tsRateMode": { "type": "string", - "documentation": "Units for duration, e.g. 'MONTHS'", + "documentation": "M2ts Rate Mode", "enum": [ - "MONTHS" + "CBR", + "VBR" ] }, - "OfferingType": { + "M2tsScte35Control": { "type": "string", - "documentation": "Offering type, e.g. 'NO_UPFRONT'", + "documentation": "M2ts Scte35 Control", "enum": [ - "NO_UPFRONT" + "NONE", + "PASSTHROUGH" ] }, - "Output": { + "M2tsSegmentationMarkers": { + "type": "string", + "documentation": "M2ts Segmentation Markers", + "enum": [ + "EBP", + "EBP_LEGACY", + "NONE", + "PSI_SEGSTART", + "RAI_ADAPT", + "RAI_SEGSTART" + ] + }, + "M2tsSegmentationStyle": { + "type": "string", + "documentation": "M2ts Segmentation Style", + "enum": [ + "MAINTAIN_CADENCE", + "RESET_CADENCE" + ] + }, + "M2tsSettings": { "type": "structure", "members": { - "AudioDescriptionNames": { - "shape": "__listOf__string", - "locationName": "audioDescriptionNames", - "documentation": "The names of the AudioDescriptions used as audio sources for this output." - }, - "CaptionDescriptionNames": { - "shape": "__listOf__string", - "locationName": "captionDescriptionNames", - "documentation": "The names of the CaptionDescriptions used as caption sources for this output." - }, - "OutputName": { - "shape": "__stringMin1Max255", - "locationName": "outputName", - "documentation": "The name used to identify an output." + "AbsentInputAudioBehavior": { + "shape": "M2tsAbsentInputAudioBehavior", + "locationName": "absentInputAudioBehavior", + "documentation": "When set to drop, output audio streams will be removed from the program if the selected input audio stream is removed from the input. This allows the output audio configuration to dynamically change based on input configuration. If this is set to encodeSilence, all output audio streams will output encoded silence when not connected to an active input stream." }, - "OutputSettings": { - "shape": "OutputSettings", - "locationName": "outputSettings", - "documentation": "Output type-specific settings." + "Arib": { + "shape": "M2tsArib", + "locationName": "arib", + "documentation": "When set to enabled, uses ARIB-compliant field muxing and removes video descriptor." }, - "VideoDescriptionName": { - "shape": "__string", - "locationName": "videoDescriptionName", - "documentation": "The name of the VideoDescription used as the source for this output." - } - }, - "documentation": "Output settings. There can be multiple outputs within a group.", - "required": [ - "OutputSettings" - ] - }, - "OutputDestination": { - "type": "structure", - "members": { - "Id": { + "AribCaptionsPid": { "shape": "__string", - "locationName": "id", - "documentation": "User-specified id. This is used in an output group or an output." - }, - "MediaPackageSettings": { - "shape": "__listOfMediaPackageOutputDestinationSettings", - "locationName": "mediaPackageSettings", - "documentation": "Destination settings for a MediaPackage output; one destination for both encoders." - }, - "MultiplexSettings": { - "shape": "MultiplexProgramChannelDestinationSettings", - "locationName": "multiplexSettings", - "documentation": "Destination settings for a Multiplex output; one destination for both encoders." + "locationName": "aribCaptionsPid", + "documentation": "Packet Identifier (PID) for ARIB Captions in the transport stream. Can be entered as a decimal or hexadecimal value. Valid values are 32 (or 0x20)..8182 (or 0x1ff6)." }, - "Settings": { - "shape": "__listOfOutputDestinationSettings", - "locationName": "settings", - "documentation": "Destination settings for a standard output; one destination for each redundant encoder." - } - }, - "documentation": "Placeholder documentation for OutputDestination" - }, - "OutputDestinationSettings": { - "type": "structure", - "members": { - "PasswordParam": { - "shape": "__string", - "locationName": "passwordParam", - "documentation": "key used to extract the password from EC2 Parameter store" + "AribCaptionsPidControl": { + "shape": "M2tsAribCaptionsPidControl", + "locationName": "aribCaptionsPidControl", + "documentation": "If set to auto, pid number used for ARIB Captions will be auto-selected from unused pids. If set to useConfigured, ARIB Captions will be on the configured pid number." }, - "StreamName": { - "shape": "__string", - "locationName": "streamName", - "documentation": "Stream name for RTMP destinations (URLs of type rtmp://)" + "AudioBufferModel": { + "shape": "M2tsAudioBufferModel", + "locationName": "audioBufferModel", + "documentation": "When set to dvb, uses DVB buffer model for Dolby Digital audio. When set to atsc, the ATSC model is used." }, - "Url": { - "shape": "__string", - "locationName": "url", - "documentation": "A URL specifying a destination" + "AudioFramesPerPes": { + "shape": "__integerMin0", + "locationName": "audioFramesPerPes", + "documentation": "The number of audio frames to insert for each PES packet." }, - "Username": { + "AudioPids": { "shape": "__string", - "locationName": "username", - "documentation": "username for destination" - } - }, - "documentation": "Placeholder documentation for OutputDestinationSettings" - }, - "OutputGroup": { - "type": "structure", - "members": { - "Name": { - "shape": "__stringMax32", - "locationName": "name", - "documentation": "Custom output group name optionally defined by the user." - }, - "OutputGroupSettings": { - "shape": "OutputGroupSettings", - "locationName": "outputGroupSettings", - "documentation": "Settings associated with the output group." + "locationName": "audioPids", + "documentation": "Packet Identifier (PID) of the elementary audio stream(s) in the transport stream. Multiple values are accepted, and can be entered in ranges and/or by comma separation. Can be entered as decimal or hexadecimal values. Each PID specified must be in the range of 32 (or 0x20)..8182 (or 0x1ff6)." }, - "Outputs": { - "shape": "__listOfOutput", - "locationName": "outputs" - } - }, - "documentation": "Output groups for this Live Event. Output groups contain information about where streams should be distributed.", - "required": [ - "Outputs", - "OutputGroupSettings" - ] - }, - "OutputGroupSettings": { - "type": "structure", - "members": { - "ArchiveGroupSettings": { - "shape": "ArchiveGroupSettings", - "locationName": "archiveGroupSettings" + "AudioStreamType": { + "shape": "M2tsAudioStreamType", + "locationName": "audioStreamType", + "documentation": "When set to atsc, uses stream type = 0x81 for AC3 and stream type = 0x87 for EAC3. When set to dvb, uses stream type = 0x06." }, - "FrameCaptureGroupSettings": { - "shape": "FrameCaptureGroupSettings", - "locationName": "frameCaptureGroupSettings" + "Bitrate": { + "shape": "__integerMin0", + "locationName": "bitrate", + "documentation": "The output bitrate of the transport stream in bits per second. Setting to 0 lets the muxer automatically determine the appropriate bitrate." }, - "HlsGroupSettings": { - "shape": "HlsGroupSettings", - "locationName": "hlsGroupSettings" + "BufferModel": { + "shape": "M2tsBufferModel", + "locationName": "bufferModel", + "documentation": "Controls the timing accuracy for output network traffic. Leave as MULTIPLEX to ensure accurate network packet timing. Or set to NONE, which might result in lower latency but will result in more variability in output network packet timing. This variability might cause interruptions, jitter, or bursty behavior in your playback or receiving devices." }, - "MediaPackageGroupSettings": { - "shape": "MediaPackageGroupSettings", - "locationName": "mediaPackageGroupSettings" + "CcDescriptor": { + "shape": "M2tsCcDescriptor", + "locationName": "ccDescriptor", + "documentation": "When set to enabled, generates captionServiceDescriptor in PMT." }, - "MsSmoothGroupSettings": { - "shape": "MsSmoothGroupSettings", - "locationName": "msSmoothGroupSettings" + "DvbNitSettings": { + "shape": "DvbNitSettings", + "locationName": "dvbNitSettings", + "documentation": "Inserts DVB Network Information Table (NIT) at the specified table repetition interval." }, - "MultiplexGroupSettings": { - "shape": "MultiplexGroupSettings", - "locationName": "multiplexGroupSettings" + "DvbSdtSettings": { + "shape": "DvbSdtSettings", + "locationName": "dvbSdtSettings", + "documentation": "Inserts DVB Service Description Table (SDT) at the specified table repetition interval." }, - "RtmpGroupSettings": { - "shape": "RtmpGroupSettings", - "locationName": "rtmpGroupSettings" + "DvbSubPids": { + "shape": "__string", + "locationName": "dvbSubPids", + "documentation": "Packet Identifier (PID) for input source DVB Subtitle data to this output. Multiple values are accepted, and can be entered in ranges and/or by comma separation. Can be entered as decimal or hexadecimal values. Each PID specified must be in the range of 32 (or 0x20)..8182 (or 0x1ff6)." }, - "UdpGroupSettings": { - "shape": "UdpGroupSettings", - "locationName": "udpGroupSettings" + "DvbTdtSettings": { + "shape": "DvbTdtSettings", + "locationName": "dvbTdtSettings", + "documentation": "Inserts DVB Time and Date Table (TDT) at the specified table repetition interval." }, - "CmafIngestGroupSettings": { - "shape": "CmafIngestGroupSettings", - "locationName": "cmafIngestGroupSettings" - } - }, - "documentation": "Output Group Settings" - }, - "OutputLocationRef": { - "type": "structure", - "members": { - "DestinationRefId": { + "DvbTeletextPid": { "shape": "__string", - "locationName": "destinationRefId" - } - }, - "documentation": "Reference to an OutputDestination ID defined in the channel" - }, - "OutputLockingSettings": { - "type": "structure", - "members": { - "EpochLockingSettings": { - "shape": "EpochLockingSettings", - "locationName": "epochLockingSettings" + "locationName": "dvbTeletextPid", + "documentation": "Packet Identifier (PID) for input source DVB Teletext data to this output. Can be entered as a decimal or hexadecimal value. Valid values are 32 (or 0x20)..8182 (or 0x1ff6)." }, - "PipelineLockingSettings": { - "shape": "PipelineLockingSettings", - "locationName": "pipelineLockingSettings" - } - }, - "documentation": "Output Locking Settings" - }, - "OutputSettings": { - "type": "structure", - "members": { - "ArchiveOutputSettings": { - "shape": "ArchiveOutputSettings", - "locationName": "archiveOutputSettings" + "Ebif": { + "shape": "M2tsEbifControl", + "locationName": "ebif", + "documentation": "If set to passthrough, passes any EBIF data from the input source to this output." }, - "FrameCaptureOutputSettings": { - "shape": "FrameCaptureOutputSettings", - "locationName": "frameCaptureOutputSettings" + "EbpAudioInterval": { + "shape": "M2tsAudioInterval", + "locationName": "ebpAudioInterval", + "documentation": "When videoAndFixedIntervals is selected, audio EBP markers will be added to partitions 3 and 4. The interval between these additional markers will be fixed, and will be slightly shorter than the video EBP marker interval. Only available when EBP Cablelabs segmentation markers are selected. Partitions 1 and 2 will always follow the video interval." }, - "HlsOutputSettings": { - "shape": "HlsOutputSettings", - "locationName": "hlsOutputSettings" + "EbpLookaheadMs": { + "shape": "__integerMin0Max10000", + "locationName": "ebpLookaheadMs", + "documentation": "When set, enforces that Encoder Boundary Points do not come within the specified time interval of each other by looking ahead at input video. If another EBP is going to come in within the specified time interval, the current EBP is not emitted, and the segment is \"stretched\" to the next marker. The lookahead value does not add latency to the system. The Live Event must be configured elsewhere to create sufficient latency to make the lookahead accurate." }, - "MediaPackageOutputSettings": { - "shape": "MediaPackageOutputSettings", - "locationName": "mediaPackageOutputSettings" + "EbpPlacement": { + "shape": "M2tsEbpPlacement", + "locationName": "ebpPlacement", + "documentation": "Controls placement of EBP on Audio PIDs. If set to videoAndAudioPids, EBP markers will be placed on the video PID and all audio PIDs. If set to videoPid, EBP markers will be placed on only the video PID." }, - "MsSmoothOutputSettings": { - "shape": "MsSmoothOutputSettings", - "locationName": "msSmoothOutputSettings" + "EcmPid": { + "shape": "__string", + "locationName": "ecmPid", + "documentation": "This field is unused and deprecated." }, - "MultiplexOutputSettings": { - "shape": "MultiplexOutputSettings", - "locationName": "multiplexOutputSettings" + "EsRateInPes": { + "shape": "M2tsEsRateInPes", + "locationName": "esRateInPes", + "documentation": "Include or exclude the ES Rate field in the PES header." }, - "RtmpOutputSettings": { - "shape": "RtmpOutputSettings", - "locationName": "rtmpOutputSettings" + "EtvPlatformPid": { + "shape": "__string", + "locationName": "etvPlatformPid", + "documentation": "Packet Identifier (PID) for input source ETV Platform data to this output. Can be entered as a decimal or hexadecimal value. Valid values are 32 (or 0x20)..8182 (or 0x1ff6)." }, - "UdpOutputSettings": { - "shape": "UdpOutputSettings", - "locationName": "udpOutputSettings" + "EtvSignalPid": { + "shape": "__string", + "locationName": "etvSignalPid", + "documentation": "Packet Identifier (PID) for input source ETV Signal data to this output. Can be entered as a decimal or hexadecimal value. Valid values are 32 (or 0x20)..8182 (or 0x1ff6)." }, - "CmafIngestOutputSettings": { - "shape": "CmafIngestOutputSettings", - "locationName": "cmafIngestOutputSettings" - } - }, - "documentation": "Output Settings" - }, - "PassThroughSettings": { - "type": "structure", - "members": { - }, - "documentation": "Pass Through Settings" - }, - "PauseStateScheduleActionSettings": { - "type": "structure", - "members": { - "Pipelines": { - "shape": "__listOfPipelinePauseStateSettings", - "locationName": "pipelines" - } - }, - "documentation": "Settings for the action to set pause state of a channel." - }, - "PipelineDetail": { - "type": "structure", - "members": { - "ActiveInputAttachmentName": { + "FragmentTime": { + "shape": "__doubleMin0", + "locationName": "fragmentTime", + "documentation": "The length in seconds of each fragment. Only used with EBP markers." + }, + "Klv": { + "shape": "M2tsKlv", + "locationName": "klv", + "documentation": "If set to passthrough, passes any KLV data from the input source to this output." + }, + "KlvDataPids": { "shape": "__string", - "locationName": "activeInputAttachmentName", - "documentation": "The name of the active input attachment currently being ingested by this pipeline." + "locationName": "klvDataPids", + "documentation": "Packet Identifier (PID) for input source KLV data to this output. Multiple values are accepted, and can be entered in ranges and/or by comma separation. Can be entered as decimal or hexadecimal values. Each PID specified must be in the range of 32 (or 0x20)..8182 (or 0x1ff6)." }, - "ActiveInputSwitchActionName": { + "NielsenId3Behavior": { + "shape": "M2tsNielsenId3Behavior", + "locationName": "nielsenId3Behavior", + "documentation": "If set to passthrough, Nielsen inaudible tones for media tracking will be detected in the input audio and an equivalent ID3 tag will be inserted in the output." + }, + "NullPacketBitrate": { + "shape": "__doubleMin0", + "locationName": "nullPacketBitrate", + "documentation": "Value in bits per second of extra null packets to insert into the transport stream. This can be used if a downstream encryption system requires periodic null packets." + }, + "PatInterval": { + "shape": "__integerMin0Max1000", + "locationName": "patInterval", + "documentation": "The number of milliseconds between instances of this table in the output transport stream. Valid values are 0, 10..1000." + }, + "PcrControl": { + "shape": "M2tsPcrControl", + "locationName": "pcrControl", + "documentation": "When set to pcrEveryPesPacket, a Program Clock Reference value is inserted for every Packetized Elementary Stream (PES) header. This parameter is effective only when the PCR PID is the same as the video or audio elementary stream." + }, + "PcrPeriod": { + "shape": "__integerMin0Max500", + "locationName": "pcrPeriod", + "documentation": "Maximum time in milliseconds between Program Clock Reference (PCRs) inserted into the transport stream." + }, + "PcrPid": { "shape": "__string", - "locationName": "activeInputSwitchActionName", - "documentation": "The name of the input switch schedule action that occurred most recently and that resulted in the switch to the current input attachment for this pipeline." + "locationName": "pcrPid", + "documentation": "Packet Identifier (PID) of the Program Clock Reference (PCR) in the transport stream. When no value is given, the encoder will assign the same value as the Video PID. Can be entered as a decimal or hexadecimal value. Valid values are 32 (or 0x20)..8182 (or 0x1ff6)." }, - "ActiveMotionGraphicsActionName": { + "PmtInterval": { + "shape": "__integerMin0Max1000", + "locationName": "pmtInterval", + "documentation": "The number of milliseconds between instances of this table in the output transport stream. Valid values are 0, 10..1000." + }, + "PmtPid": { "shape": "__string", - "locationName": "activeMotionGraphicsActionName", - "documentation": "The name of the motion graphics activate action that occurred most recently and that resulted in the current graphics URI for this pipeline." + "locationName": "pmtPid", + "documentation": "Packet Identifier (PID) for the Program Map Table (PMT) in the transport stream. Can be entered as a decimal or hexadecimal value. Valid values are 32 (or 0x20)..8182 (or 0x1ff6)." }, - "ActiveMotionGraphicsUri": { + "ProgramNum": { + "shape": "__integerMin0Max65535", + "locationName": "programNum", + "documentation": "The value of the program number field in the Program Map Table." + }, + "RateMode": { + "shape": "M2tsRateMode", + "locationName": "rateMode", + "documentation": "When vbr, does not insert null packets into transport stream to fill specified bitrate. The bitrate setting acts as the maximum bitrate when vbr is set." + }, + "Scte27Pids": { "shape": "__string", - "locationName": "activeMotionGraphicsUri", - "documentation": "The current URI being used for HTML5 motion graphics for this pipeline." + "locationName": "scte27Pids", + "documentation": "Packet Identifier (PID) for input source SCTE-27 data to this output. Multiple values are accepted, and can be entered in ranges and/or by comma separation. Can be entered as decimal or hexadecimal values. Each PID specified must be in the range of 32 (or 0x20)..8182 (or 0x1ff6)." }, - "PipelineId": { + "Scte35Control": { + "shape": "M2tsScte35Control", + "locationName": "scte35Control", + "documentation": "Optionally pass SCTE-35 signals from the input source to this output." + }, + "Scte35Pid": { "shape": "__string", - "locationName": "pipelineId", - "documentation": "Pipeline ID" + "locationName": "scte35Pid", + "documentation": "Packet Identifier (PID) of the SCTE-35 stream in the transport stream. Can be entered as a decimal or hexadecimal value. Valid values are 32 (or 0x20)..8182 (or 0x1ff6)." + }, + "SegmentationMarkers": { + "shape": "M2tsSegmentationMarkers", + "locationName": "segmentationMarkers", + "documentation": "Inserts segmentation markers at each segmentationTime period. raiSegstart sets the Random Access Indicator bit in the adaptation field. raiAdapt sets the RAI bit and adds the current timecode in the private data bytes. psiSegstart inserts PAT and PMT tables at the start of segments. ebp adds Encoder Boundary Point information to the adaptation field as per OpenCable specification OC-SP-EBP-I01-130118. ebpLegacy adds Encoder Boundary Point information to the adaptation field using a legacy proprietary format." + }, + "SegmentationStyle": { + "shape": "M2tsSegmentationStyle", + "locationName": "segmentationStyle", + "documentation": "The segmentation style parameter controls how segmentation markers are inserted into the transport stream. With avails, it is possible that segments may be truncated, which can influence where future segmentation markers are inserted.\n\nWhen a segmentation style of \"resetCadence\" is selected and a segment is truncated due to an avail, we will reset the segmentation cadence. This means the subsequent segment will have a duration of $segmentationTime seconds.\n\nWhen a segmentation style of \"maintainCadence\" is selected and a segment is truncated due to an avail, we will not reset the segmentation cadence. This means the subsequent segment will likely be truncated as well. However, all segments after that will have a duration of $segmentationTime seconds. Note that EBP lookahead is a slight exception to this rule." + }, + "SegmentationTime": { + "shape": "__doubleMin1", + "locationName": "segmentationTime", + "documentation": "The length in seconds of each segment. Required unless markers is set to _none_." + }, + "TimedMetadataBehavior": { + "shape": "M2tsTimedMetadataBehavior", + "locationName": "timedMetadataBehavior", + "documentation": "When set to passthrough, timed metadata will be passed through from input to output." + }, + "TimedMetadataPid": { + "shape": "__string", + "locationName": "timedMetadataPid", + "documentation": "Packet Identifier (PID) of the timed metadata stream in the transport stream. Can be entered as a decimal or hexadecimal value. Valid values are 32 (or 0x20)..8182 (or 0x1ff6)." + }, + "TransportStreamId": { + "shape": "__integerMin0Max65535", + "locationName": "transportStreamId", + "documentation": "The value of the transport stream ID field in the Program Map Table." + }, + "VideoPid": { + "shape": "__string", + "locationName": "videoPid", + "documentation": "Packet Identifier (PID) of the elementary video stream in the transport stream. Can be entered as a decimal or hexadecimal value. Valid values are 32 (or 0x20)..8182 (or 0x1ff6)." + }, + "Scte35PrerollPullupMilliseconds": { + "shape": "__doubleMin0Max5000", + "locationName": "scte35PrerollPullupMilliseconds", + "documentation": "Defines the amount SCTE-35 preroll will be increased (in milliseconds) on the output. Preroll is the amount of time between the presence of a SCTE-35 indication in a transport stream and the PTS of the video frame it references. Zero means don't add pullup (it doesn't mean set the preroll to zero). Negative pullup is not supported, which means that you can't make the preroll shorter. Be aware that latency in the output will increase by the pullup amount." } }, - "documentation": "Runtime details of a pipeline when a channel is running." + "documentation": "M2ts Settings" }, - "PipelineId": { + "M2tsTimedMetadataBehavior": { "type": "string", - "documentation": "Pipeline ID", + "documentation": "M2ts Timed Metadata Behavior", "enum": [ - "PIPELINE_0", - "PIPELINE_1" + "NO_PASSTHROUGH", + "PASSTHROUGH" ] }, - "PipelineLockingSettings": { - "type": "structure", - "members": { - }, - "documentation": "Pipeline Locking Settings" + "M3u8KlvBehavior": { + "type": "string", + "documentation": "M3u8 Klv Behavior", + "enum": [ + "NO_PASSTHROUGH", + "PASSTHROUGH" + ] }, - "PipelinePauseStateSettings": { - "type": "structure", - "members": { - "PipelineId": { - "shape": "PipelineId", - "locationName": "pipelineId", - "documentation": "Pipeline ID to pause (\"PIPELINE_0\" or \"PIPELINE_1\")." - } - }, - "documentation": "Settings for pausing a pipeline.", - "required": [ - "PipelineId" + "M3u8NielsenId3Behavior": { + "type": "string", + "documentation": "M3u8 Nielsen Id3 Behavior", + "enum": [ + "NO_PASSTHROUGH", + "PASSTHROUGH" ] }, - "PreferredChannelPipeline": { + "M3u8PcrControl": { "type": "string", - "documentation": "Indicates which pipeline is preferred by the multiplex for program ingest.\nIf set to \\\"PIPELINE_0\\\" or \\\"PIPELINE_1\\\" and an unhealthy ingest causes the multiplex to switch to the non-preferred pipeline,\nit will switch back once that ingest is healthy again. If set to \\\"CURRENTLY_ACTIVE\\\",\nit will not switch back to the other pipeline based on it recovering to a healthy state,\nit will only switch if the active pipeline becomes unhealthy.", + "documentation": "M3u8 Pcr Control", "enum": [ - "CURRENTLY_ACTIVE", - "PIPELINE_0", - "PIPELINE_1" + "CONFIGURED_PCR_PERIOD", + "PCR_EVERY_PES_PACKET" ] }, - "PurchaseOffering": { + "M3u8Scte35Behavior": { + "type": "string", + "documentation": "M3u8 Scte35 Behavior", + "enum": [ + "NO_PASSTHROUGH", + "PASSTHROUGH" + ] + }, + "M3u8Settings": { "type": "structure", "members": { - "Count": { - "shape": "__integerMin1", - "locationName": "count", - "documentation": "Number of resources" - }, - "Name": { - "shape": "__string", - "locationName": "name", - "documentation": "Name for the new reservation" - }, - "RenewalSettings": { - "shape": "RenewalSettings", - "locationName": "renewalSettings", - "documentation": "Renewal settings for the reservation" + "AudioFramesPerPes": { + "shape": "__integerMin0", + "locationName": "audioFramesPerPes", + "documentation": "The number of audio frames to insert for each PES packet." }, - "RequestId": { + "AudioPids": { "shape": "__string", - "locationName": "requestId", - "documentation": "Unique request ID to be specified. This is needed to prevent retries from creating multiple resources.", - "idempotencyToken": true + "locationName": "audioPids", + "documentation": "Packet Identifier (PID) of the elementary audio stream(s) in the transport stream. Multiple values are accepted, and can be entered in ranges and/or by comma separation. Can be entered as decimal or hexadecimal values." }, - "Start": { + "EcmPid": { "shape": "__string", - "locationName": "start", - "documentation": "Requested reservation start time (UTC) in ISO-8601 format. The specified time must be between the first day of the current month and one year from now. If no value is given, the default is now." + "locationName": "ecmPid", + "documentation": "This parameter is unused and deprecated." }, - "Tags": { - "shape": "Tags", - "locationName": "tags", - "documentation": "A collection of key-value pairs" - } - }, - "documentation": "PurchaseOffering request", - "required": [ - "Count" - ] - }, - "PurchaseOfferingRequest": { - "type": "structure", - "members": { - "Count": { - "shape": "__integerMin1", - "locationName": "count", - "documentation": "Number of resources" + "NielsenId3Behavior": { + "shape": "M3u8NielsenId3Behavior", + "locationName": "nielsenId3Behavior", + "documentation": "If set to passthrough, Nielsen inaudible tones for media tracking will be detected in the input audio and an equivalent ID3 tag will be inserted in the output." }, - "Name": { + "PatInterval": { + "shape": "__integerMin0Max1000", + "locationName": "patInterval", + "documentation": "The number of milliseconds between instances of this table in the output transport stream. A value of \\\"0\\\" writes out the PMT once per segment file." + }, + "PcrControl": { + "shape": "M3u8PcrControl", + "locationName": "pcrControl", + "documentation": "When set to pcrEveryPesPacket, a Program Clock Reference value is inserted for every Packetized Elementary Stream (PES) header. This parameter is effective only when the PCR PID is the same as the video or audio elementary stream." + }, + "PcrPeriod": { + "shape": "__integerMin0Max500", + "locationName": "pcrPeriod", + "documentation": "Maximum time in milliseconds between Program Clock References (PCRs) inserted into the transport stream." + }, + "PcrPid": { "shape": "__string", - "locationName": "name", - "documentation": "Name for the new reservation" + "locationName": "pcrPid", + "documentation": "Packet Identifier (PID) of the Program Clock Reference (PCR) in the transport stream. When no value is given, the encoder will assign the same value as the Video PID. Can be entered as a decimal or hexadecimal value." }, - "OfferingId": { + "PmtInterval": { + "shape": "__integerMin0Max1000", + "locationName": "pmtInterval", + "documentation": "The number of milliseconds between instances of this table in the output transport stream. A value of \\\"0\\\" writes out the PMT once per segment file." + }, + "PmtPid": { "shape": "__string", - "location": "uri", - "locationName": "offeringId", - "documentation": "Offering to purchase, e.g. '87654321'" + "locationName": "pmtPid", + "documentation": "Packet Identifier (PID) for the Program Map Table (PMT) in the transport stream. Can be entered as a decimal or hexadecimal value." }, - "RenewalSettings": { - "shape": "RenewalSettings", - "locationName": "renewalSettings", - "documentation": "Renewal settings for the reservation" + "ProgramNum": { + "shape": "__integerMin0Max65535", + "locationName": "programNum", + "documentation": "The value of the program number field in the Program Map Table." }, - "RequestId": { + "Scte35Behavior": { + "shape": "M3u8Scte35Behavior", + "locationName": "scte35Behavior", + "documentation": "If set to passthrough, passes any SCTE-35 signals from the input source to this output." + }, + "Scte35Pid": { "shape": "__string", - "locationName": "requestId", - "documentation": "Unique request ID to be specified. This is needed to prevent retries from creating multiple resources.", - "idempotencyToken": true + "locationName": "scte35Pid", + "documentation": "Packet Identifier (PID) of the SCTE-35 stream in the transport stream. Can be entered as a decimal or hexadecimal value." }, - "Start": { + "TimedMetadataBehavior": { + "shape": "M3u8TimedMetadataBehavior", + "locationName": "timedMetadataBehavior", + "documentation": "When set to passthrough, timed metadata is passed through from input to output." + }, + "TimedMetadataPid": { "shape": "__string", - "locationName": "start", - "documentation": "Requested reservation start time (UTC) in ISO-8601 format. The specified time must be between the first day of the current month and one year from now. If no value is given, the default is now." + "locationName": "timedMetadataPid", + "documentation": "Packet Identifier (PID) of the timed metadata stream in the transport stream. Can be entered as a decimal or hexadecimal value. Valid values are 32 (or 0x20)..8182 (or 0x1ff6)." }, - "Tags": { - "shape": "Tags", - "locationName": "tags", - "documentation": "A collection of key-value pairs" - } - }, - "required": [ - "OfferingId", - "Count" - ], - "documentation": "Placeholder documentation for PurchaseOfferingRequest" - }, - "PurchaseOfferingResponse": { - "type": "structure", - "members": { - "Reservation": { - "shape": "Reservation", - "locationName": "reservation" - } - }, - "documentation": "Placeholder documentation for PurchaseOfferingResponse" - }, - "PurchaseOfferingResultModel": { - "type": "structure", - "members": { - "Reservation": { - "shape": "Reservation", - "locationName": "reservation" + "TransportStreamId": { + "shape": "__integerMin0Max65535", + "locationName": "transportStreamId", + "documentation": "The value of the transport stream ID field in the Program Map Table." + }, + "VideoPid": { + "shape": "__string", + "locationName": "videoPid", + "documentation": "Packet Identifier (PID) of the elementary video stream in the transport stream. Can be entered as a decimal or hexadecimal value." + }, + "KlvBehavior": { + "shape": "M3u8KlvBehavior", + "locationName": "klvBehavior", + "documentation": "If set to passthrough, passes any KLV data from the input source to this output." + }, + "KlvDataPids": { + "shape": "__string", + "locationName": "klvDataPids", + "documentation": "Packet Identifier (PID) for input source KLV data to this output. Multiple values are accepted, and can be entered in ranges and/or by comma separation. Can be entered as decimal or hexadecimal values. Each PID specified must be in the range of 32 (or 0x20)..8182 (or 0x1ff6)." } }, - "documentation": "PurchaseOffering response" + "documentation": "Settings information for the .m3u8 container" }, - "RawSettings": { - "type": "structure", - "members": { - }, - "documentation": "Raw Settings" + "M3u8TimedMetadataBehavior": { + "type": "string", + "documentation": "M3u8 Timed Metadata Behavior", + "enum": [ + "NO_PASSTHROUGH", + "PASSTHROUGH" + ] }, - "RebootInputDevice": { + "MaintenanceCreateSettings": { "type": "structure", "members": { - "Force": { - "shape": "RebootInputDeviceForce", - "locationName": "force", - "documentation": "Force a reboot of an input device. If the device is streaming, it will stop streaming and begin rebooting within a few seconds of sending the command. If the device was streaming prior to the reboot, the device will resume streaming when the reboot completes." + "MaintenanceDay": { + "shape": "MaintenanceDay", + "locationName": "maintenanceDay", + "documentation": "Choose one day of the week for maintenance. The chosen day is used for all future maintenance windows." + }, + "MaintenanceStartTime": { + "shape": "__stringPattern010920300", + "locationName": "maintenanceStartTime", + "documentation": "Choose the hour that maintenance will start. The chosen time is used for all future maintenance windows." } }, - "documentation": "Placeholder documentation for RebootInputDevice" + "documentation": "Placeholder documentation for MaintenanceCreateSettings" }, - "RebootInputDeviceForce": { + "MaintenanceDay": { "type": "string", - "documentation": "Whether or not to force reboot the input device.", + "documentation": "The currently selected maintenance day.", "enum": [ - "NO", - "YES" + "MONDAY", + "TUESDAY", + "WEDNESDAY", + "THURSDAY", + "FRIDAY", + "SATURDAY", + "SUNDAY" ] }, - "RebootInputDeviceRequest": { + "MaintenanceStatus": { "type": "structure", "members": { - "Force": { - "shape": "RebootInputDeviceForce", - "locationName": "force", - "documentation": "Force a reboot of an input device. If the device is streaming, it will stop streaming and begin rebooting within a few seconds of sending the command. If the device was streaming prior to the reboot, the device will resume streaming when the reboot completes." + "MaintenanceDay": { + "shape": "MaintenanceDay", + "locationName": "maintenanceDay", + "documentation": "The currently selected maintenance day." }, - "InputDeviceId": { + "MaintenanceDeadline": { "shape": "__string", - "location": "uri", - "locationName": "inputDeviceId", - "documentation": "The unique ID of the input device to reboot. For example, hd-123456789abcdef." + "locationName": "maintenanceDeadline", + "documentation": "Maintenance is required by the displayed date and time. Date and time is in ISO." + }, + "MaintenanceScheduledDate": { + "shape": "__string", + "locationName": "maintenanceScheduledDate", + "documentation": "The currently scheduled maintenance date and time. Date and time is in ISO." + }, + "MaintenanceStartTime": { + "shape": "__string", + "locationName": "maintenanceStartTime", + "documentation": "The currently selected maintenance start time. Time is in UTC." } }, - "documentation": "A request to reboot an AWS Elemental device.", - "required": [ - "InputDeviceId" - ] + "documentation": "Placeholder documentation for MaintenanceStatus" }, - "RebootInputDeviceResponse": { + "MaintenanceUpdateSettings": { "type": "structure", "members": { + "MaintenanceDay": { + "shape": "MaintenanceDay", + "locationName": "maintenanceDay", + "documentation": "Choose one day of the week for maintenance. The chosen day is used for all future maintenance windows." + }, + "MaintenanceScheduledDate": { + "shape": "__string", + "locationName": "maintenanceScheduledDate", + "documentation": "Choose a specific date for maintenance to occur. The chosen date is used for the next maintenance window only." + }, + "MaintenanceStartTime": { + "shape": "__stringPattern010920300", + "locationName": "maintenanceStartTime", + "documentation": "Choose the hour that maintenance will start. The chosen time is used for all future maintenance windows." + } }, - "documentation": "Placeholder documentation for RebootInputDeviceResponse" + "documentation": "Placeholder documentation for MaintenanceUpdateSettings" }, - "Rec601Settings": { - "type": "structure", - "members": { - }, - "documentation": "Rec601 Settings" + "MaxResults": { + "type": "integer", + "min": 1, + "max": 1000, + "documentation": "Placeholder documentation for MaxResults" }, - "Rec709Settings": { + "MediaConnectFlow": { "type": "structure", "members": { + "FlowArn": { + "shape": "__string", + "locationName": "flowArn", + "documentation": "The unique ARN of the MediaConnect Flow being used as a source." + } }, - "documentation": "Rec709 Settings" + "documentation": "The settings for a MediaConnect Flow." }, - "RejectInputDeviceTransferRequest": { + "MediaConnectFlowRequest": { "type": "structure", "members": { - "InputDeviceId": { + "FlowArn": { "shape": "__string", - "location": "uri", - "locationName": "inputDeviceId", - "documentation": "The unique ID of the input device to reject. For example, hd-123456789abcdef." + "locationName": "flowArn", + "documentation": "The ARN of the MediaConnect Flow that you want to use as a source." } }, - "required": [ - "InputDeviceId" - ], - "documentation": "Placeholder documentation for RejectInputDeviceTransferRequest" + "documentation": "The settings for a MediaConnect Flow." }, - "RejectInputDeviceTransferResponse": { + "MediaPackageGroupSettings": { "type": "structure", "members": { + "Destination": { + "shape": "OutputLocationRef", + "locationName": "destination", + "documentation": "MediaPackage channel destination." + } }, - "documentation": "Placeholder documentation for RejectInputDeviceTransferResponse" + "documentation": "Media Package Group Settings", + "required": [ + "Destination" + ] }, - "RemixSettings": { + "MediaPackageOutputDestinationSettings": { "type": "structure", "members": { - "ChannelMappings": { - "shape": "__listOfAudioChannelMapping", - "locationName": "channelMappings", - "documentation": "Mapping of input channels to output channels, with appropriate gain adjustments." - }, - "ChannelsIn": { - "shape": "__integerMin1Max16", - "locationName": "channelsIn", - "documentation": "Number of input channels to be used." - }, - "ChannelsOut": { - "shape": "__integerMin1Max8", - "locationName": "channelsOut", - "documentation": "Number of output channels to be produced.\nValid values: 1, 2, 4, 6, 8" + "ChannelId": { + "shape": "__stringMin1", + "locationName": "channelId", + "documentation": "ID of the channel in MediaPackage that is the destination for this output group. You do not need to specify the individual inputs in MediaPackage; MediaLive will handle the connection of the two MediaLive pipelines to the two MediaPackage inputs. The MediaPackage channel and MediaLive channel must be in the same region." } }, - "documentation": "Remix Settings", - "required": [ - "ChannelMappings" - ] + "documentation": "MediaPackage Output Destination Settings" }, - "RenewalSettings": { + "MediaPackageOutputSettings": { "type": "structure", "members": { - "AutomaticRenewal": { - "shape": "ReservationAutomaticRenewal", - "locationName": "automaticRenewal", - "documentation": "Automatic renewal status for the reservation" - }, - "RenewalCount": { - "shape": "__integerMin1", - "locationName": "renewalCount", - "documentation": "Count for the reservation renewal" - } }, - "documentation": "The Renewal settings for Reservations" + "documentation": "Media Package Output Settings" }, - "Reservation": { + "MotionGraphicsActivateScheduleActionSettings": { "type": "structure", "members": { - "Arn": { - "shape": "__string", - "locationName": "arn", - "documentation": "Unique reservation ARN, e.g. 'arn:aws:medialive:us-west-2:123456789012:reservation:1234567'" - }, - "Count": { - "shape": "__integer", - "locationName": "count", - "documentation": "Number of reserved resources" - }, - "CurrencyCode": { - "shape": "__string", - "locationName": "currencyCode", - "documentation": "Currency code for usagePrice and fixedPrice in ISO-4217 format, e.g. 'USD'" - }, "Duration": { - "shape": "__integer", + "shape": "__longMin0Max86400000", "locationName": "duration", - "documentation": "Lease duration, e.g. '12'" - }, - "DurationUnits": { - "shape": "OfferingDurationUnits", - "locationName": "durationUnits", - "documentation": "Units for duration, e.g. 'MONTHS'" - }, - "End": { - "shape": "__string", - "locationName": "end", - "documentation": "Reservation UTC end date and time in ISO-8601 format, e.g. '2019-03-01T00:00:00'" - }, - "FixedPrice": { - "shape": "__double", - "locationName": "fixedPrice", - "documentation": "One-time charge for each reserved resource, e.g. '0.0' for a NO_UPFRONT offering" - }, - "Name": { - "shape": "__string", - "locationName": "name", - "documentation": "User specified reservation name" - }, - "OfferingDescription": { - "shape": "__string", - "locationName": "offeringDescription", - "documentation": "Offering description, e.g. 'HD AVC output at 10-20 Mbps, 30 fps, and standard VQ in US West (Oregon)'" - }, - "OfferingId": { - "shape": "__string", - "locationName": "offeringId", - "documentation": "Unique offering ID, e.g. '87654321'" - }, - "OfferingType": { - "shape": "OfferingType", - "locationName": "offeringType", - "documentation": "Offering type, e.g. 'NO_UPFRONT'" + "documentation": "Duration (in milliseconds) that motion graphics should render on to the video stream. Leaving out this property or setting to 0 will result in rendering continuing until a deactivate action is processed." }, - "Region": { + "PasswordParam": { "shape": "__string", - "locationName": "region", - "documentation": "AWS region, e.g. 'us-west-2'" - }, - "RenewalSettings": { - "shape": "RenewalSettings", - "locationName": "renewalSettings", - "documentation": "Renewal settings for the reservation" + "locationName": "passwordParam", + "documentation": "Key used to extract the password from EC2 Parameter store" }, - "ReservationId": { + "Url": { "shape": "__string", - "locationName": "reservationId", - "documentation": "Unique reservation ID, e.g. '1234567'" - }, - "ResourceSpecification": { - "shape": "ReservationResourceSpecification", - "locationName": "resourceSpecification", - "documentation": "Resource configuration details" + "locationName": "url", + "documentation": "URI of the HTML5 content to be rendered into the live stream." }, - "Start": { + "Username": { "shape": "__string", - "locationName": "start", - "documentation": "Reservation UTC start date and time in ISO-8601 format, e.g. '2018-03-01T00:00:00'" - }, - "State": { - "shape": "ReservationState", - "locationName": "state", - "documentation": "Current state of reservation, e.g. 'ACTIVE'" - }, - "Tags": { - "shape": "Tags", - "locationName": "tags", - "documentation": "A collection of key-value pairs" + "locationName": "username", + "documentation": "Documentation update needed" + } + }, + "documentation": "Settings to specify the rendering of motion graphics into the video stream." + }, + "MotionGraphicsConfiguration": { + "type": "structure", + "members": { + "MotionGraphicsInsertion": { + "shape": "MotionGraphicsInsertion", + "locationName": "motionGraphicsInsertion" }, - "UsagePrice": { - "shape": "__double", - "locationName": "usagePrice", - "documentation": "Recurring usage charge for each reserved resource, e.g. '157.0'" + "MotionGraphicsSettings": { + "shape": "MotionGraphicsSettings", + "locationName": "motionGraphicsSettings", + "documentation": "Motion Graphics Settings" } }, - "documentation": "Reserved resources available to use" + "documentation": "Motion Graphics Configuration", + "required": [ + "MotionGraphicsSettings" + ] }, - "ReservationAutomaticRenewal": { + "MotionGraphicsDeactivateScheduleActionSettings": { + "type": "structure", + "members": { + }, + "documentation": "Settings to specify the ending of rendering motion graphics into the video stream." + }, + "MotionGraphicsInsertion": { "type": "string", - "documentation": "Automatic Renewal Status for Reservation", + "documentation": "Motion Graphics Insertion", "enum": [ "DISABLED", - "ENABLED", - "UNAVAILABLE" + "ENABLED" ] }, - "ReservationCodec": { + "MotionGraphicsSettings": { + "type": "structure", + "members": { + "HtmlMotionGraphicsSettings": { + "shape": "HtmlMotionGraphicsSettings", + "locationName": "htmlMotionGraphicsSettings" + } + }, + "documentation": "Motion Graphics Settings" + }, + "Mp2CodingMode": { "type": "string", - "documentation": "Codec, 'MPEG2', 'AVC', 'HEVC', or 'AUDIO'", + "documentation": "Mp2 Coding Mode", "enum": [ - "MPEG2", - "AVC", - "HEVC", - "AUDIO", - "LINK" + "CODING_MODE_1_0", + "CODING_MODE_2_0" ] }, - "ReservationMaximumBitrate": { + "Mp2Settings": { + "type": "structure", + "members": { + "Bitrate": { + "shape": "__double", + "locationName": "bitrate", + "documentation": "Average bitrate in bits/second." + }, + "CodingMode": { + "shape": "Mp2CodingMode", + "locationName": "codingMode", + "documentation": "The MPEG2 Audio coding mode. Valid values are codingMode10 (for mono) or codingMode20 (for stereo)." + }, + "SampleRate": { + "shape": "__double", + "locationName": "sampleRate", + "documentation": "Sample rate in Hz." + } + }, + "documentation": "Mp2 Settings" + }, + "Mpeg2AdaptiveQuantization": { "type": "string", - "documentation": "Maximum bitrate in megabits per second", + "documentation": "Mpeg2 Adaptive Quantization", "enum": [ - "MAX_10_MBPS", - "MAX_20_MBPS", - "MAX_50_MBPS" + "AUTO", + "HIGH", + "LOW", + "MEDIUM", + "OFF" ] }, - "ReservationMaximumFramerate": { + "Mpeg2ColorMetadata": { "type": "string", - "documentation": "Maximum framerate in frames per second (Outputs only)", + "documentation": "Mpeg2 Color Metadata", "enum": [ - "MAX_30_FPS", - "MAX_60_FPS" + "IGNORE", + "INSERT" ] }, - "ReservationResolution": { + "Mpeg2ColorSpace": { "type": "string", - "documentation": "Resolution based on lines of vertical resolution; SD is less than 720 lines, HD is 720 to 1080 lines, FHD is 1080 lines, UHD is greater than 1080 lines", + "documentation": "Mpeg2 Color Space", "enum": [ - "SD", - "HD", - "FHD", - "UHD" + "AUTO", + "PASSTHROUGH" ] }, - "ReservationResourceSpecification": { - "type": "structure", - "members": { - "ChannelClass": { - "shape": "ChannelClass", - "locationName": "channelClass", - "documentation": "Channel class, e.g. 'STANDARD'" - }, - "Codec": { - "shape": "ReservationCodec", - "locationName": "codec", - "documentation": "Codec, e.g. 'AVC'" - }, - "MaximumBitrate": { - "shape": "ReservationMaximumBitrate", - "locationName": "maximumBitrate", - "documentation": "Maximum bitrate, e.g. 'MAX_20_MBPS'" - }, - "MaximumFramerate": { - "shape": "ReservationMaximumFramerate", - "locationName": "maximumFramerate", - "documentation": "Maximum framerate, e.g. 'MAX_30_FPS' (Outputs only)" - }, - "Resolution": { - "shape": "ReservationResolution", - "locationName": "resolution", - "documentation": "Resolution, e.g. 'HD'" - }, - "ResourceType": { - "shape": "ReservationResourceType", - "locationName": "resourceType", - "documentation": "Resource type, 'INPUT', 'OUTPUT', 'MULTIPLEX', or 'CHANNEL'" - }, - "SpecialFeature": { - "shape": "ReservationSpecialFeature", - "locationName": "specialFeature", - "documentation": "Special feature, e.g. 'AUDIO_NORMALIZATION' (Channels only)" - }, - "VideoQuality": { - "shape": "ReservationVideoQuality", - "locationName": "videoQuality", - "documentation": "Video quality, e.g. 'STANDARD' (Outputs only)" - } - }, - "documentation": "Resource configuration (codec, resolution, bitrate, ...)" - }, - "ReservationResourceType": { - "type": "string", - "documentation": "Resource type, 'INPUT', 'OUTPUT', 'MULTIPLEX', or 'CHANNEL'", - "enum": [ - "INPUT", - "OUTPUT", - "MULTIPLEX", - "CHANNEL" - ] - }, - "ReservationSpecialFeature": { - "type": "string", - "documentation": "Special features, 'ADVANCED_AUDIO' 'AUDIO_NORMALIZATION' 'MGHD' or 'MGUHD'", - "enum": [ - "ADVANCED_AUDIO", - "AUDIO_NORMALIZATION", - "MGHD", - "MGUHD" - ] - }, - "ReservationState": { - "type": "string", - "documentation": "Current reservation state", - "enum": [ - "ACTIVE", - "EXPIRED", - "CANCELED", - "DELETED" - ] - }, - "ReservationVideoQuality": { + "Mpeg2DisplayRatio": { "type": "string", - "documentation": "Video quality, e.g. 'STANDARD' (Outputs only)", + "documentation": "Mpeg2 Display Ratio", "enum": [ - "STANDARD", - "ENHANCED", - "PREMIUM" + "DISPLAYRATIO16X9", + "DISPLAYRATIO4X3" ] }, - "ResourceConflict": { - "type": "structure", - "members": { - "Message": { - "shape": "__string", - "locationName": "message" - } - }, - "documentation": "Placeholder documentation for ResourceConflict" - }, - "ResourceNotFound": { + "Mpeg2FilterSettings": { "type": "structure", "members": { - "Message": { - "shape": "__string", - "locationName": "message" + "TemporalFilterSettings": { + "shape": "TemporalFilterSettings", + "locationName": "temporalFilterSettings" } }, - "documentation": "Placeholder documentation for ResourceNotFound" - }, - "RtmpAdMarkers": { - "type": "string", - "documentation": "Rtmp Ad Markers", - "enum": [ - "ON_CUE_POINT_SCTE35" - ] + "documentation": "Mpeg2 Filter Settings" }, - "RtmpCacheFullBehavior": { + "Mpeg2GopSizeUnits": { "type": "string", - "documentation": "Rtmp Cache Full Behavior", + "documentation": "Mpeg2 Gop Size Units", "enum": [ - "DISCONNECT_IMMEDIATELY", - "WAIT_FOR_SERVER" + "FRAMES", + "SECONDS" ] }, - "RtmpCaptionData": { + "Mpeg2ScanType": { "type": "string", - "documentation": "Rtmp Caption Data", + "documentation": "Mpeg2 Scan Type", "enum": [ - "ALL", - "FIELD1_608", - "FIELD1_AND_FIELD2_608" + "INTERLACED", + "PROGRESSIVE" ] }, - "RtmpCaptionInfoDestinationSettings": { - "type": "structure", - "members": { - }, - "documentation": "Rtmp Caption Info Destination Settings" - }, - "RtmpGroupSettings": { + "Mpeg2Settings": { "type": "structure", "members": { - "AdMarkers": { - "shape": "__listOfRtmpAdMarkers", - "locationName": "adMarkers", - "documentation": "Choose the ad marker type for this output group. MediaLive will create a message based on the content of each SCTE-35 message, format it for that marker type, and insert it in the datastream." + "AdaptiveQuantization": { + "shape": "Mpeg2AdaptiveQuantization", + "locationName": "adaptiveQuantization", + "documentation": "Choose Off to disable adaptive quantization. Or choose another value to enable the quantizer and set its strength. The strengths are: Auto, Off, Low, Medium, High. When you enable this field, MediaLive allows intra-frame quantizers to vary, which might improve visual quality." }, - "AuthenticationScheme": { - "shape": "AuthenticationScheme", - "locationName": "authenticationScheme", - "documentation": "Authentication scheme to use when connecting with CDN" + "AfdSignaling": { + "shape": "AfdSignaling", + "locationName": "afdSignaling", + "documentation": "Indicates the AFD values that MediaLive will write into the video encode. If you do not know what AFD signaling is, or if your downstream system has not given you guidance, choose AUTO.\nAUTO: MediaLive will try to preserve the input AFD value (in cases where multiple AFD values are valid).\nFIXED: MediaLive will use the value you specify in fixedAFD." }, - "CacheFullBehavior": { - "shape": "RtmpCacheFullBehavior", - "locationName": "cacheFullBehavior", - "documentation": "Controls behavior when content cache fills up. If remote origin server stalls the RTMP connection and does not accept content fast enough the 'Media Cache' will fill up. When the cache reaches the duration specified by cacheLength the cache will stop accepting new content. If set to disconnectImmediately, the RTMP output will force a disconnect. Clear the media cache, and reconnect after restartDelay seconds. If set to waitForServer, the RTMP output will wait up to 5 minutes to allow the origin server to begin accepting data again." + "ColorMetadata": { + "shape": "Mpeg2ColorMetadata", + "locationName": "colorMetadata", + "documentation": "Specifies whether to include the color space metadata. The metadata describes the color space that applies to the video (the colorSpace field). We recommend that you insert the metadata." }, - "CacheLength": { - "shape": "__integerMin30", - "locationName": "cacheLength", - "documentation": "Cache length, in seconds, is used to calculate buffer size." + "ColorSpace": { + "shape": "Mpeg2ColorSpace", + "locationName": "colorSpace", + "documentation": "Choose the type of color space conversion to apply to the output. For detailed information on setting up both the input and the output to obtain the desired color space in the output, see the section on \\\"MediaLive Features - Video - color space\\\" in the MediaLive User Guide.\nPASSTHROUGH: Keep the color space of the input content - do not convert it.\nAUTO:Convert all content that is SD to rec 601, and convert all content that is HD to rec 709." }, - "CaptionData": { - "shape": "RtmpCaptionData", - "locationName": "captionData", - "documentation": "Controls the types of data that passes to onCaptionInfo outputs. If set to 'all' then 608 and 708 carried DTVCC data will be passed. If set to 'field1AndField2608' then DTVCC data will be stripped out, but 608 data from both fields will be passed. If set to 'field1608' then only the data carried in 608 from field 1 video will be passed." + "DisplayAspectRatio": { + "shape": "Mpeg2DisplayRatio", + "locationName": "displayAspectRatio", + "documentation": "Sets the pixel aspect ratio for the encode." }, - "InputLossAction": { - "shape": "InputLossActionForRtmpOut", - "locationName": "inputLossAction", - "documentation": "Controls the behavior of this RTMP group if input becomes unavailable.\n\n- emitOutput: Emit a slate until input returns.\n- pauseOutput: Stop transmitting data until input returns. This does not close the underlying RTMP connection." + "FilterSettings": { + "shape": "Mpeg2FilterSettings", + "locationName": "filterSettings", + "documentation": "Optionally specify a noise reduction filter, which can improve quality of compressed content. If you do not choose a filter, no filter will be applied.\nTEMPORAL: This filter is useful for both source content that is noisy (when it has excessive digital artifacts) and source content that is clean.\nWhen the content is noisy, the filter cleans up the source content before the encoding phase, with these two effects: First, it improves the output video quality because the content has been cleaned up. Secondly, it decreases the bandwidth because MediaLive does not waste bits on encoding noise.\nWhen the content is reasonably clean, the filter tends to decrease the bitrate." }, - "RestartDelay": { + "FixedAfd": { + "shape": "FixedAfd", + "locationName": "fixedAfd", + "documentation": "Complete this field only when afdSignaling is set to FIXED. Enter the AFD value (4 bits) to write on all frames of the video encode." + }, + "FramerateDenominator": { + "shape": "__integerMin1", + "locationName": "framerateDenominator", + "documentation": "description\": \"The framerate denominator. For example, 1001. The framerate is the numerator divided by the denominator. For example, 24000 / 1001 = 23.976 FPS." + }, + "FramerateNumerator": { + "shape": "__integerMin1", + "locationName": "framerateNumerator", + "documentation": "The framerate numerator. For example, 24000. The framerate is the numerator divided by the denominator. For example, 24000 / 1001 = 23.976 FPS." + }, + "GopClosedCadence": { "shape": "__integerMin0", - "locationName": "restartDelay", - "documentation": "If a streaming output fails, number of seconds to wait until a restart is initiated. A value of 0 means never restart." + "locationName": "gopClosedCadence", + "documentation": "MPEG2: default is open GOP." }, - "IncludeFillerNalUnits": { - "shape": "IncludeFillerNalUnits", - "locationName": "includeFillerNalUnits", - "documentation": "Applies only when the rate control mode (in the codec settings) is CBR (constant bit rate). Controls whether the RTMP output stream is padded (with FILL NAL units) in order to achieve a constant bit rate that is truly constant. When there is no padding, the bandwidth varies (up to the bitrate value in the codec settings). We recommend that you choose Auto." + "GopNumBFrames": { + "shape": "__integerMin0Max7", + "locationName": "gopNumBFrames", + "documentation": "Relates to the GOP structure. The number of B-frames between reference frames. If you do not know what a B-frame is, use the default." + }, + "GopSize": { + "shape": "__double", + "locationName": "gopSize", + "documentation": "Relates to the GOP structure. The GOP size (keyframe interval) in the units specified in gopSizeUnits. If you do not know what GOP is, use the default.\nIf gopSizeUnits is frames, then the gopSize must be an integer and must be greater than or equal to 1.\nIf gopSizeUnits is seconds, the gopSize must be greater than 0, but does not need to be an integer." + }, + "GopSizeUnits": { + "shape": "Mpeg2GopSizeUnits", + "locationName": "gopSizeUnits", + "documentation": "Relates to the GOP structure. Specifies whether the gopSize is specified in frames or seconds. If you do not plan to change the default gopSize, leave the default. If you specify SECONDS, MediaLive will internally convert the gop size to a frame count." + }, + "ScanType": { + "shape": "Mpeg2ScanType", + "locationName": "scanType", + "documentation": "Set the scan type of the output to PROGRESSIVE or INTERLACED (top field first)." + }, + "SubgopLength": { + "shape": "Mpeg2SubGopLength", + "locationName": "subgopLength", + "documentation": "Relates to the GOP structure. If you do not know what GOP is, use the default.\nFIXED: Set the number of B-frames in each sub-GOP to the value in gopNumBFrames.\nDYNAMIC: Let MediaLive optimize the number of B-frames in each sub-GOP, to improve visual quality." + }, + "TimecodeInsertion": { + "shape": "Mpeg2TimecodeInsertionBehavior", + "locationName": "timecodeInsertion", + "documentation": "Determines how MediaLive inserts timecodes in the output video. For detailed information about setting up the input and the output for a timecode, see the section on \\\"MediaLive Features - Timecode configuration\\\" in the MediaLive User Guide.\nDISABLED: do not include timecodes.\nGOP_TIMECODE: Include timecode metadata in the GOP header." + }, + "TimecodeBurninSettings": { + "shape": "TimecodeBurninSettings", + "locationName": "timecodeBurninSettings", + "documentation": "Timecode burn-in settings" } }, - "documentation": "Rtmp Group Settings" + "documentation": "Mpeg2 Settings", + "required": [ + "FramerateNumerator", + "FramerateDenominator" + ] }, - "RtmpOutputCertificateMode": { + "Mpeg2SubGopLength": { "type": "string", - "documentation": "Rtmp Output Certificate Mode", + "documentation": "Mpeg2 Sub Gop Length", "enum": [ - "SELF_SIGNED", - "VERIFY_AUTHENTICITY" + "DYNAMIC", + "FIXED" ] }, - "RtmpOutputSettings": { + "Mpeg2TimecodeInsertionBehavior": { + "type": "string", + "documentation": "Mpeg2 Timecode Insertion Behavior", + "enum": [ + "DISABLED", + "GOP_TIMECODE" + ] + }, + "MsSmoothGroupSettings": { "type": "structure", "members": { + "AcquisitionPointId": { + "shape": "__string", + "locationName": "acquisitionPointId", + "documentation": "The ID to include in each message in the sparse track. Ignored if sparseTrackType is NONE." + }, + "AudioOnlyTimecodeControl": { + "shape": "SmoothGroupAudioOnlyTimecodeControl", + "locationName": "audioOnlyTimecodeControl", + "documentation": "If set to passthrough for an audio-only MS Smooth output, the fragment absolute time will be set to the current timecode. This option does not write timecodes to the audio elementary stream." + }, "CertificateMode": { - "shape": "RtmpOutputCertificateMode", + "shape": "SmoothGroupCertificateMode", "locationName": "certificateMode", - "documentation": "If set to verifyAuthenticity, verify the tls certificate chain to a trusted Certificate Authority (CA). This will cause rtmps outputs with self-signed certificates to fail." + "documentation": "If set to verifyAuthenticity, verify the https certificate chain to a trusted Certificate Authority (CA). This will cause https outputs to self-signed certificates to fail." }, "ConnectionRetryInterval": { - "shape": "__integerMin1", + "shape": "__integerMin0", "locationName": "connectionRetryInterval", - "documentation": "Number of seconds to wait before retrying a connection to the Flash Media server if the connection is lost." + "documentation": "Number of seconds to wait before retrying connection to the IIS server if the connection is lost. Content will be cached during this time and the cache will be be delivered to the IIS server once the connection is re-established." }, "Destination": { "shape": "OutputLocationRef", "locationName": "destination", - "documentation": "The RTMP endpoint excluding the stream name (eg. rtmp://host/appname). For connection to Akamai, a username and password must be supplied. URI fields accept format identifiers." + "documentation": "Smooth Streaming publish point on an IIS server. Elemental Live acts as a \"Push\" encoder to IIS." + }, + "EventId": { + "shape": "__string", + "locationName": "eventId", + "documentation": "MS Smooth event ID to be sent to the IIS server.\n\nShould only be specified if eventIdMode is set to useConfigured." + }, + "EventIdMode": { + "shape": "SmoothGroupEventIdMode", + "locationName": "eventIdMode", + "documentation": "Specifies whether or not to send an event ID to the IIS server. If no event ID is sent and the same Live Event is used without changing the publishing point, clients might see cached video from the previous run.\n\nOptions:\n- \"useConfigured\" - use the value provided in eventId\n- \"useTimestamp\" - generate and send an event ID based on the current timestamp\n- \"noEventId\" - do not send an event ID to the IIS server." + }, + "EventStopBehavior": { + "shape": "SmoothGroupEventStopBehavior", + "locationName": "eventStopBehavior", + "documentation": "When set to sendEos, send EOS signal to IIS server when stopping the event" + }, + "FilecacheDuration": { + "shape": "__integerMin0", + "locationName": "filecacheDuration", + "documentation": "Size in seconds of file cache for streaming outputs." + }, + "FragmentLength": { + "shape": "__integerMin1", + "locationName": "fragmentLength", + "documentation": "Length of mp4 fragments to generate (in seconds). Fragment length must be compatible with GOP size and framerate." + }, + "InputLossAction": { + "shape": "InputLossActionForMsSmoothOut", + "locationName": "inputLossAction", + "documentation": "Parameter that control output group behavior on input loss." }, "NumRetries": { "shape": "__integerMin0", "locationName": "numRetries", "documentation": "Number of retry attempts." + }, + "RestartDelay": { + "shape": "__integerMin0", + "locationName": "restartDelay", + "documentation": "Number of seconds before initiating a restart due to output failure, due to exhausting the numRetries on one segment, or exceeding filecacheDuration." + }, + "SegmentationMode": { + "shape": "SmoothGroupSegmentationMode", + "locationName": "segmentationMode", + "documentation": "useInputSegmentation has been deprecated. The configured segment size is always used." + }, + "SendDelayMs": { + "shape": "__integerMin0Max10000", + "locationName": "sendDelayMs", + "documentation": "Number of milliseconds to delay the output from the second pipeline." + }, + "SparseTrackType": { + "shape": "SmoothGroupSparseTrackType", + "locationName": "sparseTrackType", + "documentation": "Identifies the type of data to place in the sparse track:\n- SCTE35: Insert SCTE-35 messages from the source content. With each message, insert an IDR frame to start a new segment.\n- SCTE35_WITHOUT_SEGMENTATION: Insert SCTE-35 messages from the source content. With each message, insert an IDR frame but don't start a new segment.\n- NONE: Don't generate a sparse track for any outputs in this output group." + }, + "StreamManifestBehavior": { + "shape": "SmoothGroupStreamManifestBehavior", + "locationName": "streamManifestBehavior", + "documentation": "When set to send, send stream manifest so publishing point doesn't start until all streams start." + }, + "TimestampOffset": { + "shape": "__string", + "locationName": "timestampOffset", + "documentation": "Timestamp offset for the event. Only used if timestampOffsetMode is set to useConfiguredOffset." + }, + "TimestampOffsetMode": { + "shape": "SmoothGroupTimestampOffsetMode", + "locationName": "timestampOffsetMode", + "documentation": "Type of timestamp date offset to use.\n- useEventStartDate: Use the date the event was started as the offset\n- useConfiguredOffset: Use an explicitly configured date as the offset" } }, - "documentation": "Rtmp Output Settings", + "documentation": "Ms Smooth Group Settings", "required": [ "Destination" ] }, - "S3CannedAcl": { + "MsSmoothH265PackagingType": { "type": "string", - "documentation": "S3 Canned Acl", + "documentation": "Ms Smooth H265 Packaging Type", "enum": [ - "AUTHENTICATED_READ", - "BUCKET_OWNER_FULL_CONTROL", - "BUCKET_OWNER_READ", - "PUBLIC_READ" + "HEV1", + "HVC1" ] }, - "ScheduleAction": { + "MsSmoothOutputSettings": { "type": "structure", "members": { - "ActionName": { - "shape": "__string", - "locationName": "actionName", - "documentation": "The name of the action, must be unique within the schedule. This name provides the main reference to an action once it is added to the schedule. A name is unique if it is no longer in the schedule. The schedule is automatically cleaned up to remove actions with a start time of more than 1 hour ago (approximately) so at that point a name can be reused." - }, - "ScheduleActionSettings": { - "shape": "ScheduleActionSettings", - "locationName": "scheduleActionSettings", - "documentation": "Settings for this schedule action." + "H265PackagingType": { + "shape": "MsSmoothH265PackagingType", + "locationName": "h265PackagingType", + "documentation": "Only applicable when this output is referencing an H.265 video description.\nSpecifies whether MP4 segments should be packaged as HEV1 or HVC1." }, - "ScheduleActionStartSettings": { - "shape": "ScheduleActionStartSettings", - "locationName": "scheduleActionStartSettings", - "documentation": "The time for the action to start in the channel." + "NameModifier": { + "shape": "__string", + "locationName": "nameModifier", + "documentation": "String concatenated to the end of the destination filename. Required for multiple outputs of the same type." } }, - "documentation": "Contains information on a single schedule action.", - "required": [ - "ActionName", - "ScheduleActionStartSettings", - "ScheduleActionSettings" - ] + "documentation": "Ms Smooth Output Settings" }, - "ScheduleActionSettings": { + "Multiplex": { "type": "structure", "members": { - "HlsId3SegmentTaggingSettings": { - "shape": "HlsId3SegmentTaggingScheduleActionSettings", - "locationName": "hlsId3SegmentTaggingSettings", - "documentation": "Action to insert HLS ID3 segment tagging" - }, - "HlsTimedMetadataSettings": { - "shape": "HlsTimedMetadataScheduleActionSettings", - "locationName": "hlsTimedMetadataSettings", - "documentation": "Action to insert HLS metadata" - }, - "InputPrepareSettings": { - "shape": "InputPrepareScheduleActionSettings", - "locationName": "inputPrepareSettings", - "documentation": "Action to prepare an input for a future immediate input switch" - }, - "InputSwitchSettings": { - "shape": "InputSwitchScheduleActionSettings", - "locationName": "inputSwitchSettings", - "documentation": "Action to switch the input" - }, - "MotionGraphicsImageActivateSettings": { - "shape": "MotionGraphicsActivateScheduleActionSettings", - "locationName": "motionGraphicsImageActivateSettings", - "documentation": "Action to activate a motion graphics image overlay" - }, - "MotionGraphicsImageDeactivateSettings": { - "shape": "MotionGraphicsDeactivateScheduleActionSettings", - "locationName": "motionGraphicsImageDeactivateSettings", - "documentation": "Action to deactivate a motion graphics image overlay" + "Arn": { + "shape": "__string", + "locationName": "arn", + "documentation": "The unique arn of the multiplex." }, - "PauseStateSettings": { - "shape": "PauseStateScheduleActionSettings", - "locationName": "pauseStateSettings", - "documentation": "Action to pause or unpause one or both channel pipelines" + "AvailabilityZones": { + "shape": "__listOf__string", + "locationName": "availabilityZones", + "documentation": "A list of availability zones for the multiplex." }, - "Scte35InputSettings": { - "shape": "Scte35InputScheduleActionSettings", - "locationName": "scte35InputSettings", - "documentation": "Action to specify scte35 input" + "Destinations": { + "shape": "__listOfMultiplexOutputDestination", + "locationName": "destinations", + "documentation": "A list of the multiplex output destinations." }, - "Scte35ReturnToNetworkSettings": { - "shape": "Scte35ReturnToNetworkScheduleActionSettings", - "locationName": "scte35ReturnToNetworkSettings", - "documentation": "Action to insert SCTE-35 return_to_network message" + "Id": { + "shape": "__string", + "locationName": "id", + "documentation": "The unique id of the multiplex." }, - "Scte35SpliceInsertSettings": { - "shape": "Scte35SpliceInsertScheduleActionSettings", - "locationName": "scte35SpliceInsertSettings", - "documentation": "Action to insert SCTE-35 splice_insert message" + "MultiplexSettings": { + "shape": "MultiplexSettings", + "locationName": "multiplexSettings", + "documentation": "Configuration for a multiplex event." }, - "Scte35TimeSignalSettings": { - "shape": "Scte35TimeSignalScheduleActionSettings", - "locationName": "scte35TimeSignalSettings", - "documentation": "Action to insert SCTE-35 time_signal message" + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "The name of the multiplex." }, - "StaticImageActivateSettings": { - "shape": "StaticImageActivateScheduleActionSettings", - "locationName": "staticImageActivateSettings", - "documentation": "Action to activate a static image overlay" + "PipelinesRunningCount": { + "shape": "__integer", + "locationName": "pipelinesRunningCount", + "documentation": "The number of currently healthy pipelines." }, - "StaticImageDeactivateSettings": { - "shape": "StaticImageDeactivateScheduleActionSettings", - "locationName": "staticImageDeactivateSettings", - "documentation": "Action to deactivate a static image overlay" + "ProgramCount": { + "shape": "__integer", + "locationName": "programCount", + "documentation": "The number of programs in the multiplex." }, - "StaticImageOutputActivateSettings": { - "shape": "StaticImageOutputActivateScheduleActionSettings", - "locationName": "staticImageOutputActivateSettings", - "documentation": "Action to activate a static image overlay in one or more specified outputs" + "State": { + "shape": "MultiplexState", + "locationName": "state", + "documentation": "The current state of the multiplex." }, - "StaticImageOutputDeactivateSettings": { - "shape": "StaticImageOutputDeactivateScheduleActionSettings", - "locationName": "staticImageOutputDeactivateSettings", - "documentation": "Action to deactivate a static image overlay in one or more specified outputs" + "Tags": { + "shape": "Tags", + "locationName": "tags", + "documentation": "A collection of key-value pairs." } }, - "documentation": "Holds the settings for a single schedule action." + "documentation": "The multiplex object." }, - "ScheduleActionStartSettings": { + "MultiplexConfigurationValidationError": { "type": "structure", "members": { - "FixedModeScheduleActionStartSettings": { - "shape": "FixedModeScheduleActionStartSettings", - "locationName": "fixedModeScheduleActionStartSettings", - "documentation": "Option for specifying the start time for an action." + "Message": { + "shape": "__string", + "locationName": "message", + "documentation": "The error message." }, - "FollowModeScheduleActionStartSettings": { - "shape": "FollowModeScheduleActionStartSettings", - "locationName": "followModeScheduleActionStartSettings", - "documentation": "Option for specifying an action as relative to another action." - }, - "ImmediateModeScheduleActionStartSettings": { - "shape": "ImmediateModeScheduleActionStartSettings", - "locationName": "immediateModeScheduleActionStartSettings", - "documentation": "Option for specifying an action that should be applied immediately." + "ValidationErrors": { + "shape": "__listOfValidationError", + "locationName": "validationErrors", + "documentation": "A collection of validation error responses." } }, - "documentation": "Settings to specify when an action should occur. Only one of the options must be selected." + "documentation": "Placeholder documentation for MultiplexConfigurationValidationError" }, - "ScheduleDeleteResultModel": { + "MultiplexGroupSettings": { "type": "structure", "members": { }, - "documentation": "Result of a schedule deletion." + "documentation": "Multiplex Group Settings" }, - "ScheduleDescribeResultModel": { + "MultiplexMediaConnectOutputDestinationSettings": { "type": "structure", "members": { - "NextToken": { - "shape": "__string", - "locationName": "nextToken", - "documentation": "The next token; for use in pagination." - }, - "ScheduleActions": { - "shape": "__listOfScheduleAction", - "locationName": "scheduleActions", - "documentation": "The list of actions in the schedule." + "EntitlementArn": { + "shape": "__stringMin1", + "locationName": "entitlementArn", + "documentation": "The MediaConnect entitlement ARN available as a Flow source." } }, - "documentation": "Results of a schedule describe.", - "required": [ - "ScheduleActions" - ] - }, - "Scte20Convert608To708": { - "type": "string", - "documentation": "Scte20 Convert608 To708", - "enum": [ - "DISABLED", - "UPCONVERT" - ] + "documentation": "Multiplex MediaConnect output destination settings." }, - "Scte20PlusEmbeddedDestinationSettings": { + "MultiplexOutputDestination": { "type": "structure", "members": { + "MediaConnectSettings": { + "shape": "MultiplexMediaConnectOutputDestinationSettings", + "locationName": "mediaConnectSettings", + "documentation": "Multiplex MediaConnect output destination settings." + } }, - "documentation": "Scte20 Plus Embedded Destination Settings" + "documentation": "Multiplex output destination settings" }, - "Scte20SourceSettings": { + "MultiplexOutputSettings": { "type": "structure", "members": { - "Convert608To708": { - "shape": "Scte20Convert608To708", - "locationName": "convert608To708", - "documentation": "If upconvert, 608 data is both passed through via the \"608 compatibility bytes\" fields of the 708 wrapper as well as translated into 708. 708 data present in the source content will be discarded." - }, - "Source608ChannelNumber": { - "shape": "__integerMin1Max4", - "locationName": "source608ChannelNumber", - "documentation": "Specifies the 608/708 channel number within the video track from which to extract captions. Unused for passthrough." + "Destination": { + "shape": "OutputLocationRef", + "locationName": "destination", + "documentation": "Destination is a Multiplex." } }, - "documentation": "Scte20 Source Settings" + "documentation": "Multiplex Output Settings", + "required": [ + "Destination" + ] }, - "Scte27DestinationSettings": { + "MultiplexProgram": { "type": "structure", "members": { + "ChannelId": { + "shape": "__string", + "locationName": "channelId", + "documentation": "The MediaLive channel associated with the program." + }, + "MultiplexProgramSettings": { + "shape": "MultiplexProgramSettings", + "locationName": "multiplexProgramSettings", + "documentation": "The settings for this multiplex program." + }, + "PacketIdentifiersMap": { + "shape": "MultiplexProgramPacketIdentifiersMap", + "locationName": "packetIdentifiersMap", + "documentation": "The packet identifier map for this multiplex program." + }, + "PipelineDetails": { + "shape": "__listOfMultiplexProgramPipelineDetail", + "locationName": "pipelineDetails", + "documentation": "Contains information about the current sources for the specified program in the specified multiplex. Keep in mind that each multiplex pipeline connects to both pipelines in a given source channel (the channel identified by the program). But only one of those channel pipelines is ever active at one time." + }, + "ProgramName": { + "shape": "__string", + "locationName": "programName", + "documentation": "The name of the multiplex program." + } }, - "documentation": "Scte27 Destination Settings" - }, - "Scte27OcrLanguage": { - "type": "string", - "documentation": "Scte27 Ocr Language", - "enum": [ - "DEU", - "ENG", - "FRA", - "NLD", - "POR", - "SPA" - ] + "documentation": "The multiplex program object." }, - "Scte27SourceSettings": { + "MultiplexProgramChannelDestinationSettings": { "type": "structure", "members": { - "OcrLanguage": { - "shape": "Scte27OcrLanguage", - "locationName": "ocrLanguage", - "documentation": "If you will configure a WebVTT caption description that references this caption selector, use this field to\nprovide the language to consider when translating the image-based source to text." + "MultiplexId": { + "shape": "__stringMin1", + "locationName": "multiplexId", + "documentation": "The ID of the Multiplex that the encoder is providing output to. You do not need to specify the individual inputs to the Multiplex; MediaLive will handle the connection of the two MediaLive pipelines to the two Multiplex instances.\nThe Multiplex must be in the same region as the Channel." }, - "Pid": { - "shape": "__integerMin1", - "locationName": "pid", - "documentation": "The pid field is used in conjunction with the caption selector languageCode field as follows:\n - Specify PID and Language: Extracts captions from that PID; the language is \"informational\".\n - Specify PID and omit Language: Extracts the specified PID.\n - Omit PID and specify Language: Extracts the specified language, whichever PID that happens to be.\n - Omit PID and omit Language: Valid only if source is DVB-Sub that is being passed through; all languages will be passed through." + "ProgramName": { + "shape": "__stringMin1", + "locationName": "programName", + "documentation": "The program name of the Multiplex program that the encoder is providing output to." } }, - "documentation": "Scte27 Source Settings" - }, - "Scte35AposNoRegionalBlackoutBehavior": { - "type": "string", - "documentation": "Scte35 Apos No Regional Blackout Behavior", - "enum": [ - "FOLLOW", - "IGNORE" - ] - }, - "Scte35AposWebDeliveryAllowedBehavior": { - "type": "string", - "documentation": "Scte35 Apos Web Delivery Allowed Behavior", - "enum": [ - "FOLLOW", - "IGNORE" - ] - }, - "Scte35ArchiveAllowedFlag": { - "type": "string", - "documentation": "Corresponds to the archive_allowed parameter. A value of ARCHIVE_NOT_ALLOWED corresponds to 0 (false) in the SCTE-35 specification. If you include one of the \"restriction\" flags then you must include all four of them.", - "enum": [ - "ARCHIVE_NOT_ALLOWED", - "ARCHIVE_ALLOWED" - ] + "documentation": "Multiplex Program Input Destination Settings for outputting a Channel to a Multiplex" }, - "Scte35DeliveryRestrictions": { + "MultiplexProgramPacketIdentifiersMap": { "type": "structure", "members": { - "ArchiveAllowedFlag": { - "shape": "Scte35ArchiveAllowedFlag", - "locationName": "archiveAllowedFlag", - "documentation": "Corresponds to SCTE-35 archive_allowed_flag." + "AudioPids": { + "shape": "__listOf__integer", + "locationName": "audioPids" }, - "DeviceRestrictions": { - "shape": "Scte35DeviceRestrictions", - "locationName": "deviceRestrictions", - "documentation": "Corresponds to SCTE-35 device_restrictions parameter." + "DvbSubPids": { + "shape": "__listOf__integer", + "locationName": "dvbSubPids" }, - "NoRegionalBlackoutFlag": { - "shape": "Scte35NoRegionalBlackoutFlag", - "locationName": "noRegionalBlackoutFlag", - "documentation": "Corresponds to SCTE-35 no_regional_blackout_flag parameter." + "DvbTeletextPid": { + "shape": "__integer", + "locationName": "dvbTeletextPid" }, - "WebDeliveryAllowedFlag": { - "shape": "Scte35WebDeliveryAllowedFlag", - "locationName": "webDeliveryAllowedFlag", - "documentation": "Corresponds to SCTE-35 web_delivery_allowed_flag parameter." + "EtvPlatformPid": { + "shape": "__integer", + "locationName": "etvPlatformPid" + }, + "EtvSignalPid": { + "shape": "__integer", + "locationName": "etvSignalPid" + }, + "KlvDataPids": { + "shape": "__listOf__integer", + "locationName": "klvDataPids" + }, + "PcrPid": { + "shape": "__integer", + "locationName": "pcrPid" + }, + "PmtPid": { + "shape": "__integer", + "locationName": "pmtPid" + }, + "PrivateMetadataPid": { + "shape": "__integer", + "locationName": "privateMetadataPid" + }, + "Scte27Pids": { + "shape": "__listOf__integer", + "locationName": "scte27Pids" + }, + "Scte35Pid": { + "shape": "__integer", + "locationName": "scte35Pid" + }, + "TimedMetadataPid": { + "shape": "__integer", + "locationName": "timedMetadataPid" + }, + "VideoPid": { + "shape": "__integer", + "locationName": "videoPid" + }, + "AribCaptionsPid": { + "shape": "__integer", + "locationName": "aribCaptionsPid" + }, + "DvbTeletextPids": { + "shape": "__listOf__integer", + "locationName": "dvbTeletextPids" + }, + "EcmPid": { + "shape": "__integer", + "locationName": "ecmPid" + }, + "Smpte2038Pid": { + "shape": "__integer", + "locationName": "smpte2038Pid" } }, - "documentation": "Corresponds to SCTE-35 delivery_not_restricted_flag parameter. To declare delivery restrictions, include this element and its four \"restriction\" flags. To declare that there are no restrictions, omit this element.", - "required": [ - "DeviceRestrictions", - "ArchiveAllowedFlag", - "WebDeliveryAllowedFlag", - "NoRegionalBlackoutFlag" - ] + "documentation": "Packet identifiers map for a given Multiplex program." }, - "Scte35Descriptor": { + "MultiplexProgramPipelineDetail": { "type": "structure", "members": { - "Scte35DescriptorSettings": { - "shape": "Scte35DescriptorSettings", - "locationName": "scte35DescriptorSettings", - "documentation": "SCTE-35 Descriptor Settings." + "ActiveChannelPipeline": { + "shape": "__string", + "locationName": "activeChannelPipeline", + "documentation": "Identifies the channel pipeline that is currently active for the pipeline (identified by PipelineId) in the multiplex." + }, + "PipelineId": { + "shape": "__string", + "locationName": "pipelineId", + "documentation": "Identifies a specific pipeline in the multiplex." } }, - "documentation": "Holds one set of SCTE-35 Descriptor Settings.", - "required": [ - "Scte35DescriptorSettings" - ] + "documentation": "The current source for one of the pipelines in the multiplex." }, - "Scte35DescriptorSettings": { + "MultiplexProgramServiceDescriptor": { "type": "structure", "members": { - "SegmentationDescriptorScte35DescriptorSettings": { - "shape": "Scte35SegmentationDescriptor", - "locationName": "segmentationDescriptorScte35DescriptorSettings", - "documentation": "SCTE-35 Segmentation Descriptor." + "ProviderName": { + "shape": "__stringMax256", + "locationName": "providerName", + "documentation": "Name of the provider." + }, + "ServiceName": { + "shape": "__stringMax256", + "locationName": "serviceName", + "documentation": "Name of the service." } }, - "documentation": "SCTE-35 Descriptor settings.", + "documentation": "Transport stream service descriptor configuration for the Multiplex program.", "required": [ - "SegmentationDescriptorScte35DescriptorSettings" - ] - }, - "Scte35DeviceRestrictions": { - "type": "string", - "documentation": "Corresponds to the device_restrictions parameter in a segmentation_descriptor. If you include one of the \"restriction\" flags then you must include all four of them.", - "enum": [ - "NONE", - "RESTRICT_GROUP0", - "RESTRICT_GROUP1", - "RESTRICT_GROUP2" - ] - }, - "Scte35InputMode": { - "type": "string", - "documentation": "Whether the SCTE-35 input should be the active input or a fixed input.", - "enum": [ - "FIXED", - "FOLLOW_ACTIVE" + "ProviderName", + "ServiceName" ] }, - "Scte35InputScheduleActionSettings": { + "MultiplexProgramSettings": { "type": "structure", "members": { - "InputAttachmentNameReference": { - "shape": "__string", - "locationName": "inputAttachmentNameReference", - "documentation": "In fixed mode, enter the name of the input attachment that you want to use as a SCTE-35 input. (Don't enter the ID of the input.)\"" + "PreferredChannelPipeline": { + "shape": "PreferredChannelPipeline", + "locationName": "preferredChannelPipeline", + "documentation": "Indicates which pipeline is preferred by the multiplex for program ingest." }, - "Mode": { - "shape": "Scte35InputMode", - "locationName": "mode", - "documentation": "Whether the SCTE-35 input should be the active input or a fixed input." + "ProgramNumber": { + "shape": "__integerMin0Max65535", + "locationName": "programNumber", + "documentation": "Unique program number." + }, + "ServiceDescriptor": { + "shape": "MultiplexProgramServiceDescriptor", + "locationName": "serviceDescriptor", + "documentation": "Transport stream service descriptor configuration for the Multiplex program." + }, + "VideoSettings": { + "shape": "MultiplexVideoSettings", + "locationName": "videoSettings", + "documentation": "Program video settings configuration." } }, - "documentation": "Scte35Input Schedule Action Settings", + "documentation": "Multiplex Program settings configuration.", "required": [ - "Mode" - ] - }, - "Scte35NoRegionalBlackoutFlag": { - "type": "string", - "documentation": "Corresponds to the no_regional_blackout_flag parameter. A value of REGIONAL_BLACKOUT corresponds to 0 (false) in the SCTE-35 specification. If you include one of the \"restriction\" flags then you must include all four of them.", - "enum": [ - "REGIONAL_BLACKOUT", - "NO_REGIONAL_BLACKOUT" + "ProgramNumber" ] }, - "Scte35ReturnToNetworkScheduleActionSettings": { + "MultiplexProgramSummary": { "type": "structure", "members": { - "SpliceEventId": { - "shape": "__longMin0Max4294967295", - "locationName": "spliceEventId", - "documentation": "The splice_event_id for the SCTE-35 splice_insert, as defined in SCTE-35." + "ChannelId": { + "shape": "__string", + "locationName": "channelId", + "documentation": "The MediaLive Channel associated with the program." + }, + "ProgramName": { + "shape": "__string", + "locationName": "programName", + "documentation": "The name of the multiplex program." } }, - "documentation": "Settings for a SCTE-35 return_to_network message.", - "required": [ - "SpliceEventId" - ] - }, - "Scte35SegmentationCancelIndicator": { - "type": "string", - "documentation": "Corresponds to SCTE-35 segmentation_event_cancel_indicator. SEGMENTATION_EVENT_NOT_CANCELED corresponds to 0 in the SCTE-35 specification and indicates that this is an insertion request. SEGMENTATION_EVENT_CANCELED corresponds to 1 in the SCTE-35 specification and indicates that this is a cancelation request, in which case complete this field and the existing event ID to cancel.", - "enum": [ - "SEGMENTATION_EVENT_NOT_CANCELED", - "SEGMENTATION_EVENT_CANCELED" - ] + "documentation": "Placeholder documentation for MultiplexProgramSummary" }, - "Scte35SegmentationDescriptor": { + "MultiplexSettings": { "type": "structure", "members": { - "DeliveryRestrictions": { - "shape": "Scte35DeliveryRestrictions", - "locationName": "deliveryRestrictions", - "documentation": "Holds the four SCTE-35 delivery restriction parameters." - }, - "SegmentNum": { - "shape": "__integerMin0Max255", - "locationName": "segmentNum", - "documentation": "Corresponds to SCTE-35 segment_num. A value that is valid for the specified segmentation_type_id." - }, - "SegmentationCancelIndicator": { - "shape": "Scte35SegmentationCancelIndicator", - "locationName": "segmentationCancelIndicator", - "documentation": "Corresponds to SCTE-35 segmentation_event_cancel_indicator." - }, - "SegmentationDuration": { - "shape": "__longMin0Max1099511627775", - "locationName": "segmentationDuration", - "documentation": "Corresponds to SCTE-35 segmentation_duration. Optional. The duration for the time_signal, in 90 KHz ticks. To convert seconds to ticks, multiple the seconds by 90,000. Enter time in 90 KHz clock ticks. If you do not enter a duration, the time_signal will continue until you insert a cancellation message." - }, - "SegmentationEventId": { - "shape": "__longMin0Max4294967295", - "locationName": "segmentationEventId", - "documentation": "Corresponds to SCTE-35 segmentation_event_id. " - }, - "SegmentationTypeId": { - "shape": "__integerMin0Max255", - "locationName": "segmentationTypeId", - "documentation": "Corresponds to SCTE-35 segmentation_type_id. One of the segmentation_type_id values listed in the SCTE-35 specification. On the console, enter the ID in decimal (for example, \"52\"). In the CLI, API, or an SDK, enter the ID in hex (for example, \"0x34\") or decimal (for example, \"52\")." - }, - "SegmentationUpid": { - "shape": "__string", - "locationName": "segmentationUpid", - "documentation": "Corresponds to SCTE-35 segmentation_upid. Enter a string containing the hexadecimal representation of the characters that make up the SCTE-35 segmentation_upid value. Must contain an even number of hex characters. Do not include spaces between each hex pair. For example, the ASCII \"ADS Information\" becomes hex \"41445320496e666f726d6174696f6e." - }, - "SegmentationUpidType": { - "shape": "__integerMin0Max255", - "locationName": "segmentationUpidType", - "documentation": "Corresponds to SCTE-35 segmentation_upid_type. On the console, enter one of the types listed in the SCTE-35 specification, converted to a decimal. For example, \"0x0C\" hex from the specification is \"12\" in decimal. In the CLI, API, or an SDK, enter one of the types listed in the SCTE-35 specification, in either hex (for example, \"0x0C\" ) or in decimal (for example, \"12\")." + "MaximumVideoBufferDelayMilliseconds": { + "shape": "__integerMin800Max3000", + "locationName": "maximumVideoBufferDelayMilliseconds", + "documentation": "Maximum video buffer delay in milliseconds." }, - "SegmentsExpected": { - "shape": "__integerMin0Max255", - "locationName": "segmentsExpected", - "documentation": "Corresponds to SCTE-35 segments_expected. A value that is valid for the specified segmentation_type_id." + "TransportStreamBitrate": { + "shape": "__integerMin1000000Max100000000", + "locationName": "transportStreamBitrate", + "documentation": "Transport stream bit rate." }, - "SubSegmentNum": { - "shape": "__integerMin0Max255", - "locationName": "subSegmentNum", - "documentation": "Corresponds to SCTE-35 sub_segment_num. A value that is valid for the specified segmentation_type_id." + "TransportStreamId": { + "shape": "__integerMin0Max65535", + "locationName": "transportStreamId", + "documentation": "Transport stream ID." }, - "SubSegmentsExpected": { - "shape": "__integerMin0Max255", - "locationName": "subSegmentsExpected", - "documentation": "Corresponds to SCTE-35 sub_segments_expected. A value that is valid for the specified segmentation_type_id." + "TransportStreamReservedBitrate": { + "shape": "__integerMin0Max100000000", + "locationName": "transportStreamReservedBitrate", + "documentation": "Transport stream reserved bit rate." } }, - "documentation": "Corresponds to SCTE-35 segmentation_descriptor.", + "documentation": "Contains configuration for a Multiplex event", "required": [ - "SegmentationEventId", - "SegmentationCancelIndicator" + "TransportStreamBitrate", + "TransportStreamId" ] }, - "Scte35SpliceInsert": { + "MultiplexSettingsSummary": { "type": "structure", "members": { - "AdAvailOffset": { - "shape": "__integerMinNegative1000Max1000", - "locationName": "adAvailOffset", - "documentation": "When specified, this offset (in milliseconds) is added to the input Ad Avail PTS time. This only applies to embedded SCTE 104/35 messages and does not apply to OOB messages." - }, - "NoRegionalBlackoutFlag": { - "shape": "Scte35SpliceInsertNoRegionalBlackoutBehavior", - "locationName": "noRegionalBlackoutFlag", - "documentation": "When set to ignore, Segment Descriptors with noRegionalBlackoutFlag set to 0 will no longer trigger blackouts or Ad Avail slates" - }, - "WebDeliveryAllowedFlag": { - "shape": "Scte35SpliceInsertWebDeliveryAllowedBehavior", - "locationName": "webDeliveryAllowedFlag", - "documentation": "When set to ignore, Segment Descriptors with webDeliveryAllowedFlag set to 0 will no longer trigger blackouts or Ad Avail slates" + "TransportStreamBitrate": { + "shape": "__integerMin1000000Max100000000", + "locationName": "transportStreamBitrate", + "documentation": "Transport stream bit rate." } }, - "documentation": "Typical configuration that applies breaks on splice inserts in addition to time signal placement opportunities, breaks, and advertisements." + "documentation": "Contains summary configuration for a Multiplex event." }, - "Scte35SpliceInsertNoRegionalBlackoutBehavior": { + "MultiplexState": { "type": "string", - "documentation": "Scte35 Splice Insert No Regional Blackout Behavior", + "documentation": "The current state of the multiplex.", "enum": [ - "FOLLOW", - "IGNORE" + "CREATING", + "CREATE_FAILED", + "IDLE", + "STARTING", + "RUNNING", + "RECOVERING", + "STOPPING", + "DELETING", + "DELETED" ] }, - "Scte35SpliceInsertScheduleActionSettings": { + "MultiplexStatmuxVideoSettings": { "type": "structure", "members": { - "Duration": { - "shape": "__longMin0Max8589934591", - "locationName": "duration", - "documentation": "Optional, the duration for the splice_insert, in 90 KHz ticks. To convert seconds to ticks, multiple the seconds by 90,000. If you enter a duration, there is an expectation that the downstream system can read the duration and cue in at that time. If you do not enter a duration, the splice_insert will continue indefinitely and there is an expectation that you will enter a return_to_network to end the splice_insert at the appropriate time." + "MaximumBitrate": { + "shape": "__integerMin100000Max100000000", + "locationName": "maximumBitrate", + "documentation": "Maximum statmux bitrate." }, - "SpliceEventId": { - "shape": "__longMin0Max4294967295", - "locationName": "spliceEventId", - "documentation": "The splice_event_id for the SCTE-35 splice_insert, as defined in SCTE-35." + "MinimumBitrate": { + "shape": "__integerMin100000Max100000000", + "locationName": "minimumBitrate", + "documentation": "Minimum statmux bitrate." + }, + "Priority": { + "shape": "__integerMinNegative5Max5", + "locationName": "priority", + "documentation": "The purpose of the priority is to use a combination of the\\nmultiplex rate control algorithm and the QVBR capability of the\\nencoder to prioritize the video quality of some channels in a\\nmultiplex over others. Channels that have a higher priority will\\nget higher video quality at the expense of the video quality of\\nother channels in the multiplex with lower priority." } }, - "documentation": "Settings for a SCTE-35 splice_insert message.", - "required": [ - "SpliceEventId" - ] - }, - "Scte35SpliceInsertWebDeliveryAllowedBehavior": { - "type": "string", - "documentation": "Scte35 Splice Insert Web Delivery Allowed Behavior", - "enum": [ - "FOLLOW", - "IGNORE" - ] + "documentation": "Statmux rate control settings" }, - "Scte35TimeSignalApos": { + "MultiplexSummary": { "type": "structure", "members": { - "AdAvailOffset": { - "shape": "__integerMinNegative1000Max1000", - "locationName": "adAvailOffset", - "documentation": "When specified, this offset (in milliseconds) is added to the input Ad Avail PTS time. This only applies to embedded SCTE 104/35 messages and does not apply to OOB messages." + "Arn": { + "shape": "__string", + "locationName": "arn", + "documentation": "The unique arn of the multiplex." }, - "NoRegionalBlackoutFlag": { - "shape": "Scte35AposNoRegionalBlackoutBehavior", - "locationName": "noRegionalBlackoutFlag", - "documentation": "When set to ignore, Segment Descriptors with noRegionalBlackoutFlag set to 0 will no longer trigger blackouts or Ad Avail slates" + "AvailabilityZones": { + "shape": "__listOf__string", + "locationName": "availabilityZones", + "documentation": "A list of availability zones for the multiplex." }, - "WebDeliveryAllowedFlag": { - "shape": "Scte35AposWebDeliveryAllowedBehavior", - "locationName": "webDeliveryAllowedFlag", - "documentation": "When set to ignore, Segment Descriptors with webDeliveryAllowedFlag set to 0 will no longer trigger blackouts or Ad Avail slates" + "Id": { + "shape": "__string", + "locationName": "id", + "documentation": "The unique id of the multiplex." + }, + "MultiplexSettings": { + "shape": "MultiplexSettingsSummary", + "locationName": "multiplexSettings", + "documentation": "Configuration for a multiplex event." + }, + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "The name of the multiplex." + }, + "PipelinesRunningCount": { + "shape": "__integer", + "locationName": "pipelinesRunningCount", + "documentation": "The number of currently healthy pipelines." + }, + "ProgramCount": { + "shape": "__integer", + "locationName": "programCount", + "documentation": "The number of programs in the multiplex." + }, + "State": { + "shape": "MultiplexState", + "locationName": "state", + "documentation": "The current state of the multiplex." + }, + "Tags": { + "shape": "Tags", + "locationName": "tags", + "documentation": "A collection of key-value pairs." } }, - "documentation": "Atypical configuration that applies segment breaks only on SCTE-35 time signal placement opportunities and breaks." + "documentation": "Placeholder documentation for MultiplexSummary" }, - "Scte35TimeSignalScheduleActionSettings": { + "MultiplexVideoSettings": { "type": "structure", "members": { - "Scte35Descriptors": { - "shape": "__listOfScte35Descriptor", - "locationName": "scte35Descriptors", - "documentation": "The list of SCTE-35 descriptors accompanying the SCTE-35 time_signal." + "ConstantBitrate": { + "shape": "__integerMin100000Max100000000", + "locationName": "constantBitrate", + "documentation": "The constant bitrate configuration for the video encode.\nWhen this field is defined, StatmuxSettings must be undefined." + }, + "StatmuxSettings": { + "shape": "MultiplexStatmuxVideoSettings", + "locationName": "statmuxSettings", + "documentation": "Statmux rate control settings.\nWhen this field is defined, ConstantBitrate must be undefined." } }, - "documentation": "Settings for a SCTE-35 time_signal.", - "required": [ - "Scte35Descriptors" - ] - }, - "Scte35WebDeliveryAllowedFlag": { - "type": "string", - "documentation": "Corresponds to the web_delivery_allowed_flag parameter. A value of WEB_DELIVERY_NOT_ALLOWED corresponds to 0 (false) in the SCTE-35 specification. If you include one of the \"restriction\" flags then you must include all four of them.", - "enum": [ - "WEB_DELIVERY_NOT_ALLOWED", - "WEB_DELIVERY_ALLOWED" - ] + "documentation": "The video configuration for each program in a multiplex." }, - "SmoothGroupAudioOnlyTimecodeControl": { + "NetworkInputServerValidation": { "type": "string", - "documentation": "Smooth Group Audio Only Timecode Control", + "documentation": "Network Input Server Validation", "enum": [ - "PASSTHROUGH", - "USE_CONFIGURED_CLOCK" + "CHECK_CRYPTOGRAPHY_AND_VALIDATE_NAME", + "CHECK_CRYPTOGRAPHY_ONLY" ] }, - "SmoothGroupCertificateMode": { - "type": "string", - "documentation": "Smooth Group Certificate Mode", - "enum": [ - "SELF_SIGNED", - "VERIFY_AUTHENTICITY" - ] + "NetworkInputSettings": { + "type": "structure", + "members": { + "HlsInputSettings": { + "shape": "HlsInputSettings", + "locationName": "hlsInputSettings", + "documentation": "Specifies HLS input settings when the uri is for a HLS manifest." + }, + "ServerValidation": { + "shape": "NetworkInputServerValidation", + "locationName": "serverValidation", + "documentation": "Check HTTPS server certificates. When set to checkCryptographyOnly, cryptography in the certificate will be checked, but not the server's name. Certain subdomains (notably S3 buckets that use dots in the bucket name) do not strictly match the corresponding certificate's wildcard pattern and would otherwise cause the event to error. This setting is ignored for protocols that do not use https." + }, + "MulticastInputSettings": { + "shape": "MulticastInputSettings", + "locationName": "multicastInputSettings", + "documentation": "Specifies multicast input settings when the uri is for a multicast event." + } + }, + "documentation": "Network source to transcode. Must be accessible to the Elemental Live node that is running the live event through a network connection." }, - "SmoothGroupEventIdMode": { - "type": "string", - "documentation": "Smooth Group Event Id Mode", - "enum": [ - "NO_EVENT_ID", - "USE_CONFIGURED", - "USE_TIMESTAMP" + "NielsenCBET": { + "type": "structure", + "members": { + "CbetCheckDigitString": { + "shape": "__stringMin2Max2", + "locationName": "cbetCheckDigitString", + "documentation": "Enter the CBET check digits to use in the watermark." + }, + "CbetStepaside": { + "shape": "NielsenWatermarksCbetStepaside", + "locationName": "cbetStepaside", + "documentation": "Determines the method of CBET insertion mode when prior encoding is detected on the same layer." + }, + "Csid": { + "shape": "__stringMin1Max7", + "locationName": "csid", + "documentation": "Enter the CBET Source ID (CSID) to use in the watermark" + } + }, + "documentation": "Nielsen CBET", + "required": [ + "CbetCheckDigitString", + "CbetStepaside", + "Csid" ] }, - "SmoothGroupEventStopBehavior": { - "type": "string", - "documentation": "Smooth Group Event Stop Behavior", - "enum": [ - "NONE", - "SEND_EOS" - ] + "NielsenConfiguration": { + "type": "structure", + "members": { + "DistributorId": { + "shape": "__string", + "locationName": "distributorId", + "documentation": "Enter the Distributor ID assigned to your organization by Nielsen." + }, + "NielsenPcmToId3Tagging": { + "shape": "NielsenPcmToId3TaggingState", + "locationName": "nielsenPcmToId3Tagging", + "documentation": "Enables Nielsen PCM to ID3 tagging" + } + }, + "documentation": "Nielsen Configuration" }, - "SmoothGroupSegmentationMode": { - "type": "string", - "documentation": "Smooth Group Segmentation Mode", - "enum": [ - "USE_INPUT_SEGMENTATION", - "USE_SEGMENT_DURATION" + "NielsenNaesIiNw": { + "type": "structure", + "members": { + "CheckDigitString": { + "shape": "__stringMin2Max2", + "locationName": "checkDigitString", + "documentation": "Enter the check digit string for the watermark" + }, + "Sid": { + "shape": "__doubleMin1Max65535", + "locationName": "sid", + "documentation": "Enter the Nielsen Source ID (SID) to include in the watermark" + }, + "Timezone": { + "shape": "NielsenWatermarkTimezones", + "locationName": "timezone", + "documentation": "Choose the timezone for the time stamps in the watermark. If not provided,\nthe timestamps will be in Coordinated Universal Time (UTC)" + } + }, + "documentation": "Nielsen Naes Ii Nw", + "required": [ + "CheckDigitString", + "Sid" ] }, - "SmoothGroupSparseTrackType": { + "NielsenPcmToId3TaggingState": { "type": "string", - "documentation": "Smooth Group Sparse Track Type", + "documentation": "State of Nielsen PCM to ID3 tagging", "enum": [ - "NONE", - "SCTE_35", - "SCTE_35_WITHOUT_SEGMENTATION" + "DISABLED", + "ENABLED" ] }, - "SmoothGroupStreamManifestBehavior": { + "NielsenWatermarkTimezones": { "type": "string", - "documentation": "Smooth Group Stream Manifest Behavior", + "documentation": "Nielsen Watermark Timezones", "enum": [ - "DO_NOT_SEND", - "SEND" + "AMERICA_PUERTO_RICO", + "US_ALASKA", + "US_ARIZONA", + "US_CENTRAL", + "US_EASTERN", + "US_HAWAII", + "US_MOUNTAIN", + "US_PACIFIC", + "US_SAMOA", + "UTC" ] }, - "SmoothGroupTimestampOffsetMode": { + "NielsenWatermarksCbetStepaside": { "type": "string", - "documentation": "Smooth Group Timestamp Offset Mode", + "documentation": "Nielsen Watermarks Cbet Stepaside", "enum": [ - "USE_CONFIGURED_OFFSET", - "USE_EVENT_START_DATE" + "DISABLED", + "ENABLED" ] }, - "Smpte2038DataPreference": { + "NielsenWatermarksDistributionTypes": { "type": "string", - "documentation": "Smpte2038 Data Preference", + "documentation": "Nielsen Watermarks Distribution Types", "enum": [ - "IGNORE", - "PREFER" + "FINAL_DISTRIBUTOR", + "PROGRAM_CONTENT" ] }, - "SmpteTtDestinationSettings": { + "NielsenWatermarksSettings": { "type": "structure", "members": { - }, - "documentation": "Smpte Tt Destination Settings" - }, - "StandardHlsSettings": { - "type": "structure", - "members": { - "AudioRenditionSets": { - "shape": "__string", - "locationName": "audioRenditionSets", - "documentation": "List all the audio groups that are used with the video output stream. Input all the audio GROUP-IDs that are associated to the video, separate by ','." + "NielsenCbetSettings": { + "shape": "NielsenCBET", + "locationName": "nielsenCbetSettings", + "documentation": "Complete these fields only if you want to insert watermarks of type Nielsen CBET" }, - "M3u8Settings": { - "shape": "M3u8Settings", - "locationName": "m3u8Settings" + "NielsenDistributionType": { + "shape": "NielsenWatermarksDistributionTypes", + "locationName": "nielsenDistributionType", + "documentation": "Choose the distribution types that you want to assign to the watermarks:\n- PROGRAM_CONTENT\n- FINAL_DISTRIBUTOR" + }, + "NielsenNaesIiNwSettings": { + "shape": "NielsenNaesIiNw", + "locationName": "nielsenNaesIiNwSettings", + "documentation": "Complete these fields only if you want to insert watermarks of type Nielsen NAES II (N2) and Nielsen NAES VI (NW)." } }, - "documentation": "Standard Hls Settings", - "required": [ - "M3u8Settings" - ] + "documentation": "Nielsen Watermarks Settings" }, - "StartChannelRequest": { + "NotFoundException": { "type": "structure", "members": { - "ChannelId": { + "Message": { "shape": "__string", - "location": "uri", - "locationName": "channelId", - "documentation": "A request to start a channel" + "locationName": "message" } }, - "required": [ - "ChannelId" - ], - "documentation": "Placeholder documentation for StartChannelRequest" + "exception": true, + "error": { + "httpStatusCode": 404 + }, + "documentation": "Placeholder documentation for NotFoundException" }, - "StartChannelResponse": { + "Offering": { "type": "structure", "members": { "Arn": { "shape": "__string", "locationName": "arn", - "documentation": "The unique arn of the channel." - }, - "CdiInputSpecification": { - "shape": "CdiInputSpecification", - "locationName": "cdiInputSpecification", - "documentation": "Specification of CDI inputs for this channel" - }, - "ChannelClass": { - "shape": "ChannelClass", - "locationName": "channelClass", - "documentation": "The class for this channel. STANDARD for a channel with two pipelines or SINGLE_PIPELINE for a channel with one pipeline." - }, - "Destinations": { - "shape": "__listOfOutputDestination", - "locationName": "destinations", - "documentation": "A list of destinations of the channel. For UDP outputs, there is one\ndestination per output. For other types (HLS, for example), there is\none destination per packager." - }, - "EgressEndpoints": { - "shape": "__listOfChannelEgressEndpoint", - "locationName": "egressEndpoints", - "documentation": "The endpoints where outgoing connections initiate from" - }, - "EncoderSettings": { - "shape": "EncoderSettings", - "locationName": "encoderSettings" + "documentation": "Unique offering ARN, e.g. 'arn:aws:medialive:us-west-2:123456789012:offering:87654321'" }, - "Id": { + "CurrencyCode": { "shape": "__string", - "locationName": "id", - "documentation": "The unique id of the channel." - }, - "InputAttachments": { - "shape": "__listOfInputAttachment", - "locationName": "inputAttachments", - "documentation": "List of input attachments for channel." + "locationName": "currencyCode", + "documentation": "Currency code for usagePrice and fixedPrice in ISO-4217 format, e.g. 'USD'" }, - "InputSpecification": { - "shape": "InputSpecification", - "locationName": "inputSpecification", - "documentation": "Specification of network and file inputs for this channel" + "Duration": { + "shape": "__integer", + "locationName": "duration", + "documentation": "Lease duration, e.g. '12'" }, - "LogLevel": { - "shape": "LogLevel", - "locationName": "logLevel", - "documentation": "The log level being written to CloudWatch Logs." + "DurationUnits": { + "shape": "OfferingDurationUnits", + "locationName": "durationUnits", + "documentation": "Units for duration, e.g. 'MONTHS'" }, - "Maintenance": { - "shape": "MaintenanceStatus", - "locationName": "maintenance", - "documentation": "Maintenance settings for this channel." + "FixedPrice": { + "shape": "__double", + "locationName": "fixedPrice", + "documentation": "One-time charge for each reserved resource, e.g. '0.0' for a NO_UPFRONT offering" }, - "Name": { + "OfferingDescription": { "shape": "__string", - "locationName": "name", - "documentation": "The name of the channel. (user-mutable)" + "locationName": "offeringDescription", + "documentation": "Offering description, e.g. 'HD AVC output at 10-20 Mbps, 30 fps, and standard VQ in US West (Oregon)'" }, - "PipelineDetails": { - "shape": "__listOfPipelineDetail", - "locationName": "pipelineDetails", - "documentation": "Runtime details for the pipelines of a running channel." + "OfferingId": { + "shape": "__string", + "locationName": "offeringId", + "documentation": "Unique offering ID, e.g. '87654321'" }, - "PipelinesRunningCount": { - "shape": "__integer", - "locationName": "pipelinesRunningCount", - "documentation": "The number of currently healthy pipelines." + "OfferingType": { + "shape": "OfferingType", + "locationName": "offeringType", + "documentation": "Offering type, e.g. 'NO_UPFRONT'" }, - "RoleArn": { + "Region": { "shape": "__string", - "locationName": "roleArn", - "documentation": "The Amazon Resource Name (ARN) of the role assumed when running the Channel." - }, - "State": { - "shape": "ChannelState", - "locationName": "state" + "locationName": "region", + "documentation": "AWS region, e.g. 'us-west-2'" }, - "Tags": { - "shape": "Tags", - "locationName": "tags", - "documentation": "A collection of key-value pairs." + "ResourceSpecification": { + "shape": "ReservationResourceSpecification", + "locationName": "resourceSpecification", + "documentation": "Resource configuration details" }, - "Vpc": { - "shape": "VpcOutputSettingsDescription", - "locationName": "vpc", - "documentation": "Settings for VPC output" + "UsagePrice": { + "shape": "__double", + "locationName": "usagePrice", + "documentation": "Recurring usage charge for each reserved resource, e.g. '157.0'" } }, - "documentation": "Placeholder documentation for StartChannelResponse" + "documentation": "Reserved resources available for purchase" }, - "StartInputDeviceMaintenanceWindowRequest": { - "type": "structure", - "members": { - "InputDeviceId": { - "shape": "__string", - "location": "uri", - "locationName": "inputDeviceId", - "documentation": "The unique ID of the input device to start a maintenance window for. For example, hd-123456789abcdef." - } - }, - "required": [ - "InputDeviceId" - ], - "documentation": "Placeholder documentation for StartInputDeviceMaintenanceWindowRequest" + "OfferingDurationUnits": { + "type": "string", + "documentation": "Units for duration, e.g. 'MONTHS'", + "enum": [ + "MONTHS" + ] }, - "StartInputDeviceMaintenanceWindowResponse": { - "type": "structure", - "members": { - }, - "documentation": "Placeholder documentation for StartInputDeviceMaintenanceWindowResponse" + "OfferingType": { + "type": "string", + "documentation": "Offering type, e.g. 'NO_UPFRONT'", + "enum": [ + "NO_UPFRONT" + ] }, - "StartInputDeviceRequest": { + "Output": { "type": "structure", "members": { - "InputDeviceId": { + "AudioDescriptionNames": { + "shape": "__listOf__string", + "locationName": "audioDescriptionNames", + "documentation": "The names of the AudioDescriptions used as audio sources for this output." + }, + "CaptionDescriptionNames": { + "shape": "__listOf__string", + "locationName": "captionDescriptionNames", + "documentation": "The names of the CaptionDescriptions used as caption sources for this output." + }, + "OutputName": { + "shape": "__stringMin1Max255", + "locationName": "outputName", + "documentation": "The name used to identify an output." + }, + "OutputSettings": { + "shape": "OutputSettings", + "locationName": "outputSettings", + "documentation": "Output type-specific settings." + }, + "VideoDescriptionName": { "shape": "__string", - "location": "uri", - "locationName": "inputDeviceId", - "documentation": "The unique ID of the input device to start. For example, hd-123456789abcdef." + "locationName": "videoDescriptionName", + "documentation": "The name of the VideoDescription used as the source for this output." } }, + "documentation": "Output settings. There can be multiple outputs within a group.", "required": [ - "InputDeviceId" - ], - "documentation": "Placeholder documentation for StartInputDeviceRequest" + "OutputSettings" + ] }, - "StartInputDeviceResponse": { + "OutputDestination": { "type": "structure", "members": { + "Id": { + "shape": "__string", + "locationName": "id", + "documentation": "User-specified id. This is used in an output group or an output." + }, + "MediaPackageSettings": { + "shape": "__listOfMediaPackageOutputDestinationSettings", + "locationName": "mediaPackageSettings", + "documentation": "Destination settings for a MediaPackage output; one destination for both encoders." + }, + "MultiplexSettings": { + "shape": "MultiplexProgramChannelDestinationSettings", + "locationName": "multiplexSettings", + "documentation": "Destination settings for a Multiplex output; one destination for both encoders." + }, + "Settings": { + "shape": "__listOfOutputDestinationSettings", + "locationName": "settings", + "documentation": "Destination settings for a standard output; one destination for each redundant encoder." + }, + "SrtSettings": { + "shape": "__listOfSrtOutputDestinationSettings", + "locationName": "srtSettings", + "documentation": "SRT settings for an SRT output; one destination for each redundant encoder." + } }, - "documentation": "Placeholder documentation for StartInputDeviceResponse" + "documentation": "Placeholder documentation for OutputDestination" }, - "StartMultiplexRequest": { + "OutputDestinationSettings": { "type": "structure", "members": { - "MultiplexId": { + "PasswordParam": { "shape": "__string", - "location": "uri", - "locationName": "multiplexId", - "documentation": "The ID of the multiplex." + "locationName": "passwordParam", + "documentation": "key used to extract the password from EC2 Parameter store" + }, + "StreamName": { + "shape": "__string", + "locationName": "streamName", + "documentation": "Stream name for RTMP destinations (URLs of type rtmp://)" + }, + "Url": { + "shape": "__string", + "locationName": "url", + "documentation": "A URL specifying a destination" + }, + "Username": { + "shape": "__string", + "locationName": "username", + "documentation": "username for destination" + } + }, + "documentation": "Placeholder documentation for OutputDestinationSettings" + }, + "OutputGroup": { + "type": "structure", + "members": { + "Name": { + "shape": "__stringMax32", + "locationName": "name", + "documentation": "Custom output group name optionally defined by the user." + }, + "OutputGroupSettings": { + "shape": "OutputGroupSettings", + "locationName": "outputGroupSettings", + "documentation": "Settings associated with the output group." + }, + "Outputs": { + "shape": "__listOfOutput", + "locationName": "outputs" } }, + "documentation": "Output groups for this Live Event. Output groups contain information about where streams should be distributed.", "required": [ - "MultiplexId" - ], - "documentation": "Placeholder documentation for StartMultiplexRequest" + "Outputs", + "OutputGroupSettings" + ] }, - "StartMultiplexResponse": { + "OutputGroupSettings": { "type": "structure", "members": { - "Arn": { - "shape": "__string", - "locationName": "arn", - "documentation": "The unique arn of the multiplex." + "ArchiveGroupSettings": { + "shape": "ArchiveGroupSettings", + "locationName": "archiveGroupSettings" }, - "AvailabilityZones": { - "shape": "__listOf__string", - "locationName": "availabilityZones", - "documentation": "A list of availability zones for the multiplex." + "FrameCaptureGroupSettings": { + "shape": "FrameCaptureGroupSettings", + "locationName": "frameCaptureGroupSettings" }, - "Destinations": { - "shape": "__listOfMultiplexOutputDestination", - "locationName": "destinations", - "documentation": "A list of the multiplex output destinations." + "HlsGroupSettings": { + "shape": "HlsGroupSettings", + "locationName": "hlsGroupSettings" }, - "Id": { - "shape": "__string", - "locationName": "id", - "documentation": "The unique id of the multiplex." + "MediaPackageGroupSettings": { + "shape": "MediaPackageGroupSettings", + "locationName": "mediaPackageGroupSettings" }, - "MultiplexSettings": { - "shape": "MultiplexSettings", - "locationName": "multiplexSettings", - "documentation": "Configuration for a multiplex event." + "MsSmoothGroupSettings": { + "shape": "MsSmoothGroupSettings", + "locationName": "msSmoothGroupSettings" }, - "Name": { - "shape": "__string", - "locationName": "name", - "documentation": "The name of the multiplex." + "MultiplexGroupSettings": { + "shape": "MultiplexGroupSettings", + "locationName": "multiplexGroupSettings" }, - "PipelinesRunningCount": { - "shape": "__integer", - "locationName": "pipelinesRunningCount", - "documentation": "The number of currently healthy pipelines." + "RtmpGroupSettings": { + "shape": "RtmpGroupSettings", + "locationName": "rtmpGroupSettings" }, - "ProgramCount": { - "shape": "__integer", - "locationName": "programCount", - "documentation": "The number of programs in the multiplex." + "UdpGroupSettings": { + "shape": "UdpGroupSettings", + "locationName": "udpGroupSettings" }, - "State": { - "shape": "MultiplexState", - "locationName": "state", - "documentation": "The current state of the multiplex." + "CmafIngestGroupSettings": { + "shape": "CmafIngestGroupSettings", + "locationName": "cmafIngestGroupSettings" }, - "Tags": { - "shape": "Tags", - "locationName": "tags", - "documentation": "A collection of key-value pairs." + "SrtGroupSettings": { + "shape": "SrtGroupSettings", + "locationName": "srtGroupSettings" } }, - "documentation": "Placeholder documentation for StartMultiplexResponse" + "documentation": "Output Group Settings" }, - "StartTimecode": { + "OutputLocationRef": { "type": "structure", "members": { - "Timecode": { + "DestinationRefId": { "shape": "__string", - "locationName": "timecode", - "documentation": "The timecode for the frame where you want to start the clip. Optional; if not specified, the clip starts at first frame in the file. Enter the timecode as HH:MM:SS:FF or HH:MM:SS;FF." + "locationName": "destinationRefId" } }, - "documentation": "Settings to identify the start of the clip." + "documentation": "Reference to an OutputDestination ID defined in the channel" }, - "StaticImageActivateScheduleActionSettings": { + "OutputLockingSettings": { "type": "structure", "members": { - "Duration": { - "shape": "__integerMin0", - "locationName": "duration", - "documentation": "The duration in milliseconds for the image to remain on the video. If omitted or set to 0 the duration is unlimited and the image will remain until it is explicitly deactivated." + "EpochLockingSettings": { + "shape": "EpochLockingSettings", + "locationName": "epochLockingSettings" }, - "FadeIn": { - "shape": "__integerMin0", - "locationName": "fadeIn", - "documentation": "The time in milliseconds for the image to fade in. The fade-in starts at the start time of the overlay. Default is 0 (no fade-in)." + "PipelineLockingSettings": { + "shape": "PipelineLockingSettings", + "locationName": "pipelineLockingSettings" + } + }, + "documentation": "Output Locking Settings" + }, + "OutputSettings": { + "type": "structure", + "members": { + "ArchiveOutputSettings": { + "shape": "ArchiveOutputSettings", + "locationName": "archiveOutputSettings" }, - "FadeOut": { - "shape": "__integerMin0", - "locationName": "fadeOut", - "documentation": "Applies only if a duration is specified. The time in milliseconds for the image to fade out. The fade-out starts when the duration time is hit, so it effectively extends the duration. Default is 0 (no fade-out)." + "FrameCaptureOutputSettings": { + "shape": "FrameCaptureOutputSettings", + "locationName": "frameCaptureOutputSettings" }, - "Height": { - "shape": "__integerMin1", - "locationName": "height", - "documentation": "The height of the image when inserted into the video, in pixels. The overlay will be scaled up or down to the specified height. Leave blank to use the native height of the overlay." + "HlsOutputSettings": { + "shape": "HlsOutputSettings", + "locationName": "hlsOutputSettings" }, - "Image": { - "shape": "InputLocation", - "locationName": "image", - "documentation": "The location and filename of the image file to overlay on the video. The file must be a 32-bit BMP, PNG, or TGA file, and must not be larger (in pixels) than the input video." + "MediaPackageOutputSettings": { + "shape": "MediaPackageOutputSettings", + "locationName": "mediaPackageOutputSettings" }, - "ImageX": { - "shape": "__integerMin0", - "locationName": "imageX", - "documentation": "Placement of the left edge of the overlay relative to the left edge of the video frame, in pixels. 0 (the default) is the left edge of the frame. If the placement causes the overlay to extend beyond the right edge of the underlying video, then the overlay is cropped on the right." + "MsSmoothOutputSettings": { + "shape": "MsSmoothOutputSettings", + "locationName": "msSmoothOutputSettings" }, - "ImageY": { - "shape": "__integerMin0", - "locationName": "imageY", - "documentation": "Placement of the top edge of the overlay relative to the top edge of the video frame, in pixels. 0 (the default) is the top edge of the frame. If the placement causes the overlay to extend beyond the bottom edge of the underlying video, then the overlay is cropped on the bottom." + "MultiplexOutputSettings": { + "shape": "MultiplexOutputSettings", + "locationName": "multiplexOutputSettings" }, - "Layer": { - "shape": "__integerMin0Max7", - "locationName": "layer", - "documentation": "The number of the layer, 0 to 7. There are 8 layers that can be overlaid on the video, each layer with a different image. The layers are in Z order, which means that overlays with higher values of layer are inserted on top of overlays with lower values of layer. Default is 0." + "RtmpOutputSettings": { + "shape": "RtmpOutputSettings", + "locationName": "rtmpOutputSettings" }, - "Opacity": { - "shape": "__integerMin0Max100", - "locationName": "opacity", - "documentation": "Opacity of image where 0 is transparent and 100 is fully opaque. Default is 100." + "UdpOutputSettings": { + "shape": "UdpOutputSettings", + "locationName": "udpOutputSettings" }, - "Width": { - "shape": "__integerMin1", - "locationName": "width", - "documentation": "The width of the image when inserted into the video, in pixels. The overlay will be scaled up or down to the specified width. Leave blank to use the native width of the overlay." + "CmafIngestOutputSettings": { + "shape": "CmafIngestOutputSettings", + "locationName": "cmafIngestOutputSettings" + }, + "SrtOutputSettings": { + "shape": "SrtOutputSettings", + "locationName": "srtOutputSettings" } }, - "documentation": "Settings for the action to activate a static image.", - "required": [ - "Image" - ] + "documentation": "Output Settings" }, - "StaticImageDeactivateScheduleActionSettings": { + "PassThroughSettings": { "type": "structure", "members": { - "FadeOut": { - "shape": "__integerMin0", - "locationName": "fadeOut", - "documentation": "The time in milliseconds for the image to fade out. Default is 0 (no fade-out)." - }, - "Layer": { - "shape": "__integerMin0Max7", - "locationName": "layer", - "documentation": "The image overlay layer to deactivate, 0 to 7. Default is 0." + }, + "documentation": "Pass Through Settings" + }, + "PauseStateScheduleActionSettings": { + "type": "structure", + "members": { + "Pipelines": { + "shape": "__listOfPipelinePauseStateSettings", + "locationName": "pipelines" } }, - "documentation": "Settings for the action to deactivate the image in a specific layer." + "documentation": "Settings for the action to set pause state of a channel." }, - "StaticImageOutputActivateScheduleActionSettings": { + "PipelineDetail": { "type": "structure", "members": { - "Duration": { - "shape": "__integerMin0", - "locationName": "duration", - "documentation": "The duration in milliseconds for the image to remain on the video. If omitted or set to 0 the duration is unlimited and the image will remain until it is explicitly deactivated." + "ActiveInputAttachmentName": { + "shape": "__string", + "locationName": "activeInputAttachmentName", + "documentation": "The name of the active input attachment currently being ingested by this pipeline." }, - "FadeIn": { - "shape": "__integerMin0", - "locationName": "fadeIn", - "documentation": "The time in milliseconds for the image to fade in. The fade-in starts at the start time of the overlay. Default is 0 (no fade-in)." + "ActiveInputSwitchActionName": { + "shape": "__string", + "locationName": "activeInputSwitchActionName", + "documentation": "The name of the input switch schedule action that occurred most recently and that resulted in the switch to the current input attachment for this pipeline." }, - "FadeOut": { - "shape": "__integerMin0", - "locationName": "fadeOut", - "documentation": "Applies only if a duration is specified. The time in milliseconds for the image to fade out. The fade-out starts when the duration time is hit, so it effectively extends the duration. Default is 0 (no fade-out)." - }, - "Height": { - "shape": "__integerMin1", - "locationName": "height", - "documentation": "The height of the image when inserted into the video, in pixels. The overlay will be scaled up or down to the specified height. Leave blank to use the native height of the overlay." - }, - "Image": { - "shape": "InputLocation", - "locationName": "image", - "documentation": "The location and filename of the image file to overlay on the video. The file must be a 32-bit BMP, PNG, or TGA file, and must not be larger (in pixels) than the input video." - }, - "ImageX": { - "shape": "__integerMin0", - "locationName": "imageX", - "documentation": "Placement of the left edge of the overlay relative to the left edge of the video frame, in pixels. 0 (the default) is the left edge of the frame. If the placement causes the overlay to extend beyond the right edge of the underlying video, then the overlay is cropped on the right." - }, - "ImageY": { - "shape": "__integerMin0", - "locationName": "imageY", - "documentation": "Placement of the top edge of the overlay relative to the top edge of the video frame, in pixels. 0 (the default) is the top edge of the frame. If the placement causes the overlay to extend beyond the bottom edge of the underlying video, then the overlay is cropped on the bottom." - }, - "Layer": { - "shape": "__integerMin0Max7", - "locationName": "layer", - "documentation": "The number of the layer, 0 to 7. There are 8 layers that can be overlaid on the video, each layer with a different image. The layers are in Z order, which means that overlays with higher values of layer are inserted on top of overlays with lower values of layer. Default is 0." - }, - "Opacity": { - "shape": "__integerMin0Max100", - "locationName": "opacity", - "documentation": "Opacity of image where 0 is transparent and 100 is fully opaque. Default is 100." + "ActiveMotionGraphicsActionName": { + "shape": "__string", + "locationName": "activeMotionGraphicsActionName", + "documentation": "The name of the motion graphics activate action that occurred most recently and that resulted in the current graphics URI for this pipeline." }, - "OutputNames": { - "shape": "__listOf__string", - "locationName": "outputNames", - "documentation": "The name(s) of the output(s) the activation should apply to." + "ActiveMotionGraphicsUri": { + "shape": "__string", + "locationName": "activeMotionGraphicsUri", + "documentation": "The current URI being used for HTML5 motion graphics for this pipeline." }, - "Width": { - "shape": "__integerMin1", - "locationName": "width", - "documentation": "The width of the image when inserted into the video, in pixels. The overlay will be scaled up or down to the specified width. Leave blank to use the native width of the overlay." + "PipelineId": { + "shape": "__string", + "locationName": "pipelineId", + "documentation": "Pipeline ID" } }, - "documentation": "Settings for the action to activate a static image.", - "required": [ - "OutputNames", - "Image" + "documentation": "Runtime details of a pipeline when a channel is running." + }, + "PipelineId": { + "type": "string", + "documentation": "Pipeline ID", + "enum": [ + "PIPELINE_0", + "PIPELINE_1" ] }, - "StaticImageOutputDeactivateScheduleActionSettings": { + "PipelineLockingSettings": { "type": "structure", "members": { - "FadeOut": { - "shape": "__integerMin0", - "locationName": "fadeOut", - "documentation": "The time in milliseconds for the image to fade out. Default is 0 (no fade-out)." - }, - "Layer": { - "shape": "__integerMin0Max7", - "locationName": "layer", - "documentation": "The image overlay layer to deactivate, 0 to 7. Default is 0." - }, - "OutputNames": { - "shape": "__listOf__string", - "locationName": "outputNames", - "documentation": "The name(s) of the output(s) the deactivation should apply to." - } }, - "documentation": "Settings for the action to deactivate the image in a specific layer.", - "required": [ - "OutputNames" - ] + "documentation": "Pipeline Locking Settings" }, - "StaticKeySettings": { + "PipelinePauseStateSettings": { "type": "structure", "members": { - "KeyProviderServer": { - "shape": "InputLocation", - "locationName": "keyProviderServer", - "documentation": "The URL of the license server used for protecting content." - }, - "StaticKeyValue": { - "shape": "__stringMin32Max32", - "locationName": "staticKeyValue", - "documentation": "Static key value as a 32 character hexadecimal string." + "PipelineId": { + "shape": "PipelineId", + "locationName": "pipelineId", + "documentation": "Pipeline ID to pause (\"PIPELINE_0\" or \"PIPELINE_1\")." } }, - "documentation": "Static Key Settings", + "documentation": "Settings for pausing a pipeline.", "required": [ - "StaticKeyValue" + "PipelineId" ] }, - "StopChannelRequest": { - "type": "structure", - "members": { - "ChannelId": { - "shape": "__string", - "location": "uri", - "locationName": "channelId", - "documentation": "A request to stop a running channel" - } - }, - "required": [ - "ChannelId" - ], - "documentation": "Placeholder documentation for StopChannelRequest" + "PreferredChannelPipeline": { + "type": "string", + "documentation": "Indicates which pipeline is preferred by the multiplex for program ingest.\nIf set to \\\"PIPELINE_0\\\" or \\\"PIPELINE_1\\\" and an unhealthy ingest causes the multiplex to switch to the non-preferred pipeline,\nit will switch back once that ingest is healthy again. If set to \\\"CURRENTLY_ACTIVE\\\",\nit will not switch back to the other pipeline based on it recovering to a healthy state,\nit will only switch if the active pipeline becomes unhealthy.", + "enum": [ + "CURRENTLY_ACTIVE", + "PIPELINE_0", + "PIPELINE_1" + ] }, - "StopChannelResponse": { + "PurchaseOffering": { "type": "structure", "members": { - "Arn": { - "shape": "__string", - "locationName": "arn", - "documentation": "The unique arn of the channel." - }, - "CdiInputSpecification": { - "shape": "CdiInputSpecification", - "locationName": "cdiInputSpecification", - "documentation": "Specification of CDI inputs for this channel" - }, - "ChannelClass": { - "shape": "ChannelClass", - "locationName": "channelClass", - "documentation": "The class for this channel. STANDARD for a channel with two pipelines or SINGLE_PIPELINE for a channel with one pipeline." - }, - "Destinations": { - "shape": "__listOfOutputDestination", - "locationName": "destinations", - "documentation": "A list of destinations of the channel. For UDP outputs, there is one\ndestination per output. For other types (HLS, for example), there is\none destination per packager." - }, - "EgressEndpoints": { - "shape": "__listOfChannelEgressEndpoint", - "locationName": "egressEndpoints", - "documentation": "The endpoints where outgoing connections initiate from" - }, - "EncoderSettings": { - "shape": "EncoderSettings", - "locationName": "encoderSettings" + "Count": { + "shape": "__integerMin1", + "locationName": "count", + "documentation": "Number of resources" }, - "Id": { + "Name": { "shape": "__string", - "locationName": "id", - "documentation": "The unique id of the channel." + "locationName": "name", + "documentation": "Name for the new reservation" }, - "InputAttachments": { - "shape": "__listOfInputAttachment", - "locationName": "inputAttachments", - "documentation": "List of input attachments for channel." + "RenewalSettings": { + "shape": "RenewalSettings", + "locationName": "renewalSettings", + "documentation": "Renewal settings for the reservation" }, - "InputSpecification": { - "shape": "InputSpecification", - "locationName": "inputSpecification", - "documentation": "Specification of network and file inputs for this channel" + "RequestId": { + "shape": "__string", + "locationName": "requestId", + "documentation": "Unique request ID to be specified. This is needed to prevent retries from creating multiple resources.", + "idempotencyToken": true }, - "LogLevel": { - "shape": "LogLevel", - "locationName": "logLevel", - "documentation": "The log level being written to CloudWatch Logs." + "Start": { + "shape": "__string", + "locationName": "start", + "documentation": "Requested reservation start time (UTC) in ISO-8601 format. The specified time must be between the first day of the current month and one year from now. If no value is given, the default is now." }, - "Maintenance": { - "shape": "MaintenanceStatus", - "locationName": "maintenance", - "documentation": "Maintenance settings for this channel." + "Tags": { + "shape": "Tags", + "locationName": "tags", + "documentation": "A collection of key-value pairs" + } + }, + "documentation": "PurchaseOffering request", + "required": [ + "Count" + ] + }, + "PurchaseOfferingRequest": { + "type": "structure", + "members": { + "Count": { + "shape": "__integerMin1", + "locationName": "count", + "documentation": "Number of resources" }, "Name": { "shape": "__string", "locationName": "name", - "documentation": "The name of the channel. (user-mutable)" + "documentation": "Name for the new reservation" }, - "PipelineDetails": { - "shape": "__listOfPipelineDetail", - "locationName": "pipelineDetails", - "documentation": "Runtime details for the pipelines of a running channel." + "OfferingId": { + "shape": "__string", + "location": "uri", + "locationName": "offeringId", + "documentation": "Offering to purchase, e.g. '87654321'" }, - "PipelinesRunningCount": { - "shape": "__integer", - "locationName": "pipelinesRunningCount", - "documentation": "The number of currently healthy pipelines." + "RenewalSettings": { + "shape": "RenewalSettings", + "locationName": "renewalSettings", + "documentation": "Renewal settings for the reservation" }, - "RoleArn": { + "RequestId": { "shape": "__string", - "locationName": "roleArn", - "documentation": "The Amazon Resource Name (ARN) of the role assumed when running the Channel." + "locationName": "requestId", + "documentation": "Unique request ID to be specified. This is needed to prevent retries from creating multiple resources.", + "idempotencyToken": true }, - "State": { - "shape": "ChannelState", - "locationName": "state" + "Start": { + "shape": "__string", + "locationName": "start", + "documentation": "Requested reservation start time (UTC) in ISO-8601 format. The specified time must be between the first day of the current month and one year from now. If no value is given, the default is now." }, "Tags": { "shape": "Tags", "locationName": "tags", - "documentation": "A collection of key-value pairs." - }, - "Vpc": { - "shape": "VpcOutputSettingsDescription", - "locationName": "vpc", - "documentation": "Settings for VPC output" + "documentation": "A collection of key-value pairs" } }, - "documentation": "Placeholder documentation for StopChannelResponse" + "required": [ + "OfferingId", + "Count" + ], + "documentation": "Placeholder documentation for PurchaseOfferingRequest" }, - "StopInputDeviceRequest": { + "PurchaseOfferingResponse": { "type": "structure", "members": { - "InputDeviceId": { - "shape": "__string", - "location": "uri", - "locationName": "inputDeviceId", - "documentation": "The unique ID of the input device to stop. For example, hd-123456789abcdef." + "Reservation": { + "shape": "Reservation", + "locationName": "reservation" } }, - "required": [ - "InputDeviceId" - ], - "documentation": "Placeholder documentation for StopInputDeviceRequest" + "documentation": "Placeholder documentation for PurchaseOfferingResponse" }, - "StopInputDeviceResponse": { + "PurchaseOfferingResultModel": { "type": "structure", "members": { + "Reservation": { + "shape": "Reservation", + "locationName": "reservation" + } }, - "documentation": "Placeholder documentation for StopInputDeviceResponse" + "documentation": "PurchaseOffering response" }, - "StopMultiplexRequest": { + "RawSettings": { "type": "structure", "members": { - "MultiplexId": { - "shape": "__string", - "location": "uri", - "locationName": "multiplexId", - "documentation": "The ID of the multiplex." - } }, - "required": [ - "MultiplexId" - ], - "documentation": "Placeholder documentation for StopMultiplexRequest" + "documentation": "Raw Settings" }, - "StopMultiplexResponse": { + "RebootInputDevice": { "type": "structure", "members": { - "Arn": { - "shape": "__string", - "locationName": "arn", - "documentation": "The unique arn of the multiplex." - }, - "AvailabilityZones": { - "shape": "__listOf__string", - "locationName": "availabilityZones", - "documentation": "A list of availability zones for the multiplex." - }, - "Destinations": { - "shape": "__listOfMultiplexOutputDestination", - "locationName": "destinations", - "documentation": "A list of the multiplex output destinations." - }, - "Id": { - "shape": "__string", - "locationName": "id", - "documentation": "The unique id of the multiplex." - }, - "MultiplexSettings": { - "shape": "MultiplexSettings", - "locationName": "multiplexSettings", - "documentation": "Configuration for a multiplex event." - }, - "Name": { - "shape": "__string", - "locationName": "name", - "documentation": "The name of the multiplex." - }, - "PipelinesRunningCount": { - "shape": "__integer", - "locationName": "pipelinesRunningCount", - "documentation": "The number of currently healthy pipelines." - }, - "ProgramCount": { - "shape": "__integer", - "locationName": "programCount", - "documentation": "The number of programs in the multiplex." - }, - "State": { - "shape": "MultiplexState", - "locationName": "state", - "documentation": "The current state of the multiplex." - }, - "Tags": { - "shape": "Tags", - "locationName": "tags", - "documentation": "A collection of key-value pairs." + "Force": { + "shape": "RebootInputDeviceForce", + "locationName": "force", + "documentation": "Force a reboot of an input device. If the device is streaming, it will stop streaming and begin rebooting within a few seconds of sending the command. If the device was streaming prior to the reboot, the device will resume streaming when the reboot completes." } }, - "documentation": "Placeholder documentation for StopMultiplexResponse" + "documentation": "Placeholder documentation for RebootInputDevice" }, - "StopTimecode": { + "RebootInputDeviceForce": { + "type": "string", + "documentation": "Whether or not to force reboot the input device.", + "enum": [ + "NO", + "YES" + ] + }, + "RebootInputDeviceRequest": { "type": "structure", "members": { - "LastFrameClippingBehavior": { - "shape": "LastFrameClippingBehavior", - "locationName": "lastFrameClippingBehavior", - "documentation": "If you specify a StopTimecode in an input (in order to clip the file), you can specify if you want the clip to exclude (the default) or include the frame specified by the timecode." + "Force": { + "shape": "RebootInputDeviceForce", + "locationName": "force", + "documentation": "Force a reboot of an input device. If the device is streaming, it will stop streaming and begin rebooting within a few seconds of sending the command. If the device was streaming prior to the reboot, the device will resume streaming when the reboot completes." }, - "Timecode": { + "InputDeviceId": { "shape": "__string", - "locationName": "timecode", - "documentation": "The timecode for the frame where you want to stop the clip. Optional; if not specified, the clip continues to the end of the file. Enter the timecode as HH:MM:SS:FF or HH:MM:SS;FF." + "location": "uri", + "locationName": "inputDeviceId", + "documentation": "The unique ID of the input device to reboot. For example, hd-123456789abcdef." } }, - "documentation": "Settings to identify the end of the clip." + "documentation": "A request to reboot an AWS Elemental device.", + "required": [ + "InputDeviceId" + ] }, - "Tags": { - "type": "map", - "key": { - "shape": "__string" - }, - "value": { - "shape": "__string" + "RebootInputDeviceResponse": { + "type": "structure", + "members": { }, - "documentation": "Placeholder documentation for Tags" + "documentation": "Placeholder documentation for RebootInputDeviceResponse" }, - "TagsModel": { + "Rec601Settings": { "type": "structure", "members": { - "Tags": { - "shape": "Tags", - "locationName": "tags" - } }, - "documentation": "Placeholder documentation for TagsModel" + "documentation": "Rec601 Settings" }, - "TeletextDestinationSettings": { + "Rec709Settings": { "type": "structure", "members": { }, - "documentation": "Teletext Destination Settings" + "documentation": "Rec709 Settings" }, - "TeletextSourceSettings": { + "RejectInputDeviceTransferRequest": { "type": "structure", "members": { - "OutputRectangle": { - "shape": "CaptionRectangle", - "locationName": "outputRectangle", - "documentation": "Optionally defines a region where TTML style captions will be displayed" - }, - "PageNumber": { + "InputDeviceId": { "shape": "__string", - "locationName": "pageNumber", - "documentation": "Specifies the teletext page number within the data stream from which to extract captions. Range of 0x100 (256) to 0x8FF (2303). Unused for passthrough. Should be specified as a hexadecimal string with no \"0x\" prefix." + "location": "uri", + "locationName": "inputDeviceId", + "documentation": "The unique ID of the input device to reject. For example, hd-123456789abcdef." } }, - "documentation": "Teletext Source Settings" - }, - "TemporalFilterPostFilterSharpening": { - "type": "string", - "documentation": "Temporal Filter Post Filter Sharpening", - "enum": [ - "AUTO", - "DISABLED", - "ENABLED" - ] + "required": [ + "InputDeviceId" + ], + "documentation": "Placeholder documentation for RejectInputDeviceTransferRequest" }, - "TemporalFilterSettings": { + "RejectInputDeviceTransferResponse": { "type": "structure", "members": { - "PostFilterSharpening": { - "shape": "TemporalFilterPostFilterSharpening", - "locationName": "postFilterSharpening", - "documentation": "If you enable this filter, the results are the following:\n- If the source content is noisy (it contains excessive digital artifacts), the filter cleans up the source.\n- If the source content is already clean, the filter tends to decrease the bitrate, especially when the rate control mode is QVBR." - }, - "Strength": { - "shape": "TemporalFilterStrength", - "locationName": "strength", - "documentation": "Choose a filter strength. We recommend a strength of 1 or 2. A higher strength might take out good information, resulting in an image that is overly soft." - } }, - "documentation": "Temporal Filter Settings" - }, - "TemporalFilterStrength": { - "type": "string", - "documentation": "Temporal Filter Strength", - "enum": [ - "AUTO", - "STRENGTH_1", - "STRENGTH_2", - "STRENGTH_3", - "STRENGTH_4", - "STRENGTH_5", - "STRENGTH_6", - "STRENGTH_7", - "STRENGTH_8", - "STRENGTH_9", - "STRENGTH_10", - "STRENGTH_11", - "STRENGTH_12", - "STRENGTH_13", - "STRENGTH_14", - "STRENGTH_15", - "STRENGTH_16" - ] + "documentation": "Placeholder documentation for RejectInputDeviceTransferResponse" }, - "Thumbnail": { + "RemixSettings": { "type": "structure", "members": { - "Body": { - "shape": "__string", - "locationName": "body", - "documentation": "The binary data for the latest thumbnail." - }, - "ContentType": { - "shape": "__string", - "locationName": "contentType", - "documentation": "The content type for the latest thumbnail." + "ChannelMappings": { + "shape": "__listOfAudioChannelMapping", + "locationName": "channelMappings", + "documentation": "Mapping of input channels to output channels, with appropriate gain adjustments." }, - "ThumbnailType": { - "shape": "ThumbnailType", - "locationName": "thumbnailType", - "documentation": "Thumbnail Type" + "ChannelsIn": { + "shape": "__integerMin1Max16", + "locationName": "channelsIn", + "documentation": "Number of input channels to be used." }, - "TimeStamp": { - "shape": "__timestampIso8601", - "locationName": "timeStamp", - "documentation": "Time stamp for the latest thumbnail." + "ChannelsOut": { + "shape": "__integerMin1Max8", + "locationName": "channelsOut", + "documentation": "Number of output channels to be produced.\nValid values: 1, 2, 4, 6, 8" } }, - "documentation": "Details of a single thumbnail" + "documentation": "Remix Settings", + "required": [ + "ChannelMappings" + ] }, - "ThumbnailConfiguration": { + "RenewalSettings": { "type": "structure", "members": { - "State": { - "shape": "ThumbnailState", - "locationName": "state", - "documentation": "Enables the thumbnail feature. The feature generates thumbnails of the incoming video in each pipeline in the channel. AUTO turns the feature on, DISABLE turns the feature off." + "AutomaticRenewal": { + "shape": "ReservationAutomaticRenewal", + "locationName": "automaticRenewal", + "documentation": "Automatic renewal status for the reservation" + }, + "RenewalCount": { + "shape": "__integerMin1", + "locationName": "renewalCount", + "documentation": "Count for the reservation renewal" } }, - "documentation": "Thumbnail Configuration", - "required": [ - "State" - ] + "documentation": "The Renewal settings for Reservations" }, - "ThumbnailData": { + "Reservation": { "type": "structure", "members": { - "Body": { + "Arn": { "shape": "__string", - "locationName": "body", - "documentation": "The binary data for the thumbnail that the Link device has most recently sent to MediaLive." - } - }, - "documentation": "The binary data for the thumbnail that the Link device has most recently sent to MediaLive." - }, - "ThumbnailDetail": { - "type": "structure", - "members": { - "PipelineId": { + "locationName": "arn", + "documentation": "Unique reservation ARN, e.g. 'arn:aws:medialive:us-west-2:123456789012:reservation:1234567'" + }, + "Count": { + "shape": "__integer", + "locationName": "count", + "documentation": "Number of reserved resources" + }, + "CurrencyCode": { "shape": "__string", - "locationName": "pipelineId", - "documentation": "Pipeline ID" + "locationName": "currencyCode", + "documentation": "Currency code for usagePrice and fixedPrice in ISO-4217 format, e.g. 'USD'" }, - "Thumbnails": { - "shape": "__listOfThumbnail", - "locationName": "thumbnails", - "documentation": "thumbnails of a single pipeline" + "Duration": { + "shape": "__integer", + "locationName": "duration", + "documentation": "Lease duration, e.g. '12'" + }, + "DurationUnits": { + "shape": "OfferingDurationUnits", + "locationName": "durationUnits", + "documentation": "Units for duration, e.g. 'MONTHS'" + }, + "End": { + "shape": "__string", + "locationName": "end", + "documentation": "Reservation UTC end date and time in ISO-8601 format, e.g. '2019-03-01T00:00:00'" + }, + "FixedPrice": { + "shape": "__double", + "locationName": "fixedPrice", + "documentation": "One-time charge for each reserved resource, e.g. '0.0' for a NO_UPFRONT offering" + }, + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "User specified reservation name" + }, + "OfferingDescription": { + "shape": "__string", + "locationName": "offeringDescription", + "documentation": "Offering description, e.g. 'HD AVC output at 10-20 Mbps, 30 fps, and standard VQ in US West (Oregon)'" + }, + "OfferingId": { + "shape": "__string", + "locationName": "offeringId", + "documentation": "Unique offering ID, e.g. '87654321'" + }, + "OfferingType": { + "shape": "OfferingType", + "locationName": "offeringType", + "documentation": "Offering type, e.g. 'NO_UPFRONT'" + }, + "Region": { + "shape": "__string", + "locationName": "region", + "documentation": "AWS region, e.g. 'us-west-2'" + }, + "RenewalSettings": { + "shape": "RenewalSettings", + "locationName": "renewalSettings", + "documentation": "Renewal settings for the reservation" + }, + "ReservationId": { + "shape": "__string", + "locationName": "reservationId", + "documentation": "Unique reservation ID, e.g. '1234567'" + }, + "ResourceSpecification": { + "shape": "ReservationResourceSpecification", + "locationName": "resourceSpecification", + "documentation": "Resource configuration details" + }, + "Start": { + "shape": "__string", + "locationName": "start", + "documentation": "Reservation UTC start date and time in ISO-8601 format, e.g. '2018-03-01T00:00:00'" + }, + "State": { + "shape": "ReservationState", + "locationName": "state", + "documentation": "Current state of reservation, e.g. 'ACTIVE'" + }, + "Tags": { + "shape": "Tags", + "locationName": "tags", + "documentation": "A collection of key-value pairs" + }, + "UsagePrice": { + "shape": "__double", + "locationName": "usagePrice", + "documentation": "Recurring usage charge for each reserved resource, e.g. '157.0'" } }, - "documentation": "Thumbnail details for one pipeline of a running channel." + "documentation": "Reserved resources available to use" }, - "ThumbnailNoData": { - "type": "structure", - "members": { - }, - "documentation": "Response when thumbnail has no data. It should have no message." + "ReservationAutomaticRenewal": { + "type": "string", + "documentation": "Automatic Renewal Status for Reservation", + "enum": [ + "DISABLED", + "ENABLED", + "UNAVAILABLE" + ] }, - "ThumbnailState": { + "ReservationCodec": { "type": "string", - "documentation": "Thumbnail State", + "documentation": "Codec, 'MPEG2', 'AVC', 'HEVC', 'AUDIO', 'LINK', or 'AV1'", "enum": [ - "AUTO", - "DISABLED" + "MPEG2", + "AVC", + "HEVC", + "AUDIO", + "LINK", + "AV1" ] }, - "ThumbnailType": { + "ReservationMaximumBitrate": { "type": "string", - "documentation": "Thumbnail type.", + "documentation": "Maximum bitrate in megabits per second", "enum": [ - "UNSPECIFIED", - "CURRENT_ACTIVE" + "MAX_10_MBPS", + "MAX_20_MBPS", + "MAX_50_MBPS" ] }, - "TimecodeBurninFontSize": { + "ReservationMaximumFramerate": { "type": "string", - "documentation": "Timecode Burnin Font Size", + "documentation": "Maximum framerate in frames per second (Outputs only)", "enum": [ - "EXTRA_SMALL_10", - "LARGE_48", - "MEDIUM_32", - "SMALL_16" + "MAX_30_FPS", + "MAX_60_FPS" ] }, - "TimecodeBurninPosition": { + "ReservationResolution": { "type": "string", - "documentation": "Timecode Burnin Position", + "documentation": "Resolution based on lines of vertical resolution; SD is less than 720 lines, HD is 720 to 1080 lines, FHD is 1080 lines, UHD is greater than 1080 lines", "enum": [ - "BOTTOM_CENTER", - "BOTTOM_LEFT", - "BOTTOM_RIGHT", - "MIDDLE_CENTER", - "MIDDLE_LEFT", - "MIDDLE_RIGHT", - "TOP_CENTER", - "TOP_LEFT", - "TOP_RIGHT" + "SD", + "HD", + "FHD", + "UHD" ] }, - "TimecodeBurninSettings": { + "ReservationResourceSpecification": { "type": "structure", "members": { - "FontSize": { - "shape": "TimecodeBurninFontSize", - "locationName": "fontSize", - "documentation": "Choose a timecode burn-in font size" + "ChannelClass": { + "shape": "ChannelClass", + "locationName": "channelClass", + "documentation": "Channel class, e.g. 'STANDARD'" }, - "Position": { - "shape": "TimecodeBurninPosition", - "locationName": "position", - "documentation": "Choose a timecode burn-in output position" + "Codec": { + "shape": "ReservationCodec", + "locationName": "codec", + "documentation": "Codec, e.g. 'AVC'" }, - "Prefix": { - "shape": "__stringMax255", - "locationName": "prefix", - "documentation": "Create a timecode burn-in prefix (optional)" + "MaximumBitrate": { + "shape": "ReservationMaximumBitrate", + "locationName": "maximumBitrate", + "documentation": "Maximum bitrate, e.g. 'MAX_20_MBPS'" + }, + "MaximumFramerate": { + "shape": "ReservationMaximumFramerate", + "locationName": "maximumFramerate", + "documentation": "Maximum framerate, e.g. 'MAX_30_FPS' (Outputs only)" + }, + "Resolution": { + "shape": "ReservationResolution", + "locationName": "resolution", + "documentation": "Resolution, e.g. 'HD'" + }, + "ResourceType": { + "shape": "ReservationResourceType", + "locationName": "resourceType", + "documentation": "Resource type, 'INPUT', 'OUTPUT', 'MULTIPLEX', or 'CHANNEL'" + }, + "SpecialFeature": { + "shape": "ReservationSpecialFeature", + "locationName": "specialFeature", + "documentation": "Special feature, e.g. 'AUDIO_NORMALIZATION' (Channels only)" + }, + "VideoQuality": { + "shape": "ReservationVideoQuality", + "locationName": "videoQuality", + "documentation": "Video quality, e.g. 'STANDARD' (Outputs only)" } }, - "documentation": "Timecode Burnin Settings", - "required": [ - "Position", - "FontSize" + "documentation": "Resource configuration (codec, resolution, bitrate, ...)" + }, + "ReservationResourceType": { + "type": "string", + "documentation": "Resource type, 'INPUT', 'OUTPUT', 'MULTIPLEX', or 'CHANNEL'", + "enum": [ + "INPUT", + "OUTPUT", + "MULTIPLEX", + "CHANNEL" ] }, - "TimecodeConfig": { - "type": "structure", - "members": { - "Source": { - "shape": "TimecodeConfigSource", - "locationName": "source", - "documentation": "Identifies the source for the timecode that will be associated with the events outputs.\n-Embedded (embedded): Initialize the output timecode with timecode from the the source. If no embedded timecode is detected in the source, the system falls back to using \"Start at 0\" (zerobased).\n-System Clock (systemclock): Use the UTC time.\n-Start at 0 (zerobased): The time of the first frame of the event will be 00:00:00:00." - }, - "SyncThreshold": { - "shape": "__integerMin1Max1000000", - "locationName": "syncThreshold", - "documentation": "Threshold in frames beyond which output timecode is resynchronized to the input timecode. Discrepancies below this threshold are permitted to avoid unnecessary discontinuities in the output timecode. No timecode sync when this is not specified." - } - }, - "documentation": "Timecode Config", - "required": [ - "Source" + "ReservationSpecialFeature": { + "type": "string", + "documentation": "Special features, 'ADVANCED_AUDIO' 'AUDIO_NORMALIZATION' 'MGHD' or 'MGUHD'", + "enum": [ + "ADVANCED_AUDIO", + "AUDIO_NORMALIZATION", + "MGHD", + "MGUHD" ] }, - "TimecodeConfigSource": { + "ReservationState": { "type": "string", - "documentation": "Timecode Config Source", + "documentation": "Current reservation state", "enum": [ - "EMBEDDED", - "SYSTEMCLOCK", - "ZEROBASED" + "ACTIVE", + "EXPIRED", + "CANCELED", + "DELETED" ] }, - "TooManyRequestsException": { + "ReservationVideoQuality": { + "type": "string", + "documentation": "Video quality, e.g. 'STANDARD' (Outputs only)", + "enum": [ + "STANDARD", + "ENHANCED", + "PREMIUM" + ] + }, + "ResourceConflict": { "type": "structure", "members": { "Message": { @@ -17018,2770 +16495,6835 @@ "locationName": "message" } }, - "exception": true, - "error": { - "httpStatusCode": 429 - }, - "documentation": "Placeholder documentation for TooManyRequestsException" + "documentation": "Placeholder documentation for ResourceConflict" }, - "TransferInputDevice": { + "ResourceNotFound": { "type": "structure", "members": { - "TargetCustomerId": { - "shape": "__string", - "locationName": "targetCustomerId", - "documentation": "The AWS account ID (12 digits) for the recipient of the device transfer." - }, - "TargetRegion": { - "shape": "__string", - "locationName": "targetRegion", - "documentation": "The target AWS region to transfer the device." - }, - "TransferMessage": { + "Message": { "shape": "__string", - "locationName": "transferMessage", - "documentation": "An optional message for the recipient. Maximum 280 characters." + "locationName": "message" } }, - "documentation": "The transfer details of the input device." + "documentation": "Placeholder documentation for ResourceNotFound" }, - "TransferInputDeviceRequest": { - "type": "structure", - "members": { - "InputDeviceId": { - "shape": "__string", - "location": "uri", - "locationName": "inputDeviceId", - "documentation": "The unique ID of this input device. For example, hd-123456789abcdef." - }, - "TargetCustomerId": { - "shape": "__string", - "locationName": "targetCustomerId", - "documentation": "The AWS account ID (12 digits) for the recipient of the device transfer." - }, - "TargetRegion": { - "shape": "__string", - "locationName": "targetRegion", - "documentation": "The target AWS region to transfer the device." - }, - "TransferMessage": { - "shape": "__string", - "locationName": "transferMessage", - "documentation": "An optional message for the recipient. Maximum 280 characters." - } - }, - "documentation": "A request to transfer an input device.", - "required": [ - "InputDeviceId" + "RtmpAdMarkers": { + "type": "string", + "documentation": "Rtmp Ad Markers", + "enum": [ + "ON_CUE_POINT_SCTE35" ] }, - "TransferInputDeviceResponse": { - "type": "structure", - "members": { - }, - "documentation": "Placeholder documentation for TransferInputDeviceResponse" - }, - "TransferringInputDeviceSummary": { - "type": "structure", - "members": { - "Id": { - "shape": "__string", - "locationName": "id", - "documentation": "The unique ID of the input device." - }, - "Message": { - "shape": "__string", - "locationName": "message", - "documentation": "The optional message that the sender has attached to the transfer." - }, - "TargetCustomerId": { - "shape": "__string", - "locationName": "targetCustomerId", - "documentation": "The AWS account ID for the recipient of the input device transfer." - }, - "TransferType": { - "shape": "InputDeviceTransferType", - "locationName": "transferType", - "documentation": "The type (direction) of the input device transfer." - } - }, - "documentation": "Details about the input device that is being transferred." - }, - "TtmlDestinationSettings": { - "type": "structure", - "members": { - "StyleControl": { - "shape": "TtmlDestinationStyleControl", - "locationName": "styleControl", - "documentation": "This field is not currently supported and will not affect the output styling. Leave the default value." - } - }, - "documentation": "Ttml Destination Settings" + "RtmpCacheFullBehavior": { + "type": "string", + "documentation": "Rtmp Cache Full Behavior", + "enum": [ + "DISCONNECT_IMMEDIATELY", + "WAIT_FOR_SERVER" + ] }, - "TtmlDestinationStyleControl": { + "RtmpCaptionData": { "type": "string", - "documentation": "Ttml Destination Style Control", + "documentation": "Rtmp Caption Data", "enum": [ - "PASSTHROUGH", - "USE_CONFIGURED" + "ALL", + "FIELD1_608", + "FIELD1_AND_FIELD2_608" ] }, - "UdpContainerSettings": { + "RtmpCaptionInfoDestinationSettings": { "type": "structure", "members": { - "M2tsSettings": { - "shape": "M2tsSettings", - "locationName": "m2tsSettings" - } }, - "documentation": "Udp Container Settings" + "documentation": "Rtmp Caption Info Destination Settings" }, - "UdpGroupSettings": { + "RtmpGroupSettings": { "type": "structure", "members": { + "AdMarkers": { + "shape": "__listOfRtmpAdMarkers", + "locationName": "adMarkers", + "documentation": "Choose the ad marker type for this output group. MediaLive will create a message based on the content of each SCTE-35 message, format it for that marker type, and insert it in the datastream." + }, + "AuthenticationScheme": { + "shape": "AuthenticationScheme", + "locationName": "authenticationScheme", + "documentation": "Authentication scheme to use when connecting with CDN" + }, + "CacheFullBehavior": { + "shape": "RtmpCacheFullBehavior", + "locationName": "cacheFullBehavior", + "documentation": "Controls behavior when content cache fills up. If remote origin server stalls the RTMP connection and does not accept content fast enough the 'Media Cache' will fill up. When the cache reaches the duration specified by cacheLength the cache will stop accepting new content. If set to disconnectImmediately, the RTMP output will force a disconnect. Clear the media cache, and reconnect after restartDelay seconds. If set to waitForServer, the RTMP output will wait up to 5 minutes to allow the origin server to begin accepting data again." + }, + "CacheLength": { + "shape": "__integerMin30", + "locationName": "cacheLength", + "documentation": "Cache length, in seconds, is used to calculate buffer size." + }, + "CaptionData": { + "shape": "RtmpCaptionData", + "locationName": "captionData", + "documentation": "Controls the types of data that passes to onCaptionInfo outputs. If set to 'all' then 608 and 708 carried DTVCC data will be passed. If set to 'field1AndField2608' then DTVCC data will be stripped out, but 608 data from both fields will be passed. If set to 'field1608' then only the data carried in 608 from field 1 video will be passed." + }, "InputLossAction": { - "shape": "InputLossActionForUdpOut", + "shape": "InputLossActionForRtmpOut", "locationName": "inputLossAction", - "documentation": "Specifies behavior of last resort when input video is lost, and no more backup inputs are available. When dropTs is selected the entire transport stream will stop being emitted. When dropProgram is selected the program can be dropped from the transport stream (and replaced with null packets to meet the TS bitrate requirement). Or, when emitProgram is chosen the transport stream will continue to be produced normally with repeat frames, black frames, or slate frames substituted for the absent input video." - }, - "TimedMetadataId3Frame": { - "shape": "UdpTimedMetadataId3Frame", - "locationName": "timedMetadataId3Frame", - "documentation": "Indicates ID3 frame that has the timecode." + "documentation": "Controls the behavior of this RTMP group if input becomes unavailable.\n\n- emitOutput: Emit a slate until input returns.\n- pauseOutput: Stop transmitting data until input returns. This does not close the underlying RTMP connection." }, - "TimedMetadataId3Period": { + "RestartDelay": { "shape": "__integerMin0", - "locationName": "timedMetadataId3Period", - "documentation": "Timed Metadata interval in seconds." + "locationName": "restartDelay", + "documentation": "If a streaming output fails, number of seconds to wait until a restart is initiated. A value of 0 means never restart." + }, + "IncludeFillerNalUnits": { + "shape": "IncludeFillerNalUnits", + "locationName": "includeFillerNalUnits", + "documentation": "Applies only when the rate control mode (in the codec settings) is CBR (constant bit rate). Controls whether the RTMP output stream is padded (with FILL NAL units) in order to achieve a constant bit rate that is truly constant. When there is no padding, the bandwidth varies (up to the bitrate value in the codec settings). We recommend that you choose Auto." } }, - "documentation": "Udp Group Settings" + "documentation": "Rtmp Group Settings" }, - "UdpOutputSettings": { + "RtmpOutputCertificateMode": { + "type": "string", + "documentation": "Rtmp Output Certificate Mode", + "enum": [ + "SELF_SIGNED", + "VERIFY_AUTHENTICITY" + ] + }, + "RtmpOutputSettings": { "type": "structure", "members": { - "BufferMsec": { - "shape": "__integerMin0Max10000", - "locationName": "bufferMsec", - "documentation": "UDP output buffering in milliseconds. Larger values increase latency through the transcoder but simultaneously assist the transcoder in maintaining a constant, low-jitter UDP/RTP output while accommodating clock recovery, input switching, input disruptions, picture reordering, etc." + "CertificateMode": { + "shape": "RtmpOutputCertificateMode", + "locationName": "certificateMode", + "documentation": "If set to verifyAuthenticity, verify the tls certificate chain to a trusted Certificate Authority (CA). This will cause rtmps outputs with self-signed certificates to fail." }, - "ContainerSettings": { - "shape": "UdpContainerSettings", - "locationName": "containerSettings" + "ConnectionRetryInterval": { + "shape": "__integerMin1", + "locationName": "connectionRetryInterval", + "documentation": "Number of seconds to wait before retrying a connection to the Flash Media server if the connection is lost." }, "Destination": { "shape": "OutputLocationRef", "locationName": "destination", - "documentation": "Destination address and port number for RTP or UDP packets. Can be unicast or multicast RTP or UDP (eg. rtp://239.10.10.10:5001 or udp://10.100.100.100:5002)." + "documentation": "The RTMP endpoint excluding the stream name (eg. rtmp://host/appname). For connection to Akamai, a username and password must be supplied. URI fields accept format identifiers." }, - "FecOutputSettings": { - "shape": "FecOutputSettings", - "locationName": "fecOutputSettings", - "documentation": "Settings for enabling and adjusting Forward Error Correction on UDP outputs." + "NumRetries": { + "shape": "__integerMin0", + "locationName": "numRetries", + "documentation": "Number of retry attempts." } }, - "documentation": "Udp Output Settings", + "documentation": "Rtmp Output Settings", "required": [ - "Destination", - "ContainerSettings" + "Destination" ] }, - "UdpTimedMetadataId3Frame": { + "S3CannedAcl": { "type": "string", - "documentation": "Udp Timed Metadata Id3 Frame", + "documentation": "S3 Canned Acl", "enum": [ - "NONE", - "PRIV", - "TDRL" + "AUTHENTICATED_READ", + "BUCKET_OWNER_FULL_CONTROL", + "BUCKET_OWNER_READ", + "PUBLIC_READ" ] }, - "UnprocessableEntityException": { + "ScheduleAction": { "type": "structure", "members": { - "Message": { + "ActionName": { "shape": "__string", - "locationName": "message", - "documentation": "The error message." + "locationName": "actionName", + "documentation": "The name of the action, must be unique within the schedule. This name provides the main reference to an action once it is added to the schedule. A name is unique if it is no longer in the schedule. The schedule is automatically cleaned up to remove actions with a start time of more than 1 hour ago (approximately) so at that point a name can be reused." }, - "ValidationErrors": { - "shape": "__listOfValidationError", - "locationName": "validationErrors", - "documentation": "A collection of validation error responses." + "ScheduleActionSettings": { + "shape": "ScheduleActionSettings", + "locationName": "scheduleActionSettings", + "documentation": "Settings for this schedule action." + }, + "ScheduleActionStartSettings": { + "shape": "ScheduleActionStartSettings", + "locationName": "scheduleActionStartSettings", + "documentation": "The time for the action to start in the channel." } }, - "exception": true, - "error": { - "httpStatusCode": 422 - }, - "documentation": "Placeholder documentation for UnprocessableEntityException" + "documentation": "Contains information on a single schedule action.", + "required": [ + "ActionName", + "ScheduleActionStartSettings", + "ScheduleActionSettings" + ] }, - "UpdateAccountConfigurationRequest": { + "ScheduleActionSettings": { "type": "structure", "members": { - "AccountConfiguration": { - "shape": "AccountConfiguration", - "locationName": "accountConfiguration" + "HlsId3SegmentTaggingSettings": { + "shape": "HlsId3SegmentTaggingScheduleActionSettings", + "locationName": "hlsId3SegmentTaggingSettings", + "documentation": "Action to insert HLS ID3 segment tagging" + }, + "HlsTimedMetadataSettings": { + "shape": "HlsTimedMetadataScheduleActionSettings", + "locationName": "hlsTimedMetadataSettings", + "documentation": "Action to insert HLS metadata" + }, + "InputPrepareSettings": { + "shape": "InputPrepareScheduleActionSettings", + "locationName": "inputPrepareSettings", + "documentation": "Action to prepare an input for a future immediate input switch" + }, + "InputSwitchSettings": { + "shape": "InputSwitchScheduleActionSettings", + "locationName": "inputSwitchSettings", + "documentation": "Action to switch the input" + }, + "MotionGraphicsImageActivateSettings": { + "shape": "MotionGraphicsActivateScheduleActionSettings", + "locationName": "motionGraphicsImageActivateSettings", + "documentation": "Action to activate a motion graphics image overlay" + }, + "MotionGraphicsImageDeactivateSettings": { + "shape": "MotionGraphicsDeactivateScheduleActionSettings", + "locationName": "motionGraphicsImageDeactivateSettings", + "documentation": "Action to deactivate a motion graphics image overlay" + }, + "PauseStateSettings": { + "shape": "PauseStateScheduleActionSettings", + "locationName": "pauseStateSettings", + "documentation": "Action to pause or unpause one or both channel pipelines" + }, + "Scte35InputSettings": { + "shape": "Scte35InputScheduleActionSettings", + "locationName": "scte35InputSettings", + "documentation": "Action to specify scte35 input" + }, + "Scte35ReturnToNetworkSettings": { + "shape": "Scte35ReturnToNetworkScheduleActionSettings", + "locationName": "scte35ReturnToNetworkSettings", + "documentation": "Action to insert SCTE-35 return_to_network message" + }, + "Scte35SpliceInsertSettings": { + "shape": "Scte35SpliceInsertScheduleActionSettings", + "locationName": "scte35SpliceInsertSettings", + "documentation": "Action to insert SCTE-35 splice_insert message" + }, + "Scte35TimeSignalSettings": { + "shape": "Scte35TimeSignalScheduleActionSettings", + "locationName": "scte35TimeSignalSettings", + "documentation": "Action to insert SCTE-35 time_signal message" + }, + "StaticImageActivateSettings": { + "shape": "StaticImageActivateScheduleActionSettings", + "locationName": "staticImageActivateSettings", + "documentation": "Action to activate a static image overlay" + }, + "StaticImageDeactivateSettings": { + "shape": "StaticImageDeactivateScheduleActionSettings", + "locationName": "staticImageDeactivateSettings", + "documentation": "Action to deactivate a static image overlay" + }, + "StaticImageOutputActivateSettings": { + "shape": "StaticImageOutputActivateScheduleActionSettings", + "locationName": "staticImageOutputActivateSettings", + "documentation": "Action to activate a static image overlay in one or more specified outputs" + }, + "StaticImageOutputDeactivateSettings": { + "shape": "StaticImageOutputDeactivateScheduleActionSettings", + "locationName": "staticImageOutputDeactivateSettings", + "documentation": "Action to deactivate a static image overlay in one or more specified outputs" } }, - "documentation": "List of account configuration parameters to update." + "documentation": "Holds the settings for a single schedule action." }, - "UpdateAccountConfigurationRequestModel": { + "ScheduleActionStartSettings": { "type": "structure", "members": { - "AccountConfiguration": { - "shape": "AccountConfiguration", - "locationName": "accountConfiguration" + "FixedModeScheduleActionStartSettings": { + "shape": "FixedModeScheduleActionStartSettings", + "locationName": "fixedModeScheduleActionStartSettings", + "documentation": "Option for specifying the start time for an action." + }, + "FollowModeScheduleActionStartSettings": { + "shape": "FollowModeScheduleActionStartSettings", + "locationName": "followModeScheduleActionStartSettings", + "documentation": "Option for specifying an action as relative to another action." + }, + "ImmediateModeScheduleActionStartSettings": { + "shape": "ImmediateModeScheduleActionStartSettings", + "locationName": "immediateModeScheduleActionStartSettings", + "documentation": "Option for specifying an action that should be applied immediately." } }, - "documentation": "The desired new account configuration." + "documentation": "Settings to specify when an action should occur. Only one of the options must be selected." }, - "UpdateAccountConfigurationResponse": { + "ScheduleDeleteResultModel": { "type": "structure", "members": { - "AccountConfiguration": { - "shape": "AccountConfiguration", - "locationName": "accountConfiguration" - } }, - "documentation": "Placeholder documentation for UpdateAccountConfigurationResponse" + "documentation": "Result of a schedule deletion." }, - "UpdateAccountConfigurationResultModel": { + "ScheduleDescribeResultModel": { "type": "structure", "members": { - "AccountConfiguration": { - "shape": "AccountConfiguration", - "locationName": "accountConfiguration" + "NextToken": { + "shape": "__string", + "locationName": "nextToken", + "documentation": "The next token; for use in pagination." + }, + "ScheduleActions": { + "shape": "__listOfScheduleAction", + "locationName": "scheduleActions", + "documentation": "The list of actions in the schedule." } }, - "documentation": "The account's updated configuration." + "documentation": "Results of a schedule describe.", + "required": [ + "ScheduleActions" + ] }, - "UpdateChannel": { + "Scte20Convert608To708": { + "type": "string", + "documentation": "Scte20 Convert608 To708", + "enum": [ + "DISABLED", + "UPCONVERT" + ] + }, + "Scte20PlusEmbeddedDestinationSettings": { "type": "structure", "members": { - "CdiInputSpecification": { - "shape": "CdiInputSpecification", - "locationName": "cdiInputSpecification", - "documentation": "Specification of CDI inputs for this channel" - }, - "Destinations": { - "shape": "__listOfOutputDestination", - "locationName": "destinations", - "documentation": "A list of output destinations for this channel." - }, - "EncoderSettings": { - "shape": "EncoderSettings", - "locationName": "encoderSettings", - "documentation": "The encoder settings for this channel." - }, - "InputAttachments": { - "shape": "__listOfInputAttachment", - "locationName": "inputAttachments" - }, - "InputSpecification": { - "shape": "InputSpecification", - "locationName": "inputSpecification", - "documentation": "Specification of network and file inputs for this channel" - }, - "LogLevel": { - "shape": "LogLevel", - "locationName": "logLevel", - "documentation": "The log level to write to CloudWatch Logs." - }, - "Maintenance": { - "shape": "MaintenanceUpdateSettings", - "locationName": "maintenance", - "documentation": "Maintenance settings for this channel." - }, - "Name": { - "shape": "__string", - "locationName": "name", - "documentation": "The name of the channel." - }, - "RoleArn": { - "shape": "__string", - "locationName": "roleArn", - "documentation": "An optional Amazon Resource Name (ARN) of the role to assume when running the Channel. If you do not specify this on an update call but the role was previously set that role will be removed." - } }, - "documentation": "Placeholder documentation for UpdateChannel" + "documentation": "Scte20 Plus Embedded Destination Settings" }, - "UpdateChannelClass": { + "Scte20SourceSettings": { "type": "structure", "members": { - "ChannelClass": { - "shape": "ChannelClass", - "locationName": "channelClass", - "documentation": "The channel class that you wish to update this channel to use." + "Convert608To708": { + "shape": "Scte20Convert608To708", + "locationName": "convert608To708", + "documentation": "If upconvert, 608 data is both passed through via the \"608 compatibility bytes\" fields of the 708 wrapper as well as translated into 708. 708 data present in the source content will be discarded." }, - "Destinations": { - "shape": "__listOfOutputDestination", - "locationName": "destinations", - "documentation": "A list of output destinations for this channel." + "Source608ChannelNumber": { + "shape": "__integerMin1Max4", + "locationName": "source608ChannelNumber", + "documentation": "Specifies the 608/708 channel number within the video track from which to extract captions. Unused for passthrough." } }, - "required": [ - "ChannelClass" - ], - "documentation": "Placeholder documentation for UpdateChannelClass" + "documentation": "Scte20 Source Settings" }, - "UpdateChannelClassRequest": { + "Scte27DestinationSettings": { "type": "structure", "members": { - "ChannelClass": { - "shape": "ChannelClass", - "locationName": "channelClass", - "documentation": "The channel class that you wish to update this channel to use." - }, - "ChannelId": { - "shape": "__string", - "location": "uri", - "locationName": "channelId", - "documentation": "Channel Id of the channel whose class should be updated." - }, - "Destinations": { - "shape": "__listOfOutputDestination", - "locationName": "destinations", - "documentation": "A list of output destinations for this channel." - } }, - "documentation": "Channel class that the channel should be updated to.", - "required": [ - "ChannelId", - "ChannelClass" + "documentation": "Scte27 Destination Settings" + }, + "Scte27OcrLanguage": { + "type": "string", + "documentation": "Scte27 Ocr Language", + "enum": [ + "DEU", + "ENG", + "FRA", + "NLD", + "POR", + "SPA" ] }, - "UpdateChannelClassResponse": { + "Scte27SourceSettings": { "type": "structure", "members": { - "Channel": { - "shape": "Channel", - "locationName": "channel" + "OcrLanguage": { + "shape": "Scte27OcrLanguage", + "locationName": "ocrLanguage", + "documentation": "If you will configure a WebVTT caption description that references this caption selector, use this field to\nprovide the language to consider when translating the image-based source to text." + }, + "Pid": { + "shape": "__integerMin1", + "locationName": "pid", + "documentation": "The pid field is used in conjunction with the caption selector languageCode field as follows:\n - Specify PID and Language: Extracts captions from that PID; the language is \"informational\".\n - Specify PID and omit Language: Extracts the specified PID.\n - Omit PID and specify Language: Extracts the specified language, whichever PID that happens to be.\n - Omit PID and omit Language: Valid only if source is DVB-Sub that is being passed through; all languages will be passed through." } }, - "documentation": "Placeholder documentation for UpdateChannelClassResponse" + "documentation": "Scte27 Source Settings" }, - "UpdateChannelRequest": { + "Scte35AposNoRegionalBlackoutBehavior": { + "type": "string", + "documentation": "Scte35 Apos No Regional Blackout Behavior", + "enum": [ + "FOLLOW", + "IGNORE" + ] + }, + "Scte35AposWebDeliveryAllowedBehavior": { + "type": "string", + "documentation": "Scte35 Apos Web Delivery Allowed Behavior", + "enum": [ + "FOLLOW", + "IGNORE" + ] + }, + "Scte35ArchiveAllowedFlag": { + "type": "string", + "documentation": "Corresponds to the archive_allowed parameter. A value of ARCHIVE_NOT_ALLOWED corresponds to 0 (false) in the SCTE-35 specification. If you include one of the \"restriction\" flags then you must include all four of them.", + "enum": [ + "ARCHIVE_NOT_ALLOWED", + "ARCHIVE_ALLOWED" + ] + }, + "Scte35DeliveryRestrictions": { "type": "structure", "members": { - "CdiInputSpecification": { - "shape": "CdiInputSpecification", - "locationName": "cdiInputSpecification", - "documentation": "Specification of CDI inputs for this channel" - }, - "ChannelId": { - "shape": "__string", - "location": "uri", - "locationName": "channelId", - "documentation": "channel ID" - }, - "Destinations": { - "shape": "__listOfOutputDestination", - "locationName": "destinations", - "documentation": "A list of output destinations for this channel." - }, - "EncoderSettings": { - "shape": "EncoderSettings", - "locationName": "encoderSettings", - "documentation": "The encoder settings for this channel." - }, - "InputAttachments": { - "shape": "__listOfInputAttachment", - "locationName": "inputAttachments" - }, - "InputSpecification": { - "shape": "InputSpecification", - "locationName": "inputSpecification", - "documentation": "Specification of network and file inputs for this channel" - }, - "LogLevel": { - "shape": "LogLevel", - "locationName": "logLevel", - "documentation": "The log level to write to CloudWatch Logs." + "ArchiveAllowedFlag": { + "shape": "Scte35ArchiveAllowedFlag", + "locationName": "archiveAllowedFlag", + "documentation": "Corresponds to SCTE-35 archive_allowed_flag." }, - "Maintenance": { - "shape": "MaintenanceUpdateSettings", - "locationName": "maintenance", - "documentation": "Maintenance settings for this channel." + "DeviceRestrictions": { + "shape": "Scte35DeviceRestrictions", + "locationName": "deviceRestrictions", + "documentation": "Corresponds to SCTE-35 device_restrictions parameter." }, - "Name": { - "shape": "__string", - "locationName": "name", - "documentation": "The name of the channel." + "NoRegionalBlackoutFlag": { + "shape": "Scte35NoRegionalBlackoutFlag", + "locationName": "noRegionalBlackoutFlag", + "documentation": "Corresponds to SCTE-35 no_regional_blackout_flag parameter." }, - "RoleArn": { - "shape": "__string", - "locationName": "roleArn", - "documentation": "An optional Amazon Resource Name (ARN) of the role to assume when running the Channel. If you do not specify this on an update call but the role was previously set that role will be removed." + "WebDeliveryAllowedFlag": { + "shape": "Scte35WebDeliveryAllowedFlag", + "locationName": "webDeliveryAllowedFlag", + "documentation": "Corresponds to SCTE-35 web_delivery_allowed_flag parameter." } }, - "documentation": "A request to update a channel.", + "documentation": "Corresponds to SCTE-35 delivery_not_restricted_flag parameter. To declare delivery restrictions, include this element and its four \"restriction\" flags. To declare that there are no restrictions, omit this element.", "required": [ - "ChannelId" + "DeviceRestrictions", + "ArchiveAllowedFlag", + "WebDeliveryAllowedFlag", + "NoRegionalBlackoutFlag" ] }, - "UpdateChannelResponse": { + "Scte35Descriptor": { "type": "structure", "members": { - "Channel": { - "shape": "Channel", - "locationName": "channel" + "Scte35DescriptorSettings": { + "shape": "Scte35DescriptorSettings", + "locationName": "scte35DescriptorSettings", + "documentation": "SCTE-35 Descriptor Settings." } }, - "documentation": "Placeholder documentation for UpdateChannelResponse" + "documentation": "Holds one set of SCTE-35 Descriptor Settings.", + "required": [ + "Scte35DescriptorSettings" + ] }, - "UpdateChannelResultModel": { + "Scte35DescriptorSettings": { "type": "structure", "members": { - "Channel": { - "shape": "Channel", - "locationName": "channel" + "SegmentationDescriptorScte35DescriptorSettings": { + "shape": "Scte35SegmentationDescriptor", + "locationName": "segmentationDescriptorScte35DescriptorSettings", + "documentation": "SCTE-35 Segmentation Descriptor." } }, - "documentation": "The updated channel's description." + "documentation": "SCTE-35 Descriptor settings.", + "required": [ + "SegmentationDescriptorScte35DescriptorSettings" + ] }, - "UpdateInput": { + "Scte35DeviceRestrictions": { + "type": "string", + "documentation": "Corresponds to the device_restrictions parameter in a segmentation_descriptor. If you include one of the \"restriction\" flags then you must include all four of them.", + "enum": [ + "NONE", + "RESTRICT_GROUP0", + "RESTRICT_GROUP1", + "RESTRICT_GROUP2" + ] + }, + "Scte35InputMode": { + "type": "string", + "documentation": "Whether the SCTE-35 input should be the active input or a fixed input.", + "enum": [ + "FIXED", + "FOLLOW_ACTIVE" + ] + }, + "Scte35InputScheduleActionSettings": { "type": "structure", "members": { - "Destinations": { - "shape": "__listOfInputDestinationRequest", - "locationName": "destinations", - "documentation": "Destination settings for PUSH type inputs." - }, - "InputDevices": { - "shape": "__listOfInputDeviceRequest", - "locationName": "inputDevices", - "documentation": "Settings for the devices." - }, - "InputSecurityGroups": { - "shape": "__listOf__string", - "locationName": "inputSecurityGroups", - "documentation": "A list of security groups referenced by IDs to attach to the input." - }, - "MediaConnectFlows": { - "shape": "__listOfMediaConnectFlowRequest", - "locationName": "mediaConnectFlows", - "documentation": "A list of the MediaConnect Flow ARNs that you want to use as the source of the input. You can specify as few as one\nFlow and presently, as many as two. The only requirement is when you have more than one is that each Flow is in a\nseparate Availability Zone as this ensures your EML input is redundant to AZ issues." - }, - "Name": { - "shape": "__string", - "locationName": "name", - "documentation": "Name of the input." - }, - "RoleArn": { + "InputAttachmentNameReference": { "shape": "__string", - "locationName": "roleArn", - "documentation": "The Amazon Resource Name (ARN) of the role this input assumes during and after creation." - }, - "Sources": { - "shape": "__listOfInputSourceRequest", - "locationName": "sources", - "documentation": "The source URLs for a PULL-type input. Every PULL type input needs\nexactly two source URLs for redundancy.\nOnly specify sources for PULL type Inputs. Leave Destinations empty." + "locationName": "inputAttachmentNameReference", + "documentation": "In fixed mode, enter the name of the input attachment that you want to use as a SCTE-35 input. (Don't enter the ID of the input.)\"" }, - "SrtSettings": { - "shape": "SrtSettingsRequest", - "locationName": "srtSettings", - "documentation": "The settings associated with an SRT input." + "Mode": { + "shape": "Scte35InputMode", + "locationName": "mode", + "documentation": "Whether the SCTE-35 input should be the active input or a fixed input." } }, - "documentation": "Placeholder documentation for UpdateInput" + "documentation": "Scte35Input Schedule Action Settings", + "required": [ + "Mode" + ] }, - "UpdateInputDevice": { + "Scte35NoRegionalBlackoutFlag": { + "type": "string", + "documentation": "Corresponds to the no_regional_blackout_flag parameter. A value of REGIONAL_BLACKOUT corresponds to 0 (false) in the SCTE-35 specification. If you include one of the \"restriction\" flags then you must include all four of them.", + "enum": [ + "REGIONAL_BLACKOUT", + "NO_REGIONAL_BLACKOUT" + ] + }, + "Scte35ReturnToNetworkScheduleActionSettings": { "type": "structure", "members": { - "HdDeviceSettings": { - "shape": "InputDeviceConfigurableSettings", - "locationName": "hdDeviceSettings", - "documentation": "The settings that you want to apply to the HD input device." - }, - "Name": { - "shape": "__string", - "locationName": "name", - "documentation": "The name that you assigned to this input device (not the unique ID)." - }, - "UhdDeviceSettings": { - "shape": "InputDeviceConfigurableSettings", - "locationName": "uhdDeviceSettings", - "documentation": "The settings that you want to apply to the UHD input device." - }, - "AvailabilityZone": { - "shape": "__string", - "locationName": "availabilityZone", - "documentation": "The Availability Zone you want associated with this input device." - } - }, - "documentation": "Updates an input device." - }, - "UpdateInputDeviceRequest": { - "type": "structure", - "members": { - "HdDeviceSettings": { - "shape": "InputDeviceConfigurableSettings", - "locationName": "hdDeviceSettings", - "documentation": "The settings that you want to apply to the HD input device." - }, - "InputDeviceId": { - "shape": "__string", - "location": "uri", - "locationName": "inputDeviceId", - "documentation": "The unique ID of the input device. For example, hd-123456789abcdef." - }, - "Name": { - "shape": "__string", - "locationName": "name", - "documentation": "The name that you assigned to this input device (not the unique ID)." - }, - "UhdDeviceSettings": { - "shape": "InputDeviceConfigurableSettings", - "locationName": "uhdDeviceSettings", - "documentation": "The settings that you want to apply to the UHD input device." - }, - "AvailabilityZone": { - "shape": "__string", - "locationName": "availabilityZone", - "documentation": "The Availability Zone you want associated with this input device." + "SpliceEventId": { + "shape": "__longMin0Max4294967295", + "locationName": "spliceEventId", + "documentation": "The splice_event_id for the SCTE-35 splice_insert, as defined in SCTE-35." } }, - "documentation": "A request to update an input device.", + "documentation": "Settings for a SCTE-35 return_to_network message.", "required": [ - "InputDeviceId" + "SpliceEventId" ] }, - "UpdateInputDeviceResponse": { + "Scte35SegmentationCancelIndicator": { + "type": "string", + "documentation": "Corresponds to SCTE-35 segmentation_event_cancel_indicator. SEGMENTATION_EVENT_NOT_CANCELED corresponds to 0 in the SCTE-35 specification and indicates that this is an insertion request. SEGMENTATION_EVENT_CANCELED corresponds to 1 in the SCTE-35 specification and indicates that this is a cancelation request, in which case complete this field and the existing event ID to cancel.", + "enum": [ + "SEGMENTATION_EVENT_NOT_CANCELED", + "SEGMENTATION_EVENT_CANCELED" + ] + }, + "Scte35SegmentationDescriptor": { "type": "structure", "members": { - "Arn": { - "shape": "__string", - "locationName": "arn", - "documentation": "The unique ARN of the input device." - }, - "ConnectionState": { - "shape": "InputDeviceConnectionState", - "locationName": "connectionState", - "documentation": "The state of the connection between the input device and AWS." - }, - "DeviceSettingsSyncState": { - "shape": "DeviceSettingsSyncState", - "locationName": "deviceSettingsSyncState", - "documentation": "The status of the action to synchronize the device configuration. If you change the configuration of the input device (for example, the maximum bitrate), MediaLive sends the new data to the device. The device might not update itself immediately. SYNCED means the device has updated its configuration. SYNCING means that it has not updated its configuration." - }, - "DeviceUpdateStatus": { - "shape": "DeviceUpdateStatus", - "locationName": "deviceUpdateStatus", - "documentation": "The status of software on the input device." + "DeliveryRestrictions": { + "shape": "Scte35DeliveryRestrictions", + "locationName": "deliveryRestrictions", + "documentation": "Holds the four SCTE-35 delivery restriction parameters." }, - "HdDeviceSettings": { - "shape": "InputDeviceHdSettings", - "locationName": "hdDeviceSettings", - "documentation": "Settings that describe an input device that is type HD." + "SegmentNum": { + "shape": "__integerMin0Max255", + "locationName": "segmentNum", + "documentation": "Corresponds to SCTE-35 segment_num. A value that is valid for the specified segmentation_type_id." }, - "Id": { - "shape": "__string", - "locationName": "id", - "documentation": "The unique ID of the input device." + "SegmentationCancelIndicator": { + "shape": "Scte35SegmentationCancelIndicator", + "locationName": "segmentationCancelIndicator", + "documentation": "Corresponds to SCTE-35 segmentation_event_cancel_indicator." }, - "MacAddress": { - "shape": "__string", - "locationName": "macAddress", - "documentation": "The network MAC address of the input device." + "SegmentationDuration": { + "shape": "__longMin0Max1099511627775", + "locationName": "segmentationDuration", + "documentation": "Corresponds to SCTE-35 segmentation_duration. Optional. The duration for the time_signal, in 90 KHz ticks. To convert seconds to ticks, multiple the seconds by 90,000. Enter time in 90 KHz clock ticks. If you do not enter a duration, the time_signal will continue until you insert a cancellation message." }, - "Name": { - "shape": "__string", - "locationName": "name", - "documentation": "A name that you specify for the input device." + "SegmentationEventId": { + "shape": "__longMin0Max4294967295", + "locationName": "segmentationEventId", + "documentation": "Corresponds to SCTE-35 segmentation_event_id. " }, - "NetworkSettings": { - "shape": "InputDeviceNetworkSettings", - "locationName": "networkSettings", - "documentation": "The network settings for the input device." + "SegmentationTypeId": { + "shape": "__integerMin0Max255", + "locationName": "segmentationTypeId", + "documentation": "Corresponds to SCTE-35 segmentation_type_id. One of the segmentation_type_id values listed in the SCTE-35 specification. On the console, enter the ID in decimal (for example, \"52\"). In the CLI, API, or an SDK, enter the ID in hex (for example, \"0x34\") or decimal (for example, \"52\")." }, - "SerialNumber": { + "SegmentationUpid": { "shape": "__string", - "locationName": "serialNumber", - "documentation": "The unique serial number of the input device." - }, - "Type": { - "shape": "InputDeviceType", - "locationName": "type", - "documentation": "The type of the input device." - }, - "UhdDeviceSettings": { - "shape": "InputDeviceUhdSettings", - "locationName": "uhdDeviceSettings", - "documentation": "Settings that describe an input device that is type UHD." + "locationName": "segmentationUpid", + "documentation": "Corresponds to SCTE-35 segmentation_upid. Enter a string containing the hexadecimal representation of the characters that make up the SCTE-35 segmentation_upid value. Must contain an even number of hex characters. Do not include spaces between each hex pair. For example, the ASCII \"ADS Information\" becomes hex \"41445320496e666f726d6174696f6e." }, - "Tags": { - "shape": "Tags", - "locationName": "tags", - "documentation": "A collection of key-value pairs." + "SegmentationUpidType": { + "shape": "__integerMin0Max255", + "locationName": "segmentationUpidType", + "documentation": "Corresponds to SCTE-35 segmentation_upid_type. On the console, enter one of the types listed in the SCTE-35 specification, converted to a decimal. For example, \"0x0C\" hex from the specification is \"12\" in decimal. In the CLI, API, or an SDK, enter one of the types listed in the SCTE-35 specification, in either hex (for example, \"0x0C\" ) or in decimal (for example, \"12\")." }, - "AvailabilityZone": { - "shape": "__string", - "locationName": "availabilityZone", - "documentation": "The Availability Zone associated with this input device." + "SegmentsExpected": { + "shape": "__integerMin0Max255", + "locationName": "segmentsExpected", + "documentation": "Corresponds to SCTE-35 segments_expected. A value that is valid for the specified segmentation_type_id." }, - "MedialiveInputArns": { - "shape": "__listOf__string", - "locationName": "medialiveInputArns", - "documentation": "An array of the ARNs for the MediaLive inputs attached to the device. Returned only if the outputType is MEDIALIVE_INPUT." + "SubSegmentNum": { + "shape": "__integerMin0Max255", + "locationName": "subSegmentNum", + "documentation": "Corresponds to SCTE-35 sub_segment_num. A value that is valid for the specified segmentation_type_id." }, - "OutputType": { - "shape": "InputDeviceOutputType", - "locationName": "outputType", - "documentation": "The output attachment type of the input device. Specifies MEDIACONNECT_FLOW if this device is the source for a MediaConnect flow. Specifies MEDIALIVE_INPUT if this device is the source for a MediaLive input." + "SubSegmentsExpected": { + "shape": "__integerMin0Max255", + "locationName": "subSegmentsExpected", + "documentation": "Corresponds to SCTE-35 sub_segments_expected. A value that is valid for the specified segmentation_type_id." } }, - "documentation": "Placeholder documentation for UpdateInputDeviceResponse" + "documentation": "Corresponds to SCTE-35 segmentation_descriptor.", + "required": [ + "SegmentationEventId", + "SegmentationCancelIndicator" + ] }, - "UpdateInputRequest": { + "Scte35SpliceInsert": { "type": "structure", "members": { - "Destinations": { - "shape": "__listOfInputDestinationRequest", - "locationName": "destinations", - "documentation": "Destination settings for PUSH type inputs." - }, - "InputDevices": { - "shape": "__listOfInputDeviceRequest", - "locationName": "inputDevices", - "documentation": "Settings for the devices." - }, - "InputId": { - "shape": "__string", - "location": "uri", - "locationName": "inputId", - "documentation": "Unique ID of the input." - }, - "InputSecurityGroups": { - "shape": "__listOf__string", - "locationName": "inputSecurityGroups", - "documentation": "A list of security groups referenced by IDs to attach to the input." - }, - "MediaConnectFlows": { - "shape": "__listOfMediaConnectFlowRequest", - "locationName": "mediaConnectFlows", - "documentation": "A list of the MediaConnect Flow ARNs that you want to use as the source of the input. You can specify as few as one\nFlow and presently, as many as two. The only requirement is when you have more than one is that each Flow is in a\nseparate Availability Zone as this ensures your EML input is redundant to AZ issues." - }, - "Name": { - "shape": "__string", - "locationName": "name", - "documentation": "Name of the input." - }, - "RoleArn": { - "shape": "__string", - "locationName": "roleArn", - "documentation": "The Amazon Resource Name (ARN) of the role this input assumes during and after creation." + "AdAvailOffset": { + "shape": "__integerMinNegative1000Max1000", + "locationName": "adAvailOffset", + "documentation": "When specified, this offset (in milliseconds) is added to the input Ad Avail PTS time. This only applies to embedded SCTE 104/35 messages and does not apply to OOB messages." }, - "Sources": { - "shape": "__listOfInputSourceRequest", - "locationName": "sources", - "documentation": "The source URLs for a PULL-type input. Every PULL type input needs\nexactly two source URLs for redundancy.\nOnly specify sources for PULL type Inputs. Leave Destinations empty." + "NoRegionalBlackoutFlag": { + "shape": "Scte35SpliceInsertNoRegionalBlackoutBehavior", + "locationName": "noRegionalBlackoutFlag", + "documentation": "When set to ignore, Segment Descriptors with noRegionalBlackoutFlag set to 0 will no longer trigger blackouts or Ad Avail slates" }, - "SrtSettings": { - "shape": "SrtSettingsRequest", - "locationName": "srtSettings", - "documentation": "The settings associated with an SRT input." + "WebDeliveryAllowedFlag": { + "shape": "Scte35SpliceInsertWebDeliveryAllowedBehavior", + "locationName": "webDeliveryAllowedFlag", + "documentation": "When set to ignore, Segment Descriptors with webDeliveryAllowedFlag set to 0 will no longer trigger blackouts or Ad Avail slates" } }, - "documentation": "A request to update an input.", - "required": [ - "InputId" + "documentation": "Typical configuration that applies breaks on splice inserts in addition to time signal placement opportunities, breaks, and advertisements." + }, + "Scte35SpliceInsertNoRegionalBlackoutBehavior": { + "type": "string", + "documentation": "Scte35 Splice Insert No Regional Blackout Behavior", + "enum": [ + "FOLLOW", + "IGNORE" ] }, - "UpdateInputResponse": { + "Scte35SpliceInsertScheduleActionSettings": { "type": "structure", "members": { - "Input": { - "shape": "Input", - "locationName": "input" - } - }, - "documentation": "Placeholder documentation for UpdateInputResponse" - }, - "UpdateInputResultModel": { - "type": "structure", - "members": { - "Input": { - "shape": "Input", - "locationName": "input" - } - }, - "documentation": "Placeholder documentation for UpdateInputResultModel" - }, - "UpdateInputSecurityGroupRequest": { - "type": "structure", - "members": { - "InputSecurityGroupId": { - "shape": "__string", - "location": "uri", - "locationName": "inputSecurityGroupId", - "documentation": "The id of the Input Security Group to update." - }, - "Tags": { - "shape": "Tags", - "locationName": "tags", - "documentation": "A collection of key-value pairs." + "Duration": { + "shape": "__longMin0Max8589934591", + "locationName": "duration", + "documentation": "Optional, the duration for the splice_insert, in 90 KHz ticks. To convert seconds to ticks, multiple the seconds by 90,000. If you enter a duration, there is an expectation that the downstream system can read the duration and cue in at that time. If you do not enter a duration, the splice_insert will continue indefinitely and there is an expectation that you will enter a return_to_network to end the splice_insert at the appropriate time." }, - "WhitelistRules": { - "shape": "__listOfInputWhitelistRuleCidr", - "locationName": "whitelistRules", - "documentation": "List of IPv4 CIDR addresses to whitelist" + "SpliceEventId": { + "shape": "__longMin0Max4294967295", + "locationName": "spliceEventId", + "documentation": "The splice_event_id for the SCTE-35 splice_insert, as defined in SCTE-35." } }, - "documentation": "The request to update some combination of the Input Security Group name and the IPv4 CIDRs the Input Security Group should allow.", + "documentation": "Settings for a SCTE-35 splice_insert message.", "required": [ - "InputSecurityGroupId" + "SpliceEventId" ] }, - "UpdateInputSecurityGroupResponse": { - "type": "structure", - "members": { - "SecurityGroup": { - "shape": "InputSecurityGroup", - "locationName": "securityGroup" - } - }, - "documentation": "Placeholder documentation for UpdateInputSecurityGroupResponse" + "Scte35SpliceInsertWebDeliveryAllowedBehavior": { + "type": "string", + "documentation": "Scte35 Splice Insert Web Delivery Allowed Behavior", + "enum": [ + "FOLLOW", + "IGNORE" + ] }, - "UpdateInputSecurityGroupResultModel": { + "Scte35TimeSignalApos": { "type": "structure", "members": { - "SecurityGroup": { - "shape": "InputSecurityGroup", - "locationName": "securityGroup" + "AdAvailOffset": { + "shape": "__integerMinNegative1000Max1000", + "locationName": "adAvailOffset", + "documentation": "When specified, this offset (in milliseconds) is added to the input Ad Avail PTS time. This only applies to embedded SCTE 104/35 messages and does not apply to OOB messages." + }, + "NoRegionalBlackoutFlag": { + "shape": "Scte35AposNoRegionalBlackoutBehavior", + "locationName": "noRegionalBlackoutFlag", + "documentation": "When set to ignore, Segment Descriptors with noRegionalBlackoutFlag set to 0 will no longer trigger blackouts or Ad Avail slates" + }, + "WebDeliveryAllowedFlag": { + "shape": "Scte35AposWebDeliveryAllowedBehavior", + "locationName": "webDeliveryAllowedFlag", + "documentation": "When set to ignore, Segment Descriptors with webDeliveryAllowedFlag set to 0 will no longer trigger blackouts or Ad Avail slates" } }, - "documentation": "Placeholder documentation for UpdateInputSecurityGroupResultModel" + "documentation": "Atypical configuration that applies segment breaks only on SCTE-35 time signal placement opportunities and breaks." }, - "UpdateMultiplex": { + "Scte35TimeSignalScheduleActionSettings": { "type": "structure", "members": { - "MultiplexSettings": { - "shape": "MultiplexSettings", - "locationName": "multiplexSettings", - "documentation": "The new settings for a multiplex." - }, - "Name": { - "shape": "__string", - "locationName": "name", - "documentation": "Name of the multiplex." - }, - "PacketIdentifiersMapping": { - "shape": "MultiplexPacketIdentifiersMapping", - "locationName": "packetIdentifiersMapping" + "Scte35Descriptors": { + "shape": "__listOfScte35Descriptor", + "locationName": "scte35Descriptors", + "documentation": "The list of SCTE-35 descriptors accompanying the SCTE-35 time_signal." } }, - "documentation": "Placeholder documentation for UpdateMultiplex" + "documentation": "Settings for a SCTE-35 time_signal.", + "required": [ + "Scte35Descriptors" + ] }, - "UpdateMultiplexProgram": { + "Scte35WebDeliveryAllowedFlag": { + "type": "string", + "documentation": "Corresponds to the web_delivery_allowed_flag parameter. A value of WEB_DELIVERY_NOT_ALLOWED corresponds to 0 (false) in the SCTE-35 specification. If you include one of the \"restriction\" flags then you must include all four of them.", + "enum": [ + "WEB_DELIVERY_NOT_ALLOWED", + "WEB_DELIVERY_ALLOWED" + ] + }, + "SmoothGroupAudioOnlyTimecodeControl": { + "type": "string", + "documentation": "Smooth Group Audio Only Timecode Control", + "enum": [ + "PASSTHROUGH", + "USE_CONFIGURED_CLOCK" + ] + }, + "SmoothGroupCertificateMode": { + "type": "string", + "documentation": "Smooth Group Certificate Mode", + "enum": [ + "SELF_SIGNED", + "VERIFY_AUTHENTICITY" + ] + }, + "SmoothGroupEventIdMode": { + "type": "string", + "documentation": "Smooth Group Event Id Mode", + "enum": [ + "NO_EVENT_ID", + "USE_CONFIGURED", + "USE_TIMESTAMP" + ] + }, + "SmoothGroupEventStopBehavior": { + "type": "string", + "documentation": "Smooth Group Event Stop Behavior", + "enum": [ + "NONE", + "SEND_EOS" + ] + }, + "SmoothGroupSegmentationMode": { + "type": "string", + "documentation": "Smooth Group Segmentation Mode", + "enum": [ + "USE_INPUT_SEGMENTATION", + "USE_SEGMENT_DURATION" + ] + }, + "SmoothGroupSparseTrackType": { + "type": "string", + "documentation": "Smooth Group Sparse Track Type", + "enum": [ + "NONE", + "SCTE_35", + "SCTE_35_WITHOUT_SEGMENTATION" + ] + }, + "SmoothGroupStreamManifestBehavior": { + "type": "string", + "documentation": "Smooth Group Stream Manifest Behavior", + "enum": [ + "DO_NOT_SEND", + "SEND" + ] + }, + "SmoothGroupTimestampOffsetMode": { + "type": "string", + "documentation": "Smooth Group Timestamp Offset Mode", + "enum": [ + "USE_CONFIGURED_OFFSET", + "USE_EVENT_START_DATE" + ] + }, + "Smpte2038DataPreference": { + "type": "string", + "documentation": "Smpte2038 Data Preference", + "enum": [ + "IGNORE", + "PREFER" + ] + }, + "SmpteTtDestinationSettings": { "type": "structure", "members": { - "MultiplexProgramSettings": { - "shape": "MultiplexProgramSettings", - "locationName": "multiplexProgramSettings", - "documentation": "The new settings for a multiplex program." - } }, - "documentation": "Placeholder documentation for UpdateMultiplexProgram" + "documentation": "Smpte Tt Destination Settings" }, - "UpdateMultiplexProgramRequest": { + "StandardHlsSettings": { "type": "structure", "members": { - "MultiplexId": { + "AudioRenditionSets": { "shape": "__string", - "location": "uri", - "locationName": "multiplexId", - "documentation": "The ID of the multiplex of the program to update." - }, - "MultiplexProgramSettings": { - "shape": "MultiplexProgramSettings", - "locationName": "multiplexProgramSettings", - "documentation": "The new settings for a multiplex program." + "locationName": "audioRenditionSets", + "documentation": "List all the audio groups that are used with the video output stream. Input all the audio GROUP-IDs that are associated to the video, separate by ','." }, - "ProgramName": { - "shape": "__string", - "location": "uri", - "locationName": "programName", - "documentation": "The name of the program to update." + "M3u8Settings": { + "shape": "M3u8Settings", + "locationName": "m3u8Settings" } }, - "documentation": "A request to update a program in a multiplex.", + "documentation": "Standard Hls Settings", "required": [ - "MultiplexId", - "ProgramName" + "M3u8Settings" ] }, - "UpdateMultiplexProgramResponse": { - "type": "structure", - "members": { - "MultiplexProgram": { - "shape": "MultiplexProgram", - "locationName": "multiplexProgram", - "documentation": "The updated multiplex program." - } - }, - "documentation": "Placeholder documentation for UpdateMultiplexProgramResponse" - }, - "UpdateMultiplexProgramResultModel": { + "StartChannelRequest": { "type": "structure", "members": { - "MultiplexProgram": { - "shape": "MultiplexProgram", - "locationName": "multiplexProgram", - "documentation": "The updated multiplex program." + "ChannelId": { + "shape": "__string", + "location": "uri", + "locationName": "channelId", + "documentation": "A request to start a channel" } }, - "documentation": "Placeholder documentation for UpdateMultiplexProgramResultModel" + "required": [ + "ChannelId" + ], + "documentation": "Placeholder documentation for StartChannelRequest" }, - "UpdateMultiplexRequest": { + "StartChannelResponse": { "type": "structure", "members": { - "MultiplexId": { + "Arn": { "shape": "__string", - "location": "uri", - "locationName": "multiplexId", - "documentation": "ID of the multiplex to update." + "locationName": "arn", + "documentation": "The unique arn of the channel." }, - "MultiplexSettings": { - "shape": "MultiplexSettings", - "locationName": "multiplexSettings", - "documentation": "The new settings for a multiplex." + "CdiInputSpecification": { + "shape": "CdiInputSpecification", + "locationName": "cdiInputSpecification", + "documentation": "Specification of CDI inputs for this channel" + }, + "ChannelClass": { + "shape": "ChannelClass", + "locationName": "channelClass", + "documentation": "The class for this channel. STANDARD for a channel with two pipelines or SINGLE_PIPELINE for a channel with one pipeline." + }, + "Destinations": { + "shape": "__listOfOutputDestination", + "locationName": "destinations", + "documentation": "A list of destinations of the channel. For UDP outputs, there is one\ndestination per output. For other types (HLS, for example), there is\none destination per packager." + }, + "EgressEndpoints": { + "shape": "__listOfChannelEgressEndpoint", + "locationName": "egressEndpoints", + "documentation": "The endpoints where outgoing connections initiate from" + }, + "EncoderSettings": { + "shape": "EncoderSettings", + "locationName": "encoderSettings" + }, + "Id": { + "shape": "__string", + "locationName": "id", + "documentation": "The unique id of the channel." + }, + "InputAttachments": { + "shape": "__listOfInputAttachment", + "locationName": "inputAttachments", + "documentation": "List of input attachments for channel." + }, + "InputSpecification": { + "shape": "InputSpecification", + "locationName": "inputSpecification", + "documentation": "Specification of network and file inputs for this channel" + }, + "LogLevel": { + "shape": "LogLevel", + "locationName": "logLevel", + "documentation": "The log level being written to CloudWatch Logs." + }, + "Maintenance": { + "shape": "MaintenanceStatus", + "locationName": "maintenance", + "documentation": "Maintenance settings for this channel." }, "Name": { "shape": "__string", "locationName": "name", - "documentation": "Name of the multiplex." + "documentation": "The name of the channel. (user-mutable)" }, - "PacketIdentifiersMapping": { - "shape": "MultiplexPacketIdentifiersMapping", - "locationName": "packetIdentifiersMapping" - } - }, - "documentation": "A request to update a multiplex.", - "required": [ - "MultiplexId" - ] - }, - "UpdateMultiplexResponse": { - "type": "structure", - "members": { - "Multiplex": { - "shape": "Multiplex", - "locationName": "multiplex", - "documentation": "The updated multiplex." + "PipelineDetails": { + "shape": "__listOfPipelineDetail", + "locationName": "pipelineDetails", + "documentation": "Runtime details for the pipelines of a running channel." + }, + "PipelinesRunningCount": { + "shape": "__integer", + "locationName": "pipelinesRunningCount", + "documentation": "The number of currently healthy pipelines." + }, + "RoleArn": { + "shape": "__string", + "locationName": "roleArn", + "documentation": "The Amazon Resource Name (ARN) of the role assumed when running the Channel." + }, + "State": { + "shape": "ChannelState", + "locationName": "state" + }, + "Tags": { + "shape": "Tags", + "locationName": "tags", + "documentation": "A collection of key-value pairs." + }, + "Vpc": { + "shape": "VpcOutputSettingsDescription", + "locationName": "vpc", + "documentation": "Settings for VPC output" + }, + "AnywhereSettings": { + "shape": "DescribeAnywhereSettings", + "locationName": "anywhereSettings", + "documentation": "Anywhere settings for this channel." } }, - "documentation": "Placeholder documentation for UpdateMultiplexResponse" + "documentation": "Placeholder documentation for StartChannelResponse" }, - "UpdateMultiplexResultModel": { + "StartInputDeviceMaintenanceWindowRequest": { "type": "structure", "members": { - "Multiplex": { - "shape": "Multiplex", - "locationName": "multiplex", - "documentation": "The updated multiplex." + "InputDeviceId": { + "shape": "__string", + "location": "uri", + "locationName": "inputDeviceId", + "documentation": "The unique ID of the input device to start a maintenance window for. For example, hd-123456789abcdef." } }, - "documentation": "Placeholder documentation for UpdateMultiplexResultModel" + "required": [ + "InputDeviceId" + ], + "documentation": "Placeholder documentation for StartInputDeviceMaintenanceWindowRequest" }, - "UpdateReservation": { + "StartInputDeviceMaintenanceWindowResponse": { "type": "structure", "members": { - "Name": { - "shape": "__string", - "locationName": "name", - "documentation": "Name of the reservation" - }, - "RenewalSettings": { - "shape": "RenewalSettings", - "locationName": "renewalSettings", - "documentation": "Renewal settings for the reservation" - } }, - "documentation": "UpdateReservation request" + "documentation": "Placeholder documentation for StartInputDeviceMaintenanceWindowResponse" }, - "UpdateReservationRequest": { + "StartInputDeviceRequest": { "type": "structure", "members": { - "Name": { - "shape": "__string", - "locationName": "name", - "documentation": "Name of the reservation" - }, - "RenewalSettings": { - "shape": "RenewalSettings", - "locationName": "renewalSettings", - "documentation": "Renewal settings for the reservation" - }, - "ReservationId": { + "InputDeviceId": { "shape": "__string", "location": "uri", - "locationName": "reservationId", - "documentation": "Unique reservation ID, e.g. '1234567'" + "locationName": "inputDeviceId", + "documentation": "The unique ID of the input device to start. For example, hd-123456789abcdef." } }, - "documentation": "Request to update a reservation", "required": [ - "ReservationId" - ] + "InputDeviceId" + ], + "documentation": "Placeholder documentation for StartInputDeviceRequest" }, - "UpdateReservationResponse": { + "StartInputDeviceResponse": { "type": "structure", "members": { - "Reservation": { - "shape": "Reservation", - "locationName": "reservation" - } }, - "documentation": "Placeholder documentation for UpdateReservationResponse" + "documentation": "Placeholder documentation for StartInputDeviceResponse" }, - "UpdateReservationResultModel": { + "StartMultiplexRequest": { "type": "structure", "members": { - "Reservation": { - "shape": "Reservation", - "locationName": "reservation" + "MultiplexId": { + "shape": "__string", + "location": "uri", + "locationName": "multiplexId", + "documentation": "The ID of the multiplex." } }, - "documentation": "UpdateReservation response" + "required": [ + "MultiplexId" + ], + "documentation": "Placeholder documentation for StartMultiplexRequest" }, - "ValidationError": { + "StartMultiplexResponse": { "type": "structure", "members": { - "ElementPath": { + "Arn": { "shape": "__string", - "locationName": "elementPath", - "documentation": "Path to the source of the error." + "locationName": "arn", + "documentation": "The unique arn of the multiplex." }, - "ErrorMessage": { + "AvailabilityZones": { + "shape": "__listOf__string", + "locationName": "availabilityZones", + "documentation": "A list of availability zones for the multiplex." + }, + "Destinations": { + "shape": "__listOfMultiplexOutputDestination", + "locationName": "destinations", + "documentation": "A list of the multiplex output destinations." + }, + "Id": { "shape": "__string", - "locationName": "errorMessage", - "documentation": "The error message." + "locationName": "id", + "documentation": "The unique id of the multiplex." + }, + "MultiplexSettings": { + "shape": "MultiplexSettings", + "locationName": "multiplexSettings", + "documentation": "Configuration for a multiplex event." + }, + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "The name of the multiplex." + }, + "PipelinesRunningCount": { + "shape": "__integer", + "locationName": "pipelinesRunningCount", + "documentation": "The number of currently healthy pipelines." + }, + "ProgramCount": { + "shape": "__integer", + "locationName": "programCount", + "documentation": "The number of programs in the multiplex." + }, + "State": { + "shape": "MultiplexState", + "locationName": "state", + "documentation": "The current state of the multiplex." + }, + "Tags": { + "shape": "Tags", + "locationName": "tags", + "documentation": "A collection of key-value pairs." } }, - "documentation": "Placeholder documentation for ValidationError" + "documentation": "Placeholder documentation for StartMultiplexResponse" }, - "VideoBlackFailoverSettings": { + "StartTimecode": { "type": "structure", "members": { - "BlackDetectThreshold": { - "shape": "__doubleMin0Max1", - "locationName": "blackDetectThreshold", - "documentation": "A value used in calculating the threshold below which MediaLive considers a pixel to be 'black'. For the input to be considered black, every pixel in a frame must be below this threshold. The threshold is calculated as a percentage (expressed as a decimal) of white. Therefore .1 means 10% white (or 90% black). Note how the formula works for any color depth. For example, if you set this field to 0.1 in 10-bit color depth: (1023*0.1=102.3), which means a pixel value of 102 or less is 'black'. If you set this field to .1 in an 8-bit color depth: (255*0.1=25.5), which means a pixel value of 25 or less is 'black'. The range is 0.0 to 1.0, with any number of decimal places." - }, - "VideoBlackThresholdMsec": { - "shape": "__integerMin1000", - "locationName": "videoBlackThresholdMsec", - "documentation": "The amount of time (in milliseconds) that the active input must be black before automatic input failover occurs." + "Timecode": { + "shape": "__string", + "locationName": "timecode", + "documentation": "The timecode for the frame where you want to start the clip. Optional; if not specified, the clip starts at first frame in the file. Enter the timecode as HH:MM:SS:FF or HH:MM:SS;FF." } }, - "documentation": "Placeholder documentation for VideoBlackFailoverSettings" + "documentation": "Settings to identify the start of the clip." }, - "VideoCodecSettings": { + "StaticImageActivateScheduleActionSettings": { "type": "structure", "members": { - "FrameCaptureSettings": { - "shape": "FrameCaptureSettings", - "locationName": "frameCaptureSettings" - }, - "H264Settings": { - "shape": "H264Settings", - "locationName": "h264Settings" + "Duration": { + "shape": "__integerMin0", + "locationName": "duration", + "documentation": "The duration in milliseconds for the image to remain on the video. If omitted or set to 0 the duration is unlimited and the image will remain until it is explicitly deactivated." }, - "H265Settings": { - "shape": "H265Settings", - "locationName": "h265Settings" + "FadeIn": { + "shape": "__integerMin0", + "locationName": "fadeIn", + "documentation": "The time in milliseconds for the image to fade in. The fade-in starts at the start time of the overlay. Default is 0 (no fade-in)." }, - "Mpeg2Settings": { - "shape": "Mpeg2Settings", - "locationName": "mpeg2Settings" + "FadeOut": { + "shape": "__integerMin0", + "locationName": "fadeOut", + "documentation": "Applies only if a duration is specified. The time in milliseconds for the image to fade out. The fade-out starts when the duration time is hit, so it effectively extends the duration. Default is 0 (no fade-out)." + }, + "Height": { + "shape": "__integerMin1", + "locationName": "height", + "documentation": "The height of the image when inserted into the video, in pixels. The overlay will be scaled up or down to the specified height. Leave blank to use the native height of the overlay." + }, + "Image": { + "shape": "InputLocation", + "locationName": "image", + "documentation": "The location and filename of the image file to overlay on the video. The file must be a 32-bit BMP, PNG, or TGA file, and must not be larger (in pixels) than the input video." + }, + "ImageX": { + "shape": "__integerMin0", + "locationName": "imageX", + "documentation": "Placement of the left edge of the overlay relative to the left edge of the video frame, in pixels. 0 (the default) is the left edge of the frame. If the placement causes the overlay to extend beyond the right edge of the underlying video, then the overlay is cropped on the right." + }, + "ImageY": { + "shape": "__integerMin0", + "locationName": "imageY", + "documentation": "Placement of the top edge of the overlay relative to the top edge of the video frame, in pixels. 0 (the default) is the top edge of the frame. If the placement causes the overlay to extend beyond the bottom edge of the underlying video, then the overlay is cropped on the bottom." + }, + "Layer": { + "shape": "__integerMin0Max7", + "locationName": "layer", + "documentation": "The number of the layer, 0 to 7. There are 8 layers that can be overlaid on the video, each layer with a different image. The layers are in Z order, which means that overlays with higher values of layer are inserted on top of overlays with lower values of layer. Default is 0." + }, + "Opacity": { + "shape": "__integerMin0Max100", + "locationName": "opacity", + "documentation": "Opacity of image where 0 is transparent and 100 is fully opaque. Default is 100." + }, + "Width": { + "shape": "__integerMin1", + "locationName": "width", + "documentation": "The width of the image when inserted into the video, in pixels. The overlay will be scaled up or down to the specified width. Leave blank to use the native width of the overlay." } }, - "documentation": "Video Codec Settings" + "documentation": "Settings for the action to activate a static image.", + "required": [ + "Image" + ] }, - "VideoDescription": { + "StaticImageDeactivateScheduleActionSettings": { "type": "structure", "members": { - "CodecSettings": { - "shape": "VideoCodecSettings", - "locationName": "codecSettings", - "documentation": "Video codec settings." + "FadeOut": { + "shape": "__integerMin0", + "locationName": "fadeOut", + "documentation": "The time in milliseconds for the image to fade out. Default is 0 (no fade-out)." + }, + "Layer": { + "shape": "__integerMin0Max7", + "locationName": "layer", + "documentation": "The image overlay layer to deactivate, 0 to 7. Default is 0." + } + }, + "documentation": "Settings for the action to deactivate the image in a specific layer." + }, + "StaticImageOutputActivateScheduleActionSettings": { + "type": "structure", + "members": { + "Duration": { + "shape": "__integerMin0", + "locationName": "duration", + "documentation": "The duration in milliseconds for the image to remain on the video. If omitted or set to 0 the duration is unlimited and the image will remain until it is explicitly deactivated." + }, + "FadeIn": { + "shape": "__integerMin0", + "locationName": "fadeIn", + "documentation": "The time in milliseconds for the image to fade in. The fade-in starts at the start time of the overlay. Default is 0 (no fade-in)." + }, + "FadeOut": { + "shape": "__integerMin0", + "locationName": "fadeOut", + "documentation": "Applies only if a duration is specified. The time in milliseconds for the image to fade out. The fade-out starts when the duration time is hit, so it effectively extends the duration. Default is 0 (no fade-out)." }, "Height": { - "shape": "__integer", + "shape": "__integerMin1", "locationName": "height", - "documentation": "Output video height, in pixels. Must be an even number. For most codecs, you can leave this field and width blank in order to use the height and width (resolution) from the source. Note, however, that leaving blank is not recommended. For the Frame Capture codec, height and width are required." + "documentation": "The height of the image when inserted into the video, in pixels. The overlay will be scaled up or down to the specified height. Leave blank to use the native height of the overlay." }, - "Name": { - "shape": "__string", - "locationName": "name", - "documentation": "The name of this VideoDescription. Outputs will use this name to uniquely identify this Description. Description names should be unique within this Live Event." + "Image": { + "shape": "InputLocation", + "locationName": "image", + "documentation": "The location and filename of the image file to overlay on the video. The file must be a 32-bit BMP, PNG, or TGA file, and must not be larger (in pixels) than the input video." }, - "RespondToAfd": { - "shape": "VideoDescriptionRespondToAfd", - "locationName": "respondToAfd", - "documentation": "Indicates how MediaLive will respond to the AFD values that might be in the input video. If you do not know what AFD signaling is, or if your downstream system has not given you guidance, choose PASSTHROUGH.\nRESPOND: MediaLive clips the input video using a formula that uses the AFD values (configured in afdSignaling ), the input display aspect ratio, and the output display aspect ratio. MediaLive also includes the AFD values in the output, unless the codec for this encode is FRAME_CAPTURE.\nPASSTHROUGH: MediaLive ignores the AFD values and does not clip the video. But MediaLive does include the values in the output.\nNONE: MediaLive does not clip the input video and does not include the AFD values in the output" + "ImageX": { + "shape": "__integerMin0", + "locationName": "imageX", + "documentation": "Placement of the left edge of the overlay relative to the left edge of the video frame, in pixels. 0 (the default) is the left edge of the frame. If the placement causes the overlay to extend beyond the right edge of the underlying video, then the overlay is cropped on the right." }, - "ScalingBehavior": { - "shape": "VideoDescriptionScalingBehavior", - "locationName": "scalingBehavior", - "documentation": "STRETCH_TO_OUTPUT configures the output position to stretch the video to the specified output resolution (height and width). This option will override any position value. DEFAULT may insert black boxes (pillar boxes or letter boxes) around the video to provide the specified output resolution." + "ImageY": { + "shape": "__integerMin0", + "locationName": "imageY", + "documentation": "Placement of the top edge of the overlay relative to the top edge of the video frame, in pixels. 0 (the default) is the top edge of the frame. If the placement causes the overlay to extend beyond the bottom edge of the underlying video, then the overlay is cropped on the bottom." }, - "Sharpness": { + "Layer": { + "shape": "__integerMin0Max7", + "locationName": "layer", + "documentation": "The number of the layer, 0 to 7. There are 8 layers that can be overlaid on the video, each layer with a different image. The layers are in Z order, which means that overlays with higher values of layer are inserted on top of overlays with lower values of layer. Default is 0." + }, + "Opacity": { "shape": "__integerMin0Max100", - "locationName": "sharpness", - "documentation": "Changes the strength of the anti-alias filter used for scaling. 0 is the softest setting, 100 is the sharpest. A setting of 50 is recommended for most content." + "locationName": "opacity", + "documentation": "Opacity of image where 0 is transparent and 100 is fully opaque. Default is 100." + }, + "OutputNames": { + "shape": "__listOf__string", + "locationName": "outputNames", + "documentation": "The name(s) of the output(s) the activation should apply to." }, "Width": { - "shape": "__integer", + "shape": "__integerMin1", "locationName": "width", - "documentation": "Output video width, in pixels. Must be an even number. For most codecs, you can leave this field and height blank in order to use the height and width (resolution) from the source. Note, however, that leaving blank is not recommended. For the Frame Capture codec, height and width are required." + "documentation": "The width of the image when inserted into the video, in pixels. The overlay will be scaled up or down to the specified width. Leave blank to use the native width of the overlay." } }, - "documentation": "Video settings for this stream.", + "documentation": "Settings for the action to activate a static image.", "required": [ - "Name" - ] - }, - "VideoDescriptionRespondToAfd": { - "type": "string", - "documentation": "Video Description Respond To Afd", - "enum": [ - "NONE", - "PASSTHROUGH", - "RESPOND" - ] - }, - "VideoDescriptionScalingBehavior": { - "type": "string", - "documentation": "Video Description Scaling Behavior", - "enum": [ - "DEFAULT", - "STRETCH_TO_OUTPUT" + "OutputNames", + "Image" ] }, - "VideoSelector": { + "StaticImageOutputDeactivateScheduleActionSettings": { "type": "structure", "members": { - "ColorSpace": { - "shape": "VideoSelectorColorSpace", - "locationName": "colorSpace", - "documentation": "Specifies the color space of an input. This setting works in tandem with colorSpaceUsage and a video description's colorSpaceSettingsChoice to determine if any conversion will be performed." - }, - "ColorSpaceSettings": { - "shape": "VideoSelectorColorSpaceSettings", - "locationName": "colorSpaceSettings", - "documentation": "Color space settings" + "FadeOut": { + "shape": "__integerMin0", + "locationName": "fadeOut", + "documentation": "The time in milliseconds for the image to fade out. Default is 0 (no fade-out)." }, - "ColorSpaceUsage": { - "shape": "VideoSelectorColorSpaceUsage", - "locationName": "colorSpaceUsage", - "documentation": "Applies only if colorSpace is a value other than follow. This field controls how the value in the colorSpace field will be used. fallback means that when the input does include color space data, that data will be used, but when the input has no color space data, the value in colorSpace will be used. Choose fallback if your input is sometimes missing color space data, but when it does have color space data, that data is correct. force means to always use the value in colorSpace. Choose force if your input usually has no color space data or might have unreliable color space data." + "Layer": { + "shape": "__integerMin0Max7", + "locationName": "layer", + "documentation": "The image overlay layer to deactivate, 0 to 7. Default is 0." }, - "SelectorSettings": { - "shape": "VideoSelectorSettings", - "locationName": "selectorSettings", - "documentation": "The video selector settings." + "OutputNames": { + "shape": "__listOf__string", + "locationName": "outputNames", + "documentation": "The name(s) of the output(s) the deactivation should apply to." } }, - "documentation": "Specifies a particular video stream within an input source. An input may have only a single video selector." - }, - "VideoSelectorColorSpace": { - "type": "string", - "documentation": "Video Selector Color Space", - "enum": [ - "FOLLOW", - "HDR10", - "HLG_2020", - "REC_601", - "REC_709" + "documentation": "Settings for the action to deactivate the image in a specific layer.", + "required": [ + "OutputNames" ] }, - "VideoSelectorColorSpaceSettings": { + "StaticKeySettings": { "type": "structure", "members": { - "Hdr10Settings": { - "shape": "Hdr10Settings", - "locationName": "hdr10Settings" + "KeyProviderServer": { + "shape": "InputLocation", + "locationName": "keyProviderServer", + "documentation": "The URL of the license server used for protecting content." + }, + "StaticKeyValue": { + "shape": "__stringMin32Max32", + "locationName": "staticKeyValue", + "documentation": "Static key value as a 32 character hexadecimal string." } }, - "documentation": "Video Selector Color Space Settings" - }, - "VideoSelectorColorSpaceUsage": { - "type": "string", - "documentation": "Video Selector Color Space Usage", - "enum": [ - "FALLBACK", - "FORCE" + "documentation": "Static Key Settings", + "required": [ + "StaticKeyValue" ] }, - "VideoSelectorPid": { + "StopChannelRequest": { "type": "structure", "members": { - "Pid": { - "shape": "__integerMin0Max8191", - "locationName": "pid", - "documentation": "Selects a specific PID from within a video source." + "ChannelId": { + "shape": "__string", + "location": "uri", + "locationName": "channelId", + "documentation": "A request to stop a running channel" } }, - "documentation": "Video Selector Pid" + "required": [ + "ChannelId" + ], + "documentation": "Placeholder documentation for StopChannelRequest" }, - "VideoSelectorProgramId": { + "StopChannelResponse": { "type": "structure", "members": { - "ProgramId": { - "shape": "__integerMin0Max65536", - "locationName": "programId", - "documentation": "Selects a specific program from within a multi-program transport stream. If the program doesn't exist, the first program within the transport stream will be selected by default." + "Arn": { + "shape": "__string", + "locationName": "arn", + "documentation": "The unique arn of the channel." + }, + "CdiInputSpecification": { + "shape": "CdiInputSpecification", + "locationName": "cdiInputSpecification", + "documentation": "Specification of CDI inputs for this channel" + }, + "ChannelClass": { + "shape": "ChannelClass", + "locationName": "channelClass", + "documentation": "The class for this channel. STANDARD for a channel with two pipelines or SINGLE_PIPELINE for a channel with one pipeline." + }, + "Destinations": { + "shape": "__listOfOutputDestination", + "locationName": "destinations", + "documentation": "A list of destinations of the channel. For UDP outputs, there is one\ndestination per output. For other types (HLS, for example), there is\none destination per packager." + }, + "EgressEndpoints": { + "shape": "__listOfChannelEgressEndpoint", + "locationName": "egressEndpoints", + "documentation": "The endpoints where outgoing connections initiate from" + }, + "EncoderSettings": { + "shape": "EncoderSettings", + "locationName": "encoderSettings" + }, + "Id": { + "shape": "__string", + "locationName": "id", + "documentation": "The unique id of the channel." + }, + "InputAttachments": { + "shape": "__listOfInputAttachment", + "locationName": "inputAttachments", + "documentation": "List of input attachments for channel." + }, + "InputSpecification": { + "shape": "InputSpecification", + "locationName": "inputSpecification", + "documentation": "Specification of network and file inputs for this channel" + }, + "LogLevel": { + "shape": "LogLevel", + "locationName": "logLevel", + "documentation": "The log level being written to CloudWatch Logs." + }, + "Maintenance": { + "shape": "MaintenanceStatus", + "locationName": "maintenance", + "documentation": "Maintenance settings for this channel." + }, + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "The name of the channel. (user-mutable)" + }, + "PipelineDetails": { + "shape": "__listOfPipelineDetail", + "locationName": "pipelineDetails", + "documentation": "Runtime details for the pipelines of a running channel." + }, + "PipelinesRunningCount": { + "shape": "__integer", + "locationName": "pipelinesRunningCount", + "documentation": "The number of currently healthy pipelines." + }, + "RoleArn": { + "shape": "__string", + "locationName": "roleArn", + "documentation": "The Amazon Resource Name (ARN) of the role assumed when running the Channel." + }, + "State": { + "shape": "ChannelState", + "locationName": "state" + }, + "Tags": { + "shape": "Tags", + "locationName": "tags", + "documentation": "A collection of key-value pairs." + }, + "Vpc": { + "shape": "VpcOutputSettingsDescription", + "locationName": "vpc", + "documentation": "Settings for VPC output" + }, + "AnywhereSettings": { + "shape": "DescribeAnywhereSettings", + "locationName": "anywhereSettings", + "documentation": "Anywhere settings for this channel." } }, - "documentation": "Video Selector Program Id" + "documentation": "Placeholder documentation for StopChannelResponse" }, - "VideoSelectorSettings": { + "StopInputDeviceRequest": { "type": "structure", "members": { - "VideoSelectorPid": { - "shape": "VideoSelectorPid", - "locationName": "videoSelectorPid" - }, - "VideoSelectorProgramId": { - "shape": "VideoSelectorProgramId", - "locationName": "videoSelectorProgramId" + "InputDeviceId": { + "shape": "__string", + "location": "uri", + "locationName": "inputDeviceId", + "documentation": "The unique ID of the input device to stop. For example, hd-123456789abcdef." } }, - "documentation": "Video Selector Settings" + "required": [ + "InputDeviceId" + ], + "documentation": "Placeholder documentation for StopInputDeviceRequest" }, - "VpcOutputSettings": { + "StopInputDeviceResponse": { "type": "structure", "members": { - "PublicAddressAllocationIds": { - "shape": "__listOf__string", - "locationName": "publicAddressAllocationIds", - "documentation": "List of public address allocation ids to associate with ENIs that will be created in Output VPC.\nMust specify one for SINGLE_PIPELINE, two for STANDARD channels" - }, - "SecurityGroupIds": { - "shape": "__listOf__string", - "locationName": "securityGroupIds", - "documentation": "A list of up to 5 EC2 VPC security group IDs to attach to the Output VPC network interfaces.\nIf none are specified then the VPC default security group will be used" - }, - "SubnetIds": { - "shape": "__listOf__string", - "locationName": "subnetIds", - "documentation": "A list of VPC subnet IDs from the same VPC.\nIf STANDARD channel, subnet IDs must be mapped to two unique availability zones (AZ)." + }, + "documentation": "Placeholder documentation for StopInputDeviceResponse" + }, + "StopMultiplexRequest": { + "type": "structure", + "members": { + "MultiplexId": { + "shape": "__string", + "location": "uri", + "locationName": "multiplexId", + "documentation": "The ID of the multiplex." } }, - "documentation": "The properties for a private VPC Output\nWhen this property is specified, the output egress addresses will be created in a user specified VPC", "required": [ - "SubnetIds" - ] + "MultiplexId" + ], + "documentation": "Placeholder documentation for StopMultiplexRequest" }, - "VpcOutputSettingsDescription": { + "StopMultiplexResponse": { "type": "structure", "members": { + "Arn": { + "shape": "__string", + "locationName": "arn", + "documentation": "The unique arn of the multiplex." + }, "AvailabilityZones": { "shape": "__listOf__string", "locationName": "availabilityZones", - "documentation": "The Availability Zones where the vpc subnets are located.\nThe first Availability Zone applies to the first subnet in the list of subnets.\nThe second Availability Zone applies to the second subnet." + "documentation": "A list of availability zones for the multiplex." }, - "NetworkInterfaceIds": { - "shape": "__listOf__string", - "locationName": "networkInterfaceIds", - "documentation": "A list of Elastic Network Interfaces created by MediaLive in the customer's VPC" + "Destinations": { + "shape": "__listOfMultiplexOutputDestination", + "locationName": "destinations", + "documentation": "A list of the multiplex output destinations." }, - "SecurityGroupIds": { - "shape": "__listOf__string", - "locationName": "securityGroupIds", - "documentation": "A list of up EC2 VPC security group IDs attached to the Output VPC network interfaces." + "Id": { + "shape": "__string", + "locationName": "id", + "documentation": "The unique id of the multiplex." }, - "SubnetIds": { - "shape": "__listOf__string", - "locationName": "subnetIds", - "documentation": "A list of VPC subnet IDs from the same VPC.\nIf STANDARD channel, subnet IDs must be mapped to two unique availability zones (AZ)." + "MultiplexSettings": { + "shape": "MultiplexSettings", + "locationName": "multiplexSettings", + "documentation": "Configuration for a multiplex event." + }, + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "The name of the multiplex." + }, + "PipelinesRunningCount": { + "shape": "__integer", + "locationName": "pipelinesRunningCount", + "documentation": "The number of currently healthy pipelines." + }, + "ProgramCount": { + "shape": "__integer", + "locationName": "programCount", + "documentation": "The number of programs in the multiplex." + }, + "State": { + "shape": "MultiplexState", + "locationName": "state", + "documentation": "The current state of the multiplex." + }, + "Tags": { + "shape": "Tags", + "locationName": "tags", + "documentation": "A collection of key-value pairs." } }, - "documentation": "The properties for a private VPC Output" - }, - "WavCodingMode": { - "type": "string", - "documentation": "Wav Coding Mode", - "enum": [ - "CODING_MODE_1_0", - "CODING_MODE_2_0", - "CODING_MODE_4_0", - "CODING_MODE_8_0" - ] + "documentation": "Placeholder documentation for StopMultiplexResponse" }, - "WavSettings": { + "StopTimecode": { "type": "structure", "members": { - "BitDepth": { - "shape": "__double", - "locationName": "bitDepth", - "documentation": "Bits per sample." - }, - "CodingMode": { - "shape": "WavCodingMode", - "locationName": "codingMode", - "documentation": "The audio coding mode for the WAV audio. The mode determines the number of channels in the audio." + "LastFrameClippingBehavior": { + "shape": "LastFrameClippingBehavior", + "locationName": "lastFrameClippingBehavior", + "documentation": "If you specify a StopTimecode in an input (in order to clip the file), you can specify if you want the clip to exclude (the default) or include the frame specified by the timecode." }, - "SampleRate": { - "shape": "__double", - "locationName": "sampleRate", - "documentation": "Sample rate in Hz." + "Timecode": { + "shape": "__string", + "locationName": "timecode", + "documentation": "The timecode for the frame where you want to stop the clip. Optional; if not specified, the clip continues to the end of the file. Enter the timecode as HH:MM:SS:FF or HH:MM:SS;FF." } }, - "documentation": "Wav Settings" + "documentation": "Settings to identify the end of the clip." }, - "WebvttDestinationSettings": { - "type": "structure", - "members": { - "StyleControl": { - "shape": "WebvttDestinationStyleControl", - "locationName": "styleControl", - "documentation": "Controls whether the color and position of the source captions is passed through to the WebVTT output captions. PASSTHROUGH - Valid only if the source captions are EMBEDDED or TELETEXT. NO_STYLE_DATA - Don't pass through the style. The output captions will not contain any font styling information." - } + "Tags": { + "type": "map", + "key": { + "shape": "__string" }, - "documentation": "Webvtt Destination Settings" + "value": { + "shape": "__string" + }, + "documentation": "Placeholder documentation for Tags" }, - "WebvttDestinationStyleControl": { + "TagsModel": { + "type": "structure", + "members": { + "Tags": { + "shape": "Tags", + "locationName": "tags" + } + }, + "documentation": "Placeholder documentation for TagsModel" + }, + "TeletextDestinationSettings": { + "type": "structure", + "members": { + }, + "documentation": "Teletext Destination Settings" + }, + "TeletextSourceSettings": { + "type": "structure", + "members": { + "OutputRectangle": { + "shape": "CaptionRectangle", + "locationName": "outputRectangle", + "documentation": "Optionally defines a region where TTML style captions will be displayed" + }, + "PageNumber": { + "shape": "__string", + "locationName": "pageNumber", + "documentation": "Specifies the teletext page number within the data stream from which to extract captions. Range of 0x100 (256) to 0x8FF (2303). Unused for passthrough. Should be specified as a hexadecimal string with no \"0x\" prefix." + } + }, + "documentation": "Teletext Source Settings" + }, + "TemporalFilterPostFilterSharpening": { "type": "string", - "documentation": "Webvtt Destination Style Control", + "documentation": "Temporal Filter Post Filter Sharpening", "enum": [ - "NO_STYLE_DATA", - "PASSTHROUGH" + "AUTO", + "DISABLED", + "ENABLED" ] }, - "__boolean": { - "type": "boolean", - "documentation": "Placeholder documentation for __boolean" - }, - "__double": { - "type": "double", - "documentation": "Placeholder documentation for __double" - }, - "__doubleMin0": { - "type": "double", - "documentation": "Placeholder documentation for __doubleMin0" + "TemporalFilterSettings": { + "type": "structure", + "members": { + "PostFilterSharpening": { + "shape": "TemporalFilterPostFilterSharpening", + "locationName": "postFilterSharpening", + "documentation": "If you enable this filter, the results are the following:\n- If the source content is noisy (it contains excessive digital artifacts), the filter cleans up the source.\n- If the source content is already clean, the filter tends to decrease the bitrate, especially when the rate control mode is QVBR." + }, + "Strength": { + "shape": "TemporalFilterStrength", + "locationName": "strength", + "documentation": "Choose a filter strength. We recommend a strength of 1 or 2. A higher strength might take out good information, resulting in an image that is overly soft." + } + }, + "documentation": "Temporal Filter Settings" }, - "__doubleMin0Max1": { - "type": "double", - "documentation": "Placeholder documentation for __doubleMin0Max1" + "TemporalFilterStrength": { + "type": "string", + "documentation": "Temporal Filter Strength", + "enum": [ + "AUTO", + "STRENGTH_1", + "STRENGTH_2", + "STRENGTH_3", + "STRENGTH_4", + "STRENGTH_5", + "STRENGTH_6", + "STRENGTH_7", + "STRENGTH_8", + "STRENGTH_9", + "STRENGTH_10", + "STRENGTH_11", + "STRENGTH_12", + "STRENGTH_13", + "STRENGTH_14", + "STRENGTH_15", + "STRENGTH_16" + ] }, - "__doubleMin0Max100": { - "type": "double", - "documentation": "Placeholder documentation for __doubleMin0Max100" + "Thumbnail": { + "type": "structure", + "members": { + "Body": { + "shape": "__string", + "locationName": "body", + "documentation": "The binary data for the latest thumbnail." + }, + "ContentType": { + "shape": "__string", + "locationName": "contentType", + "documentation": "The content type for the latest thumbnail." + }, + "ThumbnailType": { + "shape": "ThumbnailType", + "locationName": "thumbnailType", + "documentation": "Thumbnail Type" + }, + "TimeStamp": { + "shape": "__timestampIso8601", + "locationName": "timeStamp", + "documentation": "Time stamp for the latest thumbnail." + } + }, + "documentation": "Details of a single thumbnail" }, - "__doubleMin0Max5000": { - "type": "double", - "documentation": "Placeholder documentation for __doubleMin0Max5000" + "ThumbnailConfiguration": { + "type": "structure", + "members": { + "State": { + "shape": "ThumbnailState", + "locationName": "state", + "documentation": "Enables the thumbnail feature. The feature generates thumbnails of the incoming video in each pipeline in the channel. AUTO turns the feature on, DISABLE turns the feature off." + } + }, + "documentation": "Thumbnail Configuration", + "required": [ + "State" + ] }, - "__doubleMin1": { - "type": "double", - "documentation": "Placeholder documentation for __doubleMin1" + "ThumbnailData": { + "type": "structure", + "members": { + "Body": { + "shape": "__string", + "locationName": "body", + "documentation": "The binary data for the thumbnail that the Link device has most recently sent to MediaLive." + } + }, + "documentation": "The binary data for the thumbnail that the Link device has most recently sent to MediaLive." }, - "__doubleMin1Max65535": { - "type": "double", - "documentation": "Placeholder documentation for __doubleMin1Max65535" + "ThumbnailDetail": { + "type": "structure", + "members": { + "PipelineId": { + "shape": "__string", + "locationName": "pipelineId", + "documentation": "Pipeline ID" + }, + "Thumbnails": { + "shape": "__listOfThumbnail", + "locationName": "thumbnails", + "documentation": "thumbnails of a single pipeline" + } + }, + "documentation": "Thumbnail details for one pipeline of a running channel." }, - "__doubleMin250Max5000": { - "type": "double", - "documentation": "Placeholder documentation for __doubleMin250Max5000" + "ThumbnailNoData": { + "type": "structure", + "members": { + }, + "documentation": "Response when thumbnail has no data. It should have no message." }, - "__doubleMin32Max46": { - "type": "double", - "documentation": "Placeholder documentation for __doubleMin32Max46" + "ThumbnailState": { + "type": "string", + "documentation": "Thumbnail State", + "enum": [ + "AUTO", + "DISABLED" + ] }, - "__doubleMinNegative1Max5": { - "type": "double", - "documentation": "Placeholder documentation for __doubleMinNegative1Max5" + "ThumbnailType": { + "type": "string", + "documentation": "Thumbnail type.", + "enum": [ + "UNSPECIFIED", + "CURRENT_ACTIVE" + ] }, - "__doubleMinNegative59Max0": { - "type": "double", - "documentation": "Placeholder documentation for __doubleMinNegative59Max0" + "TimecodeBurninFontSize": { + "type": "string", + "documentation": "Timecode Burnin Font Size", + "enum": [ + "EXTRA_SMALL_10", + "LARGE_48", + "MEDIUM_32", + "SMALL_16" + ] }, - "__integer": { - "type": "integer", - "documentation": "Placeholder documentation for __integer" + "TimecodeBurninPosition": { + "type": "string", + "documentation": "Timecode Burnin Position", + "enum": [ + "BOTTOM_CENTER", + "BOTTOM_LEFT", + "BOTTOM_RIGHT", + "MIDDLE_CENTER", + "MIDDLE_LEFT", + "MIDDLE_RIGHT", + "TOP_CENTER", + "TOP_LEFT", + "TOP_RIGHT" + ] }, - "__integerMin0": { - "type": "integer", - "min": 0, - "documentation": "Placeholder documentation for __integerMin0" + "TimecodeBurninSettings": { + "type": "structure", + "members": { + "FontSize": { + "shape": "TimecodeBurninFontSize", + "locationName": "fontSize", + "documentation": "Choose a timecode burn-in font size" + }, + "Position": { + "shape": "TimecodeBurninPosition", + "locationName": "position", + "documentation": "Choose a timecode burn-in output position" + }, + "Prefix": { + "shape": "__stringMax255", + "locationName": "prefix", + "documentation": "Create a timecode burn-in prefix (optional)" + } + }, + "documentation": "Timecode Burnin Settings", + "required": [ + "Position", + "FontSize" + ] }, - "__integerMin0Max10": { - "type": "integer", - "min": 0, - "max": 10, - "documentation": "Placeholder documentation for __integerMin0Max10" - }, - "__integerMin0Max100": { - "type": "integer", - "min": 0, - "max": 100, - "documentation": "Placeholder documentation for __integerMin0Max100" + "TimecodeConfig": { + "type": "structure", + "members": { + "Source": { + "shape": "TimecodeConfigSource", + "locationName": "source", + "documentation": "Identifies the source for the timecode that will be associated with the events outputs.\n-Embedded (embedded): Initialize the output timecode with timecode from the the source. If no embedded timecode is detected in the source, the system falls back to using \"Start at 0\" (zerobased).\n-System Clock (systemclock): Use the UTC time.\n-Start at 0 (zerobased): The time of the first frame of the event will be 00:00:00:00." + }, + "SyncThreshold": { + "shape": "__integerMin1Max1000000", + "locationName": "syncThreshold", + "documentation": "Threshold in frames beyond which output timecode is resynchronized to the input timecode. Discrepancies below this threshold are permitted to avoid unnecessary discontinuities in the output timecode. No timecode sync when this is not specified." + } + }, + "documentation": "Timecode Config", + "required": [ + "Source" + ] }, - "__integerMin0Max1000": { - "type": "integer", - "min": 0, - "max": 1000, - "documentation": "Placeholder documentation for __integerMin0Max1000" + "TimecodeConfigSource": { + "type": "string", + "documentation": "Timecode Config Source", + "enum": [ + "EMBEDDED", + "SYSTEMCLOCK", + "ZEROBASED" + ] }, - "__integerMin0Max10000": { - "type": "integer", - "min": 0, - "max": 10000, - "documentation": "Placeholder documentation for __integerMin0Max10000" + "TooManyRequestsException": { + "type": "structure", + "members": { + "Message": { + "shape": "__string", + "locationName": "message" + } + }, + "exception": true, + "error": { + "httpStatusCode": 429 + }, + "documentation": "Placeholder documentation for TooManyRequestsException" }, - "__integerMin0Max1000000": { - "type": "integer", - "min": 0, - "max": 1000000, - "documentation": "Placeholder documentation for __integerMin0Max1000000" + "TransferInputDevice": { + "type": "structure", + "members": { + "TargetCustomerId": { + "shape": "__string", + "locationName": "targetCustomerId", + "documentation": "The AWS account ID (12 digits) for the recipient of the device transfer." + }, + "TargetRegion": { + "shape": "__string", + "locationName": "targetRegion", + "documentation": "The target AWS region to transfer the device." + }, + "TransferMessage": { + "shape": "__string", + "locationName": "transferMessage", + "documentation": "An optional message for the recipient. Maximum 280 characters." + } + }, + "documentation": "The transfer details of the input device." }, - "__integerMin0Max100000000": { - "type": "integer", - "min": 0, - "max": 100000000, - "documentation": "Placeholder documentation for __integerMin0Max100000000" + "TransferInputDeviceRequest": { + "type": "structure", + "members": { + "InputDeviceId": { + "shape": "__string", + "location": "uri", + "locationName": "inputDeviceId", + "documentation": "The unique ID of this input device. For example, hd-123456789abcdef." + }, + "TargetCustomerId": { + "shape": "__string", + "locationName": "targetCustomerId", + "documentation": "The AWS account ID (12 digits) for the recipient of the device transfer." + }, + "TargetRegion": { + "shape": "__string", + "locationName": "targetRegion", + "documentation": "The target AWS region to transfer the device." + }, + "TransferMessage": { + "shape": "__string", + "locationName": "transferMessage", + "documentation": "An optional message for the recipient. Maximum 280 characters." + } + }, + "documentation": "A request to transfer an input device.", + "required": [ + "InputDeviceId" + ] }, - "__integerMin0Max128": { - "type": "integer", - "min": 0, - "max": 128, - "documentation": "Placeholder documentation for __integerMin0Max128" + "TransferInputDeviceResponse": { + "type": "structure", + "members": { + }, + "documentation": "Placeholder documentation for TransferInputDeviceResponse" }, - "__integerMin0Max15": { - "type": "integer", - "min": 0, - "max": 15, - "documentation": "Placeholder documentation for __integerMin0Max15" + "TransferringInputDeviceSummary": { + "type": "structure", + "members": { + "Id": { + "shape": "__string", + "locationName": "id", + "documentation": "The unique ID of the input device." + }, + "Message": { + "shape": "__string", + "locationName": "message", + "documentation": "The optional message that the sender has attached to the transfer." + }, + "TargetCustomerId": { + "shape": "__string", + "locationName": "targetCustomerId", + "documentation": "The AWS account ID for the recipient of the input device transfer." + }, + "TransferType": { + "shape": "InputDeviceTransferType", + "locationName": "transferType", + "documentation": "The type (direction) of the input device transfer." + } + }, + "documentation": "Details about the input device that is being transferred." }, - "__integerMin0Max2000": { - "type": "integer", - "min": 0, - "max": 2000, - "documentation": "Placeholder documentation for __integerMin0Max2000" + "TtmlDestinationSettings": { + "type": "structure", + "members": { + "StyleControl": { + "shape": "TtmlDestinationStyleControl", + "locationName": "styleControl", + "documentation": "This field is not currently supported and will not affect the output styling. Leave the default value." + } + }, + "documentation": "Ttml Destination Settings" }, - "__integerMin0Max255": { - "type": "integer", - "min": 0, - "max": 255, - "documentation": "Placeholder documentation for __integerMin0Max255" + "TtmlDestinationStyleControl": { + "type": "string", + "documentation": "Ttml Destination Style Control", + "enum": [ + "PASSTHROUGH", + "USE_CONFIGURED" + ] }, - "__integerMin0Max30": { - "type": "integer", - "min": 0, - "max": 30, - "documentation": "Placeholder documentation for __integerMin0Max30" + "UdpContainerSettings": { + "type": "structure", + "members": { + "M2tsSettings": { + "shape": "M2tsSettings", + "locationName": "m2tsSettings" + } + }, + "documentation": "Udp Container Settings" }, - "__integerMin0Max32768": { - "type": "integer", - "min": 0, - "max": 32768, - "documentation": "Placeholder documentation for __integerMin0Max32768" + "UdpGroupSettings": { + "type": "structure", + "members": { + "InputLossAction": { + "shape": "InputLossActionForUdpOut", + "locationName": "inputLossAction", + "documentation": "Specifies behavior of last resort when input video is lost, and no more backup inputs are available. When dropTs is selected the entire transport stream will stop being emitted. When dropProgram is selected the program can be dropped from the transport stream (and replaced with null packets to meet the TS bitrate requirement). Or, when emitProgram is chosen the transport stream will continue to be produced normally with repeat frames, black frames, or slate frames substituted for the absent input video." + }, + "TimedMetadataId3Frame": { + "shape": "UdpTimedMetadataId3Frame", + "locationName": "timedMetadataId3Frame", + "documentation": "Indicates ID3 frame that has the timecode." + }, + "TimedMetadataId3Period": { + "shape": "__integerMin0", + "locationName": "timedMetadataId3Period", + "documentation": "Timed Metadata interval in seconds." + } + }, + "documentation": "Udp Group Settings" }, - "__integerMin0Max3600": { - "type": "integer", - "min": 0, - "max": 3600, - "documentation": "Placeholder documentation for __integerMin0Max3600" + "UdpOutputSettings": { + "type": "structure", + "members": { + "BufferMsec": { + "shape": "__integerMin0Max10000", + "locationName": "bufferMsec", + "documentation": "UDP output buffering in milliseconds. Larger values increase latency through the transcoder but simultaneously assist the transcoder in maintaining a constant, low-jitter UDP/RTP output while accommodating clock recovery, input switching, input disruptions, picture reordering, etc." + }, + "ContainerSettings": { + "shape": "UdpContainerSettings", + "locationName": "containerSettings" + }, + "Destination": { + "shape": "OutputLocationRef", + "locationName": "destination", + "documentation": "Destination address and port number for RTP or UDP packets. Can be unicast or multicast RTP or UDP (eg. rtp://239.10.10.10:5001 or udp://10.100.100.100:5002)." + }, + "FecOutputSettings": { + "shape": "FecOutputSettings", + "locationName": "fecOutputSettings", + "documentation": "Settings for enabling and adjusting Forward Error Correction on UDP outputs." + } + }, + "documentation": "Udp Output Settings", + "required": [ + "Destination", + "ContainerSettings" + ] }, - "__integerMin0Max500": { - "type": "integer", - "min": 0, - "max": 500, - "documentation": "Placeholder documentation for __integerMin0Max500" - }, - "__integerMin0Max600": { - "type": "integer", - "min": 0, - "max": 600, - "documentation": "Placeholder documentation for __integerMin0Max600" - }, - "__integerMin0Max65535": { - "type": "integer", - "min": 0, - "max": 65535, - "documentation": "Placeholder documentation for __integerMin0Max65535" - }, - "__integerMin0Max65536": { - "type": "integer", - "min": 0, - "max": 65536, - "documentation": "Placeholder documentation for __integerMin0Max65536" - }, - "__integerMin0Max7": { - "type": "integer", - "min": 0, - "max": 7, - "documentation": "Placeholder documentation for __integerMin0Max7" - }, - "__integerMin0Max8191": { - "type": "integer", - "min": 0, - "max": 8191, - "documentation": "Placeholder documentation for __integerMin0Max8191" - }, - "__integerMin1": { - "type": "integer", - "min": 1, - "documentation": "Placeholder documentation for __integerMin1" - }, - "__integerMin100": { - "type": "integer", - "min": 100, - "documentation": "Placeholder documentation for __integerMin100" - }, - "__integerMin1000": { - "type": "integer", - "min": 1000, - "documentation": "Placeholder documentation for __integerMin1000" + "UdpTimedMetadataId3Frame": { + "type": "string", + "documentation": "Udp Timed Metadata Id3 Frame", + "enum": [ + "NONE", + "PRIV", + "TDRL" + ] }, - "__integerMin1000000Max100000000": { - "type": "integer", - "min": 1000000, - "max": 100000000, - "documentation": "Placeholder documentation for __integerMin1000000Max100000000" + "UnprocessableEntityException": { + "type": "structure", + "members": { + "Message": { + "shape": "__string", + "locationName": "message", + "documentation": "The error message." + }, + "ValidationErrors": { + "shape": "__listOfValidationError", + "locationName": "validationErrors", + "documentation": "A collection of validation error responses." + } + }, + "exception": true, + "error": { + "httpStatusCode": 422 + }, + "documentation": "Placeholder documentation for UnprocessableEntityException" }, - "__integerMin100000Max100000000": { - "type": "integer", - "min": 100000, - "max": 100000000, - "documentation": "Placeholder documentation for __integerMin100000Max100000000" + "UpdateAccountConfigurationRequest": { + "type": "structure", + "members": { + "AccountConfiguration": { + "shape": "AccountConfiguration", + "locationName": "accountConfiguration" + } + }, + "documentation": "List of account configuration parameters to update." }, - "__integerMin100000Max40000000": { - "type": "integer", - "min": 100000, - "max": 40000000, - "documentation": "Placeholder documentation for __integerMin100000Max40000000" + "UpdateAccountConfigurationRequestModel": { + "type": "structure", + "members": { + "AccountConfiguration": { + "shape": "AccountConfiguration", + "locationName": "accountConfiguration" + } + }, + "documentation": "The desired new account configuration." }, - "__integerMin100000Max80000000": { - "type": "integer", - "min": 100000, - "max": 80000000, - "documentation": "Placeholder documentation for __integerMin100000Max80000000" + "UpdateAccountConfigurationResponse": { + "type": "structure", + "members": { + "AccountConfiguration": { + "shape": "AccountConfiguration", + "locationName": "accountConfiguration" + } + }, + "documentation": "Placeholder documentation for UpdateAccountConfigurationResponse" }, - "__integerMin1000Max30000": { - "type": "integer", - "min": 1000, - "max": 30000, - "documentation": "Placeholder documentation for __integerMin1000Max30000" + "UpdateAccountConfigurationResultModel": { + "type": "structure", + "members": { + "AccountConfiguration": { + "shape": "AccountConfiguration", + "locationName": "accountConfiguration" + } + }, + "documentation": "The account's updated configuration." }, - "__integerMin1Max10": { - "type": "integer", - "min": 1, - "max": 10, - "documentation": "Placeholder documentation for __integerMin1Max10" + "UpdateChannel": { + "type": "structure", + "members": { + "CdiInputSpecification": { + "shape": "CdiInputSpecification", + "locationName": "cdiInputSpecification", + "documentation": "Specification of CDI inputs for this channel" + }, + "Destinations": { + "shape": "__listOfOutputDestination", + "locationName": "destinations", + "documentation": "A list of output destinations for this channel." + }, + "EncoderSettings": { + "shape": "EncoderSettings", + "locationName": "encoderSettings", + "documentation": "The encoder settings for this channel." + }, + "InputAttachments": { + "shape": "__listOfInputAttachment", + "locationName": "inputAttachments" + }, + "InputSpecification": { + "shape": "InputSpecification", + "locationName": "inputSpecification", + "documentation": "Specification of network and file inputs for this channel" + }, + "LogLevel": { + "shape": "LogLevel", + "locationName": "logLevel", + "documentation": "The log level to write to CloudWatch Logs." + }, + "Maintenance": { + "shape": "MaintenanceUpdateSettings", + "locationName": "maintenance", + "documentation": "Maintenance settings for this channel." + }, + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "The name of the channel." + }, + "RoleArn": { + "shape": "__string", + "locationName": "roleArn", + "documentation": "An optional Amazon Resource Name (ARN) of the role to assume when running the Channel. If you do not specify this on an update call but the role was previously set that role will be removed." + } + }, + "documentation": "Placeholder documentation for UpdateChannel" }, - "__integerMin1Max1000000": { - "type": "integer", - "min": 1, - "max": 1000000, - "documentation": "Placeholder documentation for __integerMin1Max1000000" + "UpdateChannelClass": { + "type": "structure", + "members": { + "ChannelClass": { + "shape": "ChannelClass", + "locationName": "channelClass", + "documentation": "The channel class that you wish to update this channel to use." + }, + "Destinations": { + "shape": "__listOfOutputDestination", + "locationName": "destinations", + "documentation": "A list of output destinations for this channel." + } + }, + "required": [ + "ChannelClass" + ], + "documentation": "Placeholder documentation for UpdateChannelClass" }, - "__integerMin1Max16": { - "type": "integer", - "min": 1, - "max": 16, - "documentation": "Placeholder documentation for __integerMin1Max16" + "UpdateChannelClassRequest": { + "type": "structure", + "members": { + "ChannelClass": { + "shape": "ChannelClass", + "locationName": "channelClass", + "documentation": "The channel class that you wish to update this channel to use." + }, + "ChannelId": { + "shape": "__string", + "location": "uri", + "locationName": "channelId", + "documentation": "Channel Id of the channel whose class should be updated." + }, + "Destinations": { + "shape": "__listOfOutputDestination", + "locationName": "destinations", + "documentation": "A list of output destinations for this channel." + } + }, + "documentation": "Channel class that the channel should be updated to.", + "required": [ + "ChannelId", + "ChannelClass" + ] }, - "__integerMin1Max20": { - "type": "integer", - "min": 1, - "max": 20, - "documentation": "Placeholder documentation for __integerMin1Max20" + "UpdateChannelClassResponse": { + "type": "structure", + "members": { + "Channel": { + "shape": "Channel", + "locationName": "channel" + } + }, + "documentation": "Placeholder documentation for UpdateChannelClassResponse" }, - "__integerMin1Max3003": { - "type": "integer", - "min": 1, - "max": 3003, - "documentation": "Placeholder documentation for __integerMin1Max3003" - }, - "__integerMin1Max31": { - "type": "integer", - "min": 1, - "max": 31, - "documentation": "Placeholder documentation for __integerMin1Max31" - }, - "__integerMin1Max32": { - "type": "integer", - "min": 1, - "max": 32, - "documentation": "Placeholder documentation for __integerMin1Max32" - }, - "__integerMin1Max3600000": { - "type": "integer", - "min": 1, - "max": 3600000, - "documentation": "Placeholder documentation for __integerMin1Max3600000" - }, - "__integerMin1Max4": { - "type": "integer", - "min": 1, - "max": 4, - "documentation": "Placeholder documentation for __integerMin1Max4" - }, - "__integerMin1Max5": { - "type": "integer", - "min": 1, - "max": 5, - "documentation": "Placeholder documentation for __integerMin1Max5" - }, - "__integerMin1Max6": { - "type": "integer", - "min": 1, - "max": 6, - "documentation": "Placeholder documentation for __integerMin1Max6" - }, - "__integerMin1Max8": { - "type": "integer", - "min": 1, - "max": 8, - "documentation": "Placeholder documentation for __integerMin1Max8" - }, - "__integerMin25Max10000": { - "type": "integer", - "min": 25, - "max": 10000, - "documentation": "Placeholder documentation for __integerMin25Max10000" - }, - "__integerMin25Max2000": { - "type": "integer", - "min": 25, - "max": 2000, - "documentation": "Placeholder documentation for __integerMin25Max2000" - }, - "__integerMin3": { - "type": "integer", - "min": 3, - "documentation": "Placeholder documentation for __integerMin3" - }, - "__integerMin30": { - "type": "integer", - "min": 30, - "documentation": "Placeholder documentation for __integerMin30" - }, - "__integerMin32Max8191": { - "type": "integer", - "min": 32, - "max": 8191, - "documentation": "Placeholder documentation for __integerMin32Max8191" - }, - "__integerMin4Max20": { - "type": "integer", - "min": 4, - "max": 20, - "documentation": "Placeholder documentation for __integerMin4Max20" - }, - "__integerMin800Max3000": { - "type": "integer", - "min": 800, - "max": 3000, - "documentation": "Placeholder documentation for __integerMin800Max3000" - }, - "__integerMin96Max600": { - "type": "integer", - "min": 96, - "max": 600, - "documentation": "Placeholder documentation for __integerMin96Max600" - }, - "__integerMinNegative1000Max1000": { - "type": "integer", - "min": -1000, - "max": 1000, - "documentation": "Placeholder documentation for __integerMinNegative1000Max1000" - }, - "__integerMinNegative5Max5": { - "type": "integer", - "min": -5, - "max": 5, - "documentation": "Placeholder documentation for __integerMinNegative5Max5" - }, - "__integerMinNegative60Max6": { - "type": "integer", - "min": -60, - "max": 6, - "documentation": "Placeholder documentation for __integerMinNegative60Max6" - }, - "__integerMinNegative60Max60": { - "type": "integer", - "min": -60, - "max": 60, - "documentation": "Placeholder documentation for __integerMinNegative60Max60" - }, - "__listOfAudioChannelMapping": { - "type": "list", - "member": { - "shape": "AudioChannelMapping" + "UpdateChannelRequest": { + "type": "structure", + "members": { + "CdiInputSpecification": { + "shape": "CdiInputSpecification", + "locationName": "cdiInputSpecification", + "documentation": "Specification of CDI inputs for this channel" + }, + "ChannelId": { + "shape": "__string", + "location": "uri", + "locationName": "channelId", + "documentation": "channel ID" + }, + "Destinations": { + "shape": "__listOfOutputDestination", + "locationName": "destinations", + "documentation": "A list of output destinations for this channel." + }, + "EncoderSettings": { + "shape": "EncoderSettings", + "locationName": "encoderSettings", + "documentation": "The encoder settings for this channel." + }, + "InputAttachments": { + "shape": "__listOfInputAttachment", + "locationName": "inputAttachments" + }, + "InputSpecification": { + "shape": "InputSpecification", + "locationName": "inputSpecification", + "documentation": "Specification of network and file inputs for this channel" + }, + "LogLevel": { + "shape": "LogLevel", + "locationName": "logLevel", + "documentation": "The log level to write to CloudWatch Logs." + }, + "Maintenance": { + "shape": "MaintenanceUpdateSettings", + "locationName": "maintenance", + "documentation": "Maintenance settings for this channel." + }, + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "The name of the channel." + }, + "RoleArn": { + "shape": "__string", + "locationName": "roleArn", + "documentation": "An optional Amazon Resource Name (ARN) of the role to assume when running the Channel. If you do not specify this on an update call but the role was previously set that role will be removed." + } }, - "documentation": "Placeholder documentation for __listOfAudioChannelMapping" + "documentation": "A request to update a channel.", + "required": [ + "ChannelId" + ] }, - "__listOfAudioDescription": { - "type": "list", - "member": { - "shape": "AudioDescription" + "UpdateChannelResponse": { + "type": "structure", + "members": { + "Channel": { + "shape": "Channel", + "locationName": "channel" + } }, - "documentation": "Placeholder documentation for __listOfAudioDescription" + "documentation": "Placeholder documentation for UpdateChannelResponse" }, - "__listOfAudioSelector": { - "type": "list", - "member": { - "shape": "AudioSelector" + "UpdateChannelResultModel": { + "type": "structure", + "members": { + "Channel": { + "shape": "Channel", + "locationName": "channel" + } }, - "documentation": "Placeholder documentation for __listOfAudioSelector" + "documentation": "The updated channel's description." }, - "__listOfAudioTrack": { - "type": "list", - "member": { - "shape": "AudioTrack" + "UpdateInput": { + "type": "structure", + "members": { + "Destinations": { + "shape": "__listOfInputDestinationRequest", + "locationName": "destinations", + "documentation": "Destination settings for PUSH type inputs." + }, + "InputDevices": { + "shape": "__listOfInputDeviceRequest", + "locationName": "inputDevices", + "documentation": "Settings for the devices." + }, + "InputSecurityGroups": { + "shape": "__listOf__string", + "locationName": "inputSecurityGroups", + "documentation": "A list of security groups referenced by IDs to attach to the input." + }, + "MediaConnectFlows": { + "shape": "__listOfMediaConnectFlowRequest", + "locationName": "mediaConnectFlows", + "documentation": "A list of the MediaConnect Flow ARNs that you want to use as the source of the input. You can specify as few as one\nFlow and presently, as many as two. The only requirement is when you have more than one is that each Flow is in a\nseparate Availability Zone as this ensures your EML input is redundant to AZ issues." + }, + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "Name of the input." + }, + "RoleArn": { + "shape": "__string", + "locationName": "roleArn", + "documentation": "The Amazon Resource Name (ARN) of the role this input assumes during and after creation." + }, + "Sources": { + "shape": "__listOfInputSourceRequest", + "locationName": "sources", + "documentation": "The source URLs for a PULL-type input. Every PULL type input needs\nexactly two source URLs for redundancy.\nOnly specify sources for PULL type Inputs. Leave Destinations empty." + }, + "SrtSettings": { + "shape": "SrtSettingsRequest", + "locationName": "srtSettings", + "documentation": "The settings associated with an SRT input." + }, + "MulticastSettings": { + "shape": "MulticastSettingsUpdateRequest", + "locationName": "multicastSettings", + "documentation": "Multicast Input settings." + } }, - "documentation": "Placeholder documentation for __listOfAudioTrack" + "documentation": "Placeholder documentation for UpdateInput" }, - "__listOfBatchFailedResultModel": { - "type": "list", - "member": { - "shape": "BatchFailedResultModel" - }, - "documentation": "Placeholder documentation for __listOfBatchFailedResultModel" - }, - "__listOfBatchSuccessfulResultModel": { - "type": "list", - "member": { - "shape": "BatchSuccessfulResultModel" - }, - "documentation": "Placeholder documentation for __listOfBatchSuccessfulResultModel" - }, - "__listOfCaptionDescription": { - "type": "list", - "member": { - "shape": "CaptionDescription" + "UpdateInputDevice": { + "type": "structure", + "members": { + "HdDeviceSettings": { + "shape": "InputDeviceConfigurableSettings", + "locationName": "hdDeviceSettings", + "documentation": "The settings that you want to apply to the HD input device." + }, + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "The name that you assigned to this input device (not the unique ID)." + }, + "UhdDeviceSettings": { + "shape": "InputDeviceConfigurableSettings", + "locationName": "uhdDeviceSettings", + "documentation": "The settings that you want to apply to the UHD input device." + }, + "AvailabilityZone": { + "shape": "__string", + "locationName": "availabilityZone", + "documentation": "The Availability Zone you want associated with this input device." + } }, - "documentation": "Placeholder documentation for __listOfCaptionDescription" + "documentation": "Updates an input device." }, - "__listOfCaptionLanguageMapping": { - "type": "list", - "member": { - "shape": "CaptionLanguageMapping" + "UpdateInputDeviceRequest": { + "type": "structure", + "members": { + "HdDeviceSettings": { + "shape": "InputDeviceConfigurableSettings", + "locationName": "hdDeviceSettings", + "documentation": "The settings that you want to apply to the HD input device." + }, + "InputDeviceId": { + "shape": "__string", + "location": "uri", + "locationName": "inputDeviceId", + "documentation": "The unique ID of the input device. For example, hd-123456789abcdef." + }, + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "The name that you assigned to this input device (not the unique ID)." + }, + "UhdDeviceSettings": { + "shape": "InputDeviceConfigurableSettings", + "locationName": "uhdDeviceSettings", + "documentation": "The settings that you want to apply to the UHD input device." + }, + "AvailabilityZone": { + "shape": "__string", + "locationName": "availabilityZone", + "documentation": "The Availability Zone you want associated with this input device." + } }, - "documentation": "Placeholder documentation for __listOfCaptionLanguageMapping" + "documentation": "A request to update an input device.", + "required": [ + "InputDeviceId" + ] }, - "__listOfCaptionSelector": { - "type": "list", - "member": { - "shape": "CaptionSelector" + "UpdateInputDeviceResponse": { + "type": "structure", + "members": { + "Arn": { + "shape": "__string", + "locationName": "arn", + "documentation": "The unique ARN of the input device." + }, + "ConnectionState": { + "shape": "InputDeviceConnectionState", + "locationName": "connectionState", + "documentation": "The state of the connection between the input device and AWS." + }, + "DeviceSettingsSyncState": { + "shape": "DeviceSettingsSyncState", + "locationName": "deviceSettingsSyncState", + "documentation": "The status of the action to synchronize the device configuration. If you change the configuration of the input device (for example, the maximum bitrate), MediaLive sends the new data to the device. The device might not update itself immediately. SYNCED means the device has updated its configuration. SYNCING means that it has not updated its configuration." + }, + "DeviceUpdateStatus": { + "shape": "DeviceUpdateStatus", + "locationName": "deviceUpdateStatus", + "documentation": "The status of software on the input device." + }, + "HdDeviceSettings": { + "shape": "InputDeviceHdSettings", + "locationName": "hdDeviceSettings", + "documentation": "Settings that describe an input device that is type HD." + }, + "Id": { + "shape": "__string", + "locationName": "id", + "documentation": "The unique ID of the input device." + }, + "MacAddress": { + "shape": "__string", + "locationName": "macAddress", + "documentation": "The network MAC address of the input device." + }, + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "A name that you specify for the input device." + }, + "NetworkSettings": { + "shape": "InputDeviceNetworkSettings", + "locationName": "networkSettings", + "documentation": "The network settings for the input device." + }, + "SerialNumber": { + "shape": "__string", + "locationName": "serialNumber", + "documentation": "The unique serial number of the input device." + }, + "Type": { + "shape": "InputDeviceType", + "locationName": "type", + "documentation": "The type of the input device." + }, + "UhdDeviceSettings": { + "shape": "InputDeviceUhdSettings", + "locationName": "uhdDeviceSettings", + "documentation": "Settings that describe an input device that is type UHD." + }, + "Tags": { + "shape": "Tags", + "locationName": "tags", + "documentation": "A collection of key-value pairs." + }, + "AvailabilityZone": { + "shape": "__string", + "locationName": "availabilityZone", + "documentation": "The Availability Zone associated with this input device." + }, + "MedialiveInputArns": { + "shape": "__listOf__string", + "locationName": "medialiveInputArns", + "documentation": "An array of the ARNs for the MediaLive inputs attached to the device. Returned only if the outputType is MEDIALIVE_INPUT." + }, + "OutputType": { + "shape": "InputDeviceOutputType", + "locationName": "outputType", + "documentation": "The output attachment type of the input device. Specifies MEDIACONNECT_FLOW if this device is the source for a MediaConnect flow. Specifies MEDIALIVE_INPUT if this device is the source for a MediaLive input." + } }, - "documentation": "Placeholder documentation for __listOfCaptionSelector" + "documentation": "Placeholder documentation for UpdateInputDeviceResponse" }, - "__listOfChannelEgressEndpoint": { - "type": "list", - "member": { - "shape": "ChannelEgressEndpoint" + "UpdateInputRequest": { + "type": "structure", + "members": { + "Destinations": { + "shape": "__listOfInputDestinationRequest", + "locationName": "destinations", + "documentation": "Destination settings for PUSH type inputs." + }, + "InputDevices": { + "shape": "__listOfInputDeviceRequest", + "locationName": "inputDevices", + "documentation": "Settings for the devices." + }, + "InputId": { + "shape": "__string", + "location": "uri", + "locationName": "inputId", + "documentation": "Unique ID of the input." + }, + "InputSecurityGroups": { + "shape": "__listOf__string", + "locationName": "inputSecurityGroups", + "documentation": "A list of security groups referenced by IDs to attach to the input." + }, + "MediaConnectFlows": { + "shape": "__listOfMediaConnectFlowRequest", + "locationName": "mediaConnectFlows", + "documentation": "A list of the MediaConnect Flow ARNs that you want to use as the source of the input. You can specify as few as one\nFlow and presently, as many as two. The only requirement is when you have more than one is that each Flow is in a\nseparate Availability Zone as this ensures your EML input is redundant to AZ issues." + }, + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "Name of the input." + }, + "RoleArn": { + "shape": "__string", + "locationName": "roleArn", + "documentation": "The Amazon Resource Name (ARN) of the role this input assumes during and after creation." + }, + "Sources": { + "shape": "__listOfInputSourceRequest", + "locationName": "sources", + "documentation": "The source URLs for a PULL-type input. Every PULL type input needs\nexactly two source URLs for redundancy.\nOnly specify sources for PULL type Inputs. Leave Destinations empty." + }, + "SrtSettings": { + "shape": "SrtSettingsRequest", + "locationName": "srtSettings", + "documentation": "The settings associated with an SRT input." + }, + "MulticastSettings": { + "shape": "MulticastSettingsUpdateRequest", + "locationName": "multicastSettings", + "documentation": "Multicast Input settings." + } }, - "documentation": "Placeholder documentation for __listOfChannelEgressEndpoint" + "documentation": "A request to update an input.", + "required": [ + "InputId" + ] }, - "__listOfChannelSummary": { - "type": "list", - "member": { - "shape": "ChannelSummary" + "UpdateInputResponse": { + "type": "structure", + "members": { + "Input": { + "shape": "Input", + "locationName": "input" + } }, - "documentation": "Placeholder documentation for __listOfChannelSummary" + "documentation": "Placeholder documentation for UpdateInputResponse" }, - "__listOfColorCorrection": { - "type": "list", - "member": { - "shape": "ColorCorrection" + "UpdateInputResultModel": { + "type": "structure", + "members": { + "Input": { + "shape": "Input", + "locationName": "input" + } }, - "documentation": "Placeholder documentation for __listOfColorCorrection" + "documentation": "Placeholder documentation for UpdateInputResultModel" }, - "__listOfFailoverCondition": { - "type": "list", - "member": { - "shape": "FailoverCondition" + "UpdateInputSecurityGroupRequest": { + "type": "structure", + "members": { + "InputSecurityGroupId": { + "shape": "__string", + "location": "uri", + "locationName": "inputSecurityGroupId", + "documentation": "The id of the Input Security Group to update." + }, + "Tags": { + "shape": "Tags", + "locationName": "tags", + "documentation": "A collection of key-value pairs." + }, + "WhitelistRules": { + "shape": "__listOfInputWhitelistRuleCidr", + "locationName": "whitelistRules", + "documentation": "List of IPv4 CIDR addresses to whitelist" + } }, - "documentation": "Placeholder documentation for __listOfFailoverCondition" + "documentation": "The request to update some combination of the Input Security Group name and the IPv4 CIDRs the Input Security Group should allow.", + "required": [ + "InputSecurityGroupId" + ] }, - "__listOfHlsAdMarkers": { - "type": "list", - "member": { - "shape": "HlsAdMarkers" + "UpdateInputSecurityGroupResponse": { + "type": "structure", + "members": { + "SecurityGroup": { + "shape": "InputSecurityGroup", + "locationName": "securityGroup" + } }, - "documentation": "Placeholder documentation for __listOfHlsAdMarkers" + "documentation": "Placeholder documentation for UpdateInputSecurityGroupResponse" }, - "__listOfInput": { - "type": "list", - "member": { - "shape": "Input" + "UpdateInputSecurityGroupResultModel": { + "type": "structure", + "members": { + "SecurityGroup": { + "shape": "InputSecurityGroup", + "locationName": "securityGroup" + } }, - "documentation": "Placeholder documentation for __listOfInput" + "documentation": "Placeholder documentation for UpdateInputSecurityGroupResultModel" }, - "__listOfInputAttachment": { - "type": "list", - "member": { - "shape": "InputAttachment" + "UpdateMultiplex": { + "type": "structure", + "members": { + "MultiplexSettings": { + "shape": "MultiplexSettings", + "locationName": "multiplexSettings", + "documentation": "The new settings for a multiplex." + }, + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "Name of the multiplex." + }, + "PacketIdentifiersMapping": { + "shape": "MultiplexPacketIdentifiersMapping", + "locationName": "packetIdentifiersMapping" + } }, - "documentation": "Placeholder documentation for __listOfInputAttachment" + "documentation": "Placeholder documentation for UpdateMultiplex" }, - "__listOfInputChannelLevel": { - "type": "list", - "member": { - "shape": "InputChannelLevel" + "UpdateMultiplexProgram": { + "type": "structure", + "members": { + "MultiplexProgramSettings": { + "shape": "MultiplexProgramSettings", + "locationName": "multiplexProgramSettings", + "documentation": "The new settings for a multiplex program." + } }, - "documentation": "Placeholder documentation for __listOfInputChannelLevel" + "documentation": "Placeholder documentation for UpdateMultiplexProgram" }, - "__listOfInputDestination": { - "type": "list", - "member": { - "shape": "InputDestination" + "UpdateMultiplexProgramRequest": { + "type": "structure", + "members": { + "MultiplexId": { + "shape": "__string", + "location": "uri", + "locationName": "multiplexId", + "documentation": "The ID of the multiplex of the program to update." + }, + "MultiplexProgramSettings": { + "shape": "MultiplexProgramSettings", + "locationName": "multiplexProgramSettings", + "documentation": "The new settings for a multiplex program." + }, + "ProgramName": { + "shape": "__string", + "location": "uri", + "locationName": "programName", + "documentation": "The name of the program to update." + } }, - "documentation": "Placeholder documentation for __listOfInputDestination" + "documentation": "A request to update a program in a multiplex.", + "required": [ + "MultiplexId", + "ProgramName" + ] }, - "__listOfInputDestinationRequest": { - "type": "list", - "member": { - "shape": "InputDestinationRequest" + "UpdateMultiplexProgramResponse": { + "type": "structure", + "members": { + "MultiplexProgram": { + "shape": "MultiplexProgram", + "locationName": "multiplexProgram", + "documentation": "The updated multiplex program." + } }, - "documentation": "Placeholder documentation for __listOfInputDestinationRequest" + "documentation": "Placeholder documentation for UpdateMultiplexProgramResponse" }, - "__listOfInputDeviceRequest": { - "type": "list", - "member": { - "shape": "InputDeviceRequest" + "UpdateMultiplexProgramResultModel": { + "type": "structure", + "members": { + "MultiplexProgram": { + "shape": "MultiplexProgram", + "locationName": "multiplexProgram", + "documentation": "The updated multiplex program." + } }, - "documentation": "Placeholder documentation for __listOfInputDeviceRequest" + "documentation": "Placeholder documentation for UpdateMultiplexProgramResultModel" }, - "__listOfInputDeviceSettings": { - "type": "list", - "member": { - "shape": "InputDeviceSettings" + "UpdateMultiplexRequest": { + "type": "structure", + "members": { + "MultiplexId": { + "shape": "__string", + "location": "uri", + "locationName": "multiplexId", + "documentation": "ID of the multiplex to update." + }, + "MultiplexSettings": { + "shape": "MultiplexSettings", + "locationName": "multiplexSettings", + "documentation": "The new settings for a multiplex." + }, + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "Name of the multiplex." + }, + "PacketIdentifiersMapping": { + "shape": "MultiplexPacketIdentifiersMapping", + "locationName": "packetIdentifiersMapping" + } }, - "documentation": "Placeholder documentation for __listOfInputDeviceSettings" + "documentation": "A request to update a multiplex.", + "required": [ + "MultiplexId" + ] }, - "__listOfInputDeviceSummary": { - "type": "list", - "member": { - "shape": "InputDeviceSummary" + "UpdateMultiplexResponse": { + "type": "structure", + "members": { + "Multiplex": { + "shape": "Multiplex", + "locationName": "multiplex", + "documentation": "The updated multiplex." + } }, - "documentation": "Placeholder documentation for __listOfInputDeviceSummary" + "documentation": "Placeholder documentation for UpdateMultiplexResponse" }, - "__listOfInputSecurityGroup": { - "type": "list", - "member": { - "shape": "InputSecurityGroup" + "UpdateMultiplexResultModel": { + "type": "structure", + "members": { + "Multiplex": { + "shape": "Multiplex", + "locationName": "multiplex", + "documentation": "The updated multiplex." + } }, - "documentation": "Placeholder documentation for __listOfInputSecurityGroup" + "documentation": "Placeholder documentation for UpdateMultiplexResultModel" }, - "__listOfInputSource": { - "type": "list", - "member": { - "shape": "InputSource" + "UpdateReservation": { + "type": "structure", + "members": { + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "Name of the reservation" + }, + "RenewalSettings": { + "shape": "RenewalSettings", + "locationName": "renewalSettings", + "documentation": "Renewal settings for the reservation" + } }, - "documentation": "Placeholder documentation for __listOfInputSource" + "documentation": "UpdateReservation request" }, - "__listOfInputSourceRequest": { - "type": "list", - "member": { - "shape": "InputSourceRequest" + "UpdateReservationRequest": { + "type": "structure", + "members": { + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "Name of the reservation" + }, + "RenewalSettings": { + "shape": "RenewalSettings", + "locationName": "renewalSettings", + "documentation": "Renewal settings for the reservation" + }, + "ReservationId": { + "shape": "__string", + "location": "uri", + "locationName": "reservationId", + "documentation": "Unique reservation ID, e.g. '1234567'" + } }, - "documentation": "Placeholder documentation for __listOfInputSourceRequest" + "documentation": "Request to update a reservation", + "required": [ + "ReservationId" + ] }, - "__listOfInputWhitelistRule": { - "type": "list", - "member": { - "shape": "InputWhitelistRule" - }, - "documentation": "Placeholder documentation for __listOfInputWhitelistRule" - }, - "__listOfInputWhitelistRuleCidr": { - "type": "list", - "member": { - "shape": "InputWhitelistRuleCidr" + "UpdateReservationResponse": { + "type": "structure", + "members": { + "Reservation": { + "shape": "Reservation", + "locationName": "reservation" + } }, - "documentation": "Placeholder documentation for __listOfInputWhitelistRuleCidr" + "documentation": "Placeholder documentation for UpdateReservationResponse" }, - "__listOfMediaConnectFlow": { - "type": "list", - "member": { - "shape": "MediaConnectFlow" + "UpdateReservationResultModel": { + "type": "structure", + "members": { + "Reservation": { + "shape": "Reservation", + "locationName": "reservation" + } }, - "documentation": "Placeholder documentation for __listOfMediaConnectFlow" + "documentation": "UpdateReservation response" }, - "__listOfMediaConnectFlowRequest": { - "type": "list", - "member": { - "shape": "MediaConnectFlowRequest" + "ValidationError": { + "type": "structure", + "members": { + "ElementPath": { + "shape": "__string", + "locationName": "elementPath", + "documentation": "Path to the source of the error." + }, + "ErrorMessage": { + "shape": "__string", + "locationName": "errorMessage", + "documentation": "The error message." + } }, - "documentation": "Placeholder documentation for __listOfMediaConnectFlowRequest" + "documentation": "Placeholder documentation for ValidationError" }, - "__listOfMediaPackageOutputDestinationSettings": { - "type": "list", - "member": { - "shape": "MediaPackageOutputDestinationSettings" + "VideoBlackFailoverSettings": { + "type": "structure", + "members": { + "BlackDetectThreshold": { + "shape": "__doubleMin0Max1", + "locationName": "blackDetectThreshold", + "documentation": "A value used in calculating the threshold below which MediaLive considers a pixel to be 'black'. For the input to be considered black, every pixel in a frame must be below this threshold. The threshold is calculated as a percentage (expressed as a decimal) of white. Therefore .1 means 10% white (or 90% black). Note how the formula works for any color depth. For example, if you set this field to 0.1 in 10-bit color depth: (1023*0.1=102.3), which means a pixel value of 102 or less is 'black'. If you set this field to .1 in an 8-bit color depth: (255*0.1=25.5), which means a pixel value of 25 or less is 'black'. The range is 0.0 to 1.0, with any number of decimal places." + }, + "VideoBlackThresholdMsec": { + "shape": "__integerMin1000", + "locationName": "videoBlackThresholdMsec", + "documentation": "The amount of time (in milliseconds) that the active input must be black before automatic input failover occurs." + } }, - "documentation": "Placeholder documentation for __listOfMediaPackageOutputDestinationSettings" + "documentation": "Placeholder documentation for VideoBlackFailoverSettings" }, - "__listOfMultiplexOutputDestination": { - "type": "list", - "member": { - "shape": "MultiplexOutputDestination" + "VideoCodecSettings": { + "type": "structure", + "members": { + "FrameCaptureSettings": { + "shape": "FrameCaptureSettings", + "locationName": "frameCaptureSettings" + }, + "H264Settings": { + "shape": "H264Settings", + "locationName": "h264Settings" + }, + "H265Settings": { + "shape": "H265Settings", + "locationName": "h265Settings" + }, + "Mpeg2Settings": { + "shape": "Mpeg2Settings", + "locationName": "mpeg2Settings" + }, + "Av1Settings": { + "shape": "Av1Settings", + "locationName": "av1Settings" + } }, - "documentation": "Placeholder documentation for __listOfMultiplexOutputDestination" + "documentation": "Video Codec Settings" }, - "__listOfMultiplexProgramPipelineDetail": { - "type": "list", - "member": { - "shape": "MultiplexProgramPipelineDetail" + "VideoDescription": { + "type": "structure", + "members": { + "CodecSettings": { + "shape": "VideoCodecSettings", + "locationName": "codecSettings", + "documentation": "Video codec settings." + }, + "Height": { + "shape": "__integer", + "locationName": "height", + "documentation": "Output video height, in pixels. Must be an even number. For most codecs, you can leave this field and width blank in order to use the height and width (resolution) from the source. Note, however, that leaving blank is not recommended. For the Frame Capture codec, height and width are required." + }, + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "The name of this VideoDescription. Outputs will use this name to uniquely identify this Description. Description names should be unique within this Live Event." + }, + "RespondToAfd": { + "shape": "VideoDescriptionRespondToAfd", + "locationName": "respondToAfd", + "documentation": "Indicates how MediaLive will respond to the AFD values that might be in the input video. If you do not know what AFD signaling is, or if your downstream system has not given you guidance, choose PASSTHROUGH.\nRESPOND: MediaLive clips the input video using a formula that uses the AFD values (configured in afdSignaling ), the input display aspect ratio, and the output display aspect ratio. MediaLive also includes the AFD values in the output, unless the codec for this encode is FRAME_CAPTURE.\nPASSTHROUGH: MediaLive ignores the AFD values and does not clip the video. But MediaLive does include the values in the output.\nNONE: MediaLive does not clip the input video and does not include the AFD values in the output" + }, + "ScalingBehavior": { + "shape": "VideoDescriptionScalingBehavior", + "locationName": "scalingBehavior", + "documentation": "STRETCH_TO_OUTPUT configures the output position to stretch the video to the specified output resolution (height and width). This option will override any position value. DEFAULT may insert black boxes (pillar boxes or letter boxes) around the video to provide the specified output resolution." + }, + "Sharpness": { + "shape": "__integerMin0Max100", + "locationName": "sharpness", + "documentation": "Changes the strength of the anti-alias filter used for scaling. 0 is the softest setting, 100 is the sharpest. A setting of 50 is recommended for most content." + }, + "Width": { + "shape": "__integer", + "locationName": "width", + "documentation": "Output video width, in pixels. Must be an even number. For most codecs, you can leave this field and height blank in order to use the height and width (resolution) from the source. Note, however, that leaving blank is not recommended. For the Frame Capture codec, height and width are required." + } }, - "documentation": "Placeholder documentation for __listOfMultiplexProgramPipelineDetail" + "documentation": "Video settings for this stream.", + "required": [ + "Name" + ] }, - "__listOfMultiplexProgramSummary": { - "type": "list", - "member": { - "shape": "MultiplexProgramSummary" - }, - "documentation": "Placeholder documentation for __listOfMultiplexProgramSummary" + "VideoDescriptionRespondToAfd": { + "type": "string", + "documentation": "Video Description Respond To Afd", + "enum": [ + "NONE", + "PASSTHROUGH", + "RESPOND" + ] }, - "__listOfMultiplexSummary": { - "type": "list", - "member": { - "shape": "MultiplexSummary" - }, - "documentation": "Placeholder documentation for __listOfMultiplexSummary" + "VideoDescriptionScalingBehavior": { + "type": "string", + "documentation": "Video Description Scaling Behavior", + "enum": [ + "DEFAULT", + "STRETCH_TO_OUTPUT" + ] }, - "__listOfOffering": { - "type": "list", - "member": { - "shape": "Offering" + "VideoSelector": { + "type": "structure", + "members": { + "ColorSpace": { + "shape": "VideoSelectorColorSpace", + "locationName": "colorSpace", + "documentation": "Specifies the color space of an input. This setting works in tandem with colorSpaceUsage and a video description's colorSpaceSettingsChoice to determine if any conversion will be performed." + }, + "ColorSpaceSettings": { + "shape": "VideoSelectorColorSpaceSettings", + "locationName": "colorSpaceSettings", + "documentation": "Color space settings" + }, + "ColorSpaceUsage": { + "shape": "VideoSelectorColorSpaceUsage", + "locationName": "colorSpaceUsage", + "documentation": "Applies only if colorSpace is a value other than follow. This field controls how the value in the colorSpace field will be used. fallback means that when the input does include color space data, that data will be used, but when the input has no color space data, the value in colorSpace will be used. Choose fallback if your input is sometimes missing color space data, but when it does have color space data, that data is correct. force means to always use the value in colorSpace. Choose force if your input usually has no color space data or might have unreliable color space data." + }, + "SelectorSettings": { + "shape": "VideoSelectorSettings", + "locationName": "selectorSettings", + "documentation": "The video selector settings." + } }, - "documentation": "Placeholder documentation for __listOfOffering" + "documentation": "Specifies a particular video stream within an input source. An input may have only a single video selector." }, - "__listOfOutput": { - "type": "list", - "member": { - "shape": "Output" - }, - "documentation": "Placeholder documentation for __listOfOutput" + "VideoSelectorColorSpace": { + "type": "string", + "documentation": "Video Selector Color Space", + "enum": [ + "FOLLOW", + "HDR10", + "HLG_2020", + "REC_601", + "REC_709" + ] }, - "__listOfOutputDestination": { - "type": "list", - "member": { - "shape": "OutputDestination" + "VideoSelectorColorSpaceSettings": { + "type": "structure", + "members": { + "Hdr10Settings": { + "shape": "Hdr10Settings", + "locationName": "hdr10Settings" + } }, - "documentation": "Placeholder documentation for __listOfOutputDestination" + "documentation": "Video Selector Color Space Settings" }, - "__listOfOutputDestinationSettings": { - "type": "list", - "member": { - "shape": "OutputDestinationSettings" - }, - "documentation": "Placeholder documentation for __listOfOutputDestinationSettings" + "VideoSelectorColorSpaceUsage": { + "type": "string", + "documentation": "Video Selector Color Space Usage", + "enum": [ + "FALLBACK", + "FORCE" + ] }, - "__listOfOutputGroup": { - "type": "list", - "member": { - "shape": "OutputGroup" + "VideoSelectorPid": { + "type": "structure", + "members": { + "Pid": { + "shape": "__integerMin0Max8191", + "locationName": "pid", + "documentation": "Selects a specific PID from within a video source." + } }, - "documentation": "Placeholder documentation for __listOfOutputGroup" + "documentation": "Video Selector Pid" }, - "__listOfPipelineDetail": { - "type": "list", - "member": { - "shape": "PipelineDetail" + "VideoSelectorProgramId": { + "type": "structure", + "members": { + "ProgramId": { + "shape": "__integerMin0Max65536", + "locationName": "programId", + "documentation": "Selects a specific program from within a multi-program transport stream. If the program doesn't exist, the first program within the transport stream will be selected by default." + } }, - "documentation": "Placeholder documentation for __listOfPipelineDetail" + "documentation": "Video Selector Program Id" }, - "__listOfPipelinePauseStateSettings": { - "type": "list", - "member": { - "shape": "PipelinePauseStateSettings" + "VideoSelectorSettings": { + "type": "structure", + "members": { + "VideoSelectorPid": { + "shape": "VideoSelectorPid", + "locationName": "videoSelectorPid" + }, + "VideoSelectorProgramId": { + "shape": "VideoSelectorProgramId", + "locationName": "videoSelectorProgramId" + } }, - "documentation": "Placeholder documentation for __listOfPipelinePauseStateSettings" + "documentation": "Video Selector Settings" }, - "__listOfReservation": { - "type": "list", - "member": { - "shape": "Reservation" + "VpcOutputSettings": { + "type": "structure", + "members": { + "PublicAddressAllocationIds": { + "shape": "__listOf__string", + "locationName": "publicAddressAllocationIds", + "documentation": "List of public address allocation ids to associate with ENIs that will be created in Output VPC.\nMust specify one for SINGLE_PIPELINE, two for STANDARD channels" + }, + "SecurityGroupIds": { + "shape": "__listOf__string", + "locationName": "securityGroupIds", + "documentation": "A list of up to 5 EC2 VPC security group IDs to attach to the Output VPC network interfaces.\nIf none are specified then the VPC default security group will be used" + }, + "SubnetIds": { + "shape": "__listOf__string", + "locationName": "subnetIds", + "documentation": "A list of VPC subnet IDs from the same VPC.\nIf STANDARD channel, subnet IDs must be mapped to two unique availability zones (AZ)." + } }, - "documentation": "Placeholder documentation for __listOfReservation" + "documentation": "The properties for a private VPC Output\nWhen this property is specified, the output egress addresses will be created in a user specified VPC", + "required": [ + "SubnetIds" + ] }, - "__listOfRtmpAdMarkers": { - "type": "list", - "member": { - "shape": "RtmpAdMarkers" + "VpcOutputSettingsDescription": { + "type": "structure", + "members": { + "AvailabilityZones": { + "shape": "__listOf__string", + "locationName": "availabilityZones", + "documentation": "The Availability Zones where the vpc subnets are located.\nThe first Availability Zone applies to the first subnet in the list of subnets.\nThe second Availability Zone applies to the second subnet." + }, + "NetworkInterfaceIds": { + "shape": "__listOf__string", + "locationName": "networkInterfaceIds", + "documentation": "A list of Elastic Network Interfaces created by MediaLive in the customer's VPC" + }, + "SecurityGroupIds": { + "shape": "__listOf__string", + "locationName": "securityGroupIds", + "documentation": "A list of up EC2 VPC security group IDs attached to the Output VPC network interfaces." + }, + "SubnetIds": { + "shape": "__listOf__string", + "locationName": "subnetIds", + "documentation": "A list of VPC subnet IDs from the same VPC.\nIf STANDARD channel, subnet IDs must be mapped to two unique availability zones (AZ)." + } }, - "documentation": "Placeholder documentation for __listOfRtmpAdMarkers" + "documentation": "The properties for a private VPC Output" }, - "__listOfScheduleAction": { - "type": "list", - "member": { - "shape": "ScheduleAction" - }, - "documentation": "Placeholder documentation for __listOfScheduleAction" + "WavCodingMode": { + "type": "string", + "documentation": "Wav Coding Mode", + "enum": [ + "CODING_MODE_1_0", + "CODING_MODE_2_0", + "CODING_MODE_4_0", + "CODING_MODE_8_0" + ] }, - "__listOfScte35Descriptor": { - "type": "list", - "member": { - "shape": "Scte35Descriptor" + "WavSettings": { + "type": "structure", + "members": { + "BitDepth": { + "shape": "__double", + "locationName": "bitDepth", + "documentation": "Bits per sample." + }, + "CodingMode": { + "shape": "WavCodingMode", + "locationName": "codingMode", + "documentation": "The audio coding mode for the WAV audio. The mode determines the number of channels in the audio." + }, + "SampleRate": { + "shape": "__double", + "locationName": "sampleRate", + "documentation": "Sample rate in Hz." + } }, - "documentation": "Placeholder documentation for __listOfScte35Descriptor" + "documentation": "Wav Settings" }, - "__listOfThumbnail": { - "type": "list", - "member": { - "shape": "Thumbnail" + "WebvttDestinationSettings": { + "type": "structure", + "members": { + "StyleControl": { + "shape": "WebvttDestinationStyleControl", + "locationName": "styleControl", + "documentation": "Controls whether the color and position of the source captions is passed through to the WebVTT output captions. PASSTHROUGH - Valid only if the source captions are EMBEDDED or TELETEXT. NO_STYLE_DATA - Don't pass through the style. The output captions will not contain any font styling information." + } }, - "documentation": "Placeholder documentation for __listOfThumbnail" + "documentation": "Webvtt Destination Settings" }, - "__listOfThumbnailDetail": { - "type": "list", - "member": { - "shape": "ThumbnailDetail" - }, - "documentation": "Placeholder documentation for __listOfThumbnailDetail" + "WebvttDestinationStyleControl": { + "type": "string", + "documentation": "Webvtt Destination Style Control", + "enum": [ + "NO_STYLE_DATA", + "PASSTHROUGH" + ] }, - "__listOfTransferringInputDeviceSummary": { - "type": "list", - "member": { - "shape": "TransferringInputDeviceSummary" - }, - "documentation": "Placeholder documentation for __listOfTransferringInputDeviceSummary" + "__boolean": { + "type": "boolean", + "documentation": "Placeholder documentation for __boolean" }, - "__listOfValidationError": { - "type": "list", - "member": { - "shape": "ValidationError" - }, - "documentation": "Placeholder documentation for __listOfValidationError" + "__double": { + "type": "double", + "documentation": "Placeholder documentation for __double" }, - "__listOfVideoDescription": { - "type": "list", - "member": { - "shape": "VideoDescription" - }, - "documentation": "Placeholder documentation for __listOfVideoDescription" + "__doubleMin0": { + "type": "double", + "documentation": "Placeholder documentation for __doubleMin0" }, - "__listOf__integer": { - "type": "list", - "member": { - "shape": "__integer" - }, - "documentation": "Placeholder documentation for __listOf__integer" + "__doubleMin0Max1": { + "type": "double", + "documentation": "Placeholder documentation for __doubleMin0Max1" }, - "__listOf__string": { - "type": "list", - "member": { - "shape": "__string" - }, - "documentation": "Placeholder documentation for __listOf__string" + "__doubleMin0Max100": { + "type": "double", + "documentation": "Placeholder documentation for __doubleMin0Max100" }, - "__long": { - "type": "long", - "documentation": "Placeholder documentation for __long" + "__doubleMin0Max5000": { + "type": "double", + "documentation": "Placeholder documentation for __doubleMin0Max5000" }, - "__longMin0Max1099511627775": { - "type": "long", - "min": 0, - "max": 1099511627775, - "documentation": "Placeholder documentation for __longMin0Max1099511627775" + "__doubleMin1": { + "type": "double", + "documentation": "Placeholder documentation for __doubleMin1" }, - "__longMin0Max4294967295": { - "type": "long", - "min": 0, - "max": 4294967295, - "documentation": "Placeholder documentation for __longMin0Max4294967295" + "__doubleMin1Max65535": { + "type": "double", + "documentation": "Placeholder documentation for __doubleMin1Max65535" }, - "__longMin0Max8589934591": { - "type": "long", - "min": 0, - "max": 8589934591, - "documentation": "Placeholder documentation for __longMin0Max8589934591" + "__doubleMin250Max5000": { + "type": "double", + "documentation": "Placeholder documentation for __doubleMin250Max5000" }, - "__longMin0Max86400000": { - "type": "long", - "min": 0, - "max": 86400000, - "documentation": "Placeholder documentation for __longMin0Max86400000" + "__doubleMin32Max46": { + "type": "double", + "documentation": "Placeholder documentation for __doubleMin32Max46" }, - "__string": { - "type": "string", - "documentation": "Placeholder documentation for __string" + "__doubleMinNegative1Max5": { + "type": "double", + "documentation": "Placeholder documentation for __doubleMinNegative1Max5" }, - "__stringMax1000": { - "type": "string", - "max": 1000, - "documentation": "Placeholder documentation for __stringMax1000" + "__doubleMinNegative59Max0": { + "type": "double", + "documentation": "Placeholder documentation for __doubleMinNegative59Max0" }, - "__stringMax2048": { - "type": "string", - "max": 2048, - "documentation": "Placeholder documentation for __stringMax2048" + "__integer": { + "type": "integer", + "documentation": "Placeholder documentation for __integer" }, - "__stringMax255": { - "type": "string", - "max": 255, - "documentation": "Placeholder documentation for __stringMax255" + "__integerMin0": { + "type": "integer", + "min": 0, + "documentation": "Placeholder documentation for __integerMin0" }, - "__stringMax256": { - "type": "string", - "max": 256, - "documentation": "Placeholder documentation for __stringMax256" + "__integerMin0Max10": { + "type": "integer", + "min": 0, + "max": 10, + "documentation": "Placeholder documentation for __integerMin0Max10" }, - "__stringMax32": { - "type": "string", - "max": 32, - "documentation": "Placeholder documentation for __stringMax32" + "__integerMin0Max100": { + "type": "integer", + "min": 0, + "max": 100, + "documentation": "Placeholder documentation for __integerMin0Max100" }, - "__stringMin1": { - "type": "string", - "min": 1, - "documentation": "Placeholder documentation for __stringMin1" + "__integerMin0Max1000": { + "type": "integer", + "min": 0, + "max": 1000, + "documentation": "Placeholder documentation for __integerMin0Max1000" }, - "__stringMin1Max255": { - "type": "string", - "min": 1, + "__integerMin0Max10000": { + "type": "integer", + "min": 0, + "max": 10000, + "documentation": "Placeholder documentation for __integerMin0Max10000" + }, + "__integerMin0Max1000000": { + "type": "integer", + "min": 0, + "max": 1000000, + "documentation": "Placeholder documentation for __integerMin0Max1000000" + }, + "__integerMin0Max100000000": { + "type": "integer", + "min": 0, + "max": 100000000, + "documentation": "Placeholder documentation for __integerMin0Max100000000" + }, + "__integerMin0Max128": { + "type": "integer", + "min": 0, + "max": 128, + "documentation": "Placeholder documentation for __integerMin0Max128" + }, + "__integerMin0Max15": { + "type": "integer", + "min": 0, + "max": 15, + "documentation": "Placeholder documentation for __integerMin0Max15" + }, + "__integerMin0Max2000": { + "type": "integer", + "min": 0, + "max": 2000, + "documentation": "Placeholder documentation for __integerMin0Max2000" + }, + "__integerMin0Max255": { + "type": "integer", + "min": 0, "max": 255, - "documentation": "Placeholder documentation for __stringMin1Max255" + "documentation": "Placeholder documentation for __integerMin0Max255" }, - "__stringMin1Max256": { - "type": "string", - "min": 1, - "max": 256, - "documentation": "Placeholder documentation for __stringMin1Max256" + "__integerMin0Max30": { + "type": "integer", + "min": 0, + "max": 30, + "documentation": "Placeholder documentation for __integerMin0Max30" }, - "__stringMin1Max35": { - "type": "string", - "min": 1, - "max": 35, - "documentation": "Placeholder documentation for __stringMin1Max35" + "__integerMin0Max32768": { + "type": "integer", + "min": 0, + "max": 32768, + "documentation": "Placeholder documentation for __integerMin0Max32768" }, - "__stringMin1Max7": { - "type": "string", - "min": 1, + "__integerMin0Max3600": { + "type": "integer", + "min": 0, + "max": 3600, + "documentation": "Placeholder documentation for __integerMin0Max3600" + }, + "__integerMin0Max500": { + "type": "integer", + "min": 0, + "max": 500, + "documentation": "Placeholder documentation for __integerMin0Max500" + }, + "__integerMin0Max600": { + "type": "integer", + "min": 0, + "max": 600, + "documentation": "Placeholder documentation for __integerMin0Max600" + }, + "__integerMin0Max65535": { + "type": "integer", + "min": 0, + "max": 65535, + "documentation": "Placeholder documentation for __integerMin0Max65535" + }, + "__integerMin0Max65536": { + "type": "integer", + "min": 0, + "max": 65536, + "documentation": "Placeholder documentation for __integerMin0Max65536" + }, + "__integerMin0Max7": { + "type": "integer", + "min": 0, "max": 7, - "documentation": "Placeholder documentation for __stringMin1Max7" + "documentation": "Placeholder documentation for __integerMin0Max7" }, - "__stringMin2Max2": { - "type": "string", - "min": 2, - "max": 2, - "documentation": "Placeholder documentation for __stringMin2Max2" + "__integerMin0Max8191": { + "type": "integer", + "min": 0, + "max": 8191, + "documentation": "Placeholder documentation for __integerMin0Max8191" }, - "__stringMin32Max32": { - "type": "string", - "min": 32, - "max": 32, - "documentation": "Placeholder documentation for __stringMin32Max32" + "__integerMin1": { + "type": "integer", + "min": 1, + "documentation": "Placeholder documentation for __integerMin1" }, - "__stringMin34Max34": { - "type": "string", - "min": 34, - "max": 34, - "documentation": "Placeholder documentation for __stringMin34Max34" + "__integerMin100": { + "type": "integer", + "min": 100, + "documentation": "Placeholder documentation for __integerMin100" }, - "__stringMin3Max3": { - "type": "string", - "min": 3, - "max": 3, - "documentation": "Placeholder documentation for __stringMin3Max3" + "__integerMin1000": { + "type": "integer", + "min": 1000, + "documentation": "Placeholder documentation for __integerMin1000" }, - "__stringMin6Max6": { - "type": "string", - "min": 6, - "max": 6, - "documentation": "Placeholder documentation for __stringMin6Max6" + "__integerMin1000000Max100000000": { + "type": "integer", + "min": 1000000, + "max": 100000000, + "documentation": "Placeholder documentation for __integerMin1000000Max100000000" }, - "__stringPattern010920300": { - "type": "string", - "pattern": "^([0,1]?[0-9]|2[0-3]):00$", - "documentation": "Placeholder documentation for __stringPattern010920300" + "__integerMin100000Max100000000": { + "type": "integer", + "min": 100000, + "max": 100000000, + "documentation": "Placeholder documentation for __integerMin100000Max100000000" }, - "__timestampIso8601": { - "type": "timestamp", - "timestampFormat": "iso8601", - "documentation": "Placeholder documentation for __timestampIso8601" + "__integerMin100000Max40000000": { + "type": "integer", + "min": 100000, + "max": 40000000, + "documentation": "Placeholder documentation for __integerMin100000Max40000000" }, - "__timestampUnix": { - "type": "timestamp", - "timestampFormat": "unixTimestamp", - "documentation": "Placeholder documentation for __timestampUnix" + "__integerMin100000Max80000000": { + "type": "integer", + "min": 100000, + "max": 80000000, + "documentation": "Placeholder documentation for __integerMin100000Max80000000" }, - "InputDeviceThumbnail": { - "type": "blob", - "streaming": true, - "documentation": "The binary data for the thumbnail that the Link device has most recently sent to MediaLive." + "__integerMin1000Max30000": { + "type": "integer", + "min": 1000, + "max": 30000, + "documentation": "Placeholder documentation for __integerMin1000Max30000" }, - "AcceptHeader": { - "type": "string", - "enum": [ - "image/jpeg" + "__integerMin1Max10": { + "type": "integer", + "min": 1, + "max": 10, + "documentation": "Placeholder documentation for __integerMin1Max10" + }, + "__integerMin1Max1000000": { + "type": "integer", + "min": 1, + "max": 1000000, + "documentation": "Placeholder documentation for __integerMin1Max1000000" + }, + "__integerMin1Max16": { + "type": "integer", + "min": 1, + "max": 16, + "documentation": "Placeholder documentation for __integerMin1Max16" + }, + "__integerMin1Max20": { + "type": "integer", + "min": 1, + "max": 20, + "documentation": "Placeholder documentation for __integerMin1Max20" + }, + "__integerMin1Max3003": { + "type": "integer", + "min": 1, + "max": 3003, + "documentation": "Placeholder documentation for __integerMin1Max3003" + }, + "__integerMin1Max31": { + "type": "integer", + "min": 1, + "max": 31, + "documentation": "Placeholder documentation for __integerMin1Max31" + }, + "__integerMin1Max32": { + "type": "integer", + "min": 1, + "max": 32, + "documentation": "Placeholder documentation for __integerMin1Max32" + }, + "__integerMin1Max3600000": { + "type": "integer", + "min": 1, + "max": 3600000, + "documentation": "Placeholder documentation for __integerMin1Max3600000" + }, + "__integerMin1Max4": { + "type": "integer", + "min": 1, + "max": 4, + "documentation": "Placeholder documentation for __integerMin1Max4" + }, + "__integerMin1Max5": { + "type": "integer", + "min": 1, + "max": 5, + "documentation": "Placeholder documentation for __integerMin1Max5" + }, + "__integerMin1Max6": { + "type": "integer", + "min": 1, + "max": 6, + "documentation": "Placeholder documentation for __integerMin1Max6" + }, + "__integerMin1Max8": { + "type": "integer", + "min": 1, + "max": 8, + "documentation": "Placeholder documentation for __integerMin1Max8" + }, + "__integerMin25Max10000": { + "type": "integer", + "min": 25, + "max": 10000, + "documentation": "Placeholder documentation for __integerMin25Max10000" + }, + "__integerMin25Max2000": { + "type": "integer", + "min": 25, + "max": 2000, + "documentation": "Placeholder documentation for __integerMin25Max2000" + }, + "__integerMin3": { + "type": "integer", + "min": 3, + "documentation": "Placeholder documentation for __integerMin3" + }, + "__integerMin30": { + "type": "integer", + "min": 30, + "documentation": "Placeholder documentation for __integerMin30" + }, + "__integerMin32Max8191": { + "type": "integer", + "min": 32, + "max": 8191, + "documentation": "Placeholder documentation for __integerMin32Max8191" + }, + "__integerMin4Max20": { + "type": "integer", + "min": 4, + "max": 20, + "documentation": "Placeholder documentation for __integerMin4Max20" + }, + "__integerMin800Max3000": { + "type": "integer", + "min": 800, + "max": 3000, + "documentation": "Placeholder documentation for __integerMin800Max3000" + }, + "__integerMin96Max600": { + "type": "integer", + "min": 96, + "max": 600, + "documentation": "Placeholder documentation for __integerMin96Max600" + }, + "__integerMinNegative1000Max1000": { + "type": "integer", + "min": -1000, + "max": 1000, + "documentation": "Placeholder documentation for __integerMinNegative1000Max1000" + }, + "__integerMinNegative5Max5": { + "type": "integer", + "min": -5, + "max": 5, + "documentation": "Placeholder documentation for __integerMinNegative5Max5" + }, + "__integerMinNegative60Max6": { + "type": "integer", + "min": -60, + "max": 6, + "documentation": "Placeholder documentation for __integerMinNegative60Max6" + }, + "__integerMinNegative60Max60": { + "type": "integer", + "min": -60, + "max": 60, + "documentation": "Placeholder documentation for __integerMinNegative60Max60" + }, + "__listOfAudioChannelMapping": { + "type": "list", + "member": { + "shape": "AudioChannelMapping" + }, + "documentation": "Placeholder documentation for __listOfAudioChannelMapping" + }, + "__listOfAudioDescription": { + "type": "list", + "member": { + "shape": "AudioDescription" + }, + "documentation": "Placeholder documentation for __listOfAudioDescription" + }, + "__listOfAudioSelector": { + "type": "list", + "member": { + "shape": "AudioSelector" + }, + "documentation": "Placeholder documentation for __listOfAudioSelector" + }, + "__listOfAudioTrack": { + "type": "list", + "member": { + "shape": "AudioTrack" + }, + "documentation": "Placeholder documentation for __listOfAudioTrack" + }, + "__listOfBatchFailedResultModel": { + "type": "list", + "member": { + "shape": "BatchFailedResultModel" + }, + "documentation": "Placeholder documentation for __listOfBatchFailedResultModel" + }, + "__listOfBatchSuccessfulResultModel": { + "type": "list", + "member": { + "shape": "BatchSuccessfulResultModel" + }, + "documentation": "Placeholder documentation for __listOfBatchSuccessfulResultModel" + }, + "__listOfCaptionDescription": { + "type": "list", + "member": { + "shape": "CaptionDescription" + }, + "documentation": "Placeholder documentation for __listOfCaptionDescription" + }, + "__listOfCaptionLanguageMapping": { + "type": "list", + "member": { + "shape": "CaptionLanguageMapping" + }, + "documentation": "Placeholder documentation for __listOfCaptionLanguageMapping" + }, + "__listOfCaptionSelector": { + "type": "list", + "member": { + "shape": "CaptionSelector" + }, + "documentation": "Placeholder documentation for __listOfCaptionSelector" + }, + "__listOfChannelEgressEndpoint": { + "type": "list", + "member": { + "shape": "ChannelEgressEndpoint" + }, + "documentation": "Placeholder documentation for __listOfChannelEgressEndpoint" + }, + "__listOfChannelSummary": { + "type": "list", + "member": { + "shape": "ChannelSummary" + }, + "documentation": "Placeholder documentation for __listOfChannelSummary" + }, + "__listOfColorCorrection": { + "type": "list", + "member": { + "shape": "ColorCorrection" + }, + "documentation": "Placeholder documentation for __listOfColorCorrection" + }, + "__listOfFailoverCondition": { + "type": "list", + "member": { + "shape": "FailoverCondition" + }, + "documentation": "Placeholder documentation for __listOfFailoverCondition" + }, + "__listOfHlsAdMarkers": { + "type": "list", + "member": { + "shape": "HlsAdMarkers" + }, + "documentation": "Placeholder documentation for __listOfHlsAdMarkers" + }, + "__listOfInput": { + "type": "list", + "member": { + "shape": "Input" + }, + "documentation": "Placeholder documentation for __listOfInput" + }, + "__listOfInputAttachment": { + "type": "list", + "member": { + "shape": "InputAttachment" + }, + "documentation": "Placeholder documentation for __listOfInputAttachment" + }, + "__listOfInputChannelLevel": { + "type": "list", + "member": { + "shape": "InputChannelLevel" + }, + "documentation": "Placeholder documentation for __listOfInputChannelLevel" + }, + "__listOfInputDestination": { + "type": "list", + "member": { + "shape": "InputDestination" + }, + "documentation": "Placeholder documentation for __listOfInputDestination" + }, + "__listOfInputDestinationRequest": { + "type": "list", + "member": { + "shape": "InputDestinationRequest" + }, + "documentation": "Placeholder documentation for __listOfInputDestinationRequest" + }, + "__listOfInputDeviceRequest": { + "type": "list", + "member": { + "shape": "InputDeviceRequest" + }, + "documentation": "Placeholder documentation for __listOfInputDeviceRequest" + }, + "__listOfInputDeviceSettings": { + "type": "list", + "member": { + "shape": "InputDeviceSettings" + }, + "documentation": "Placeholder documentation for __listOfInputDeviceSettings" + }, + "__listOfInputDeviceSummary": { + "type": "list", + "member": { + "shape": "InputDeviceSummary" + }, + "documentation": "Placeholder documentation for __listOfInputDeviceSummary" + }, + "__listOfInputSecurityGroup": { + "type": "list", + "member": { + "shape": "InputSecurityGroup" + }, + "documentation": "Placeholder documentation for __listOfInputSecurityGroup" + }, + "__listOfInputSource": { + "type": "list", + "member": { + "shape": "InputSource" + }, + "documentation": "Placeholder documentation for __listOfInputSource" + }, + "__listOfInputSourceRequest": { + "type": "list", + "member": { + "shape": "InputSourceRequest" + }, + "documentation": "Placeholder documentation for __listOfInputSourceRequest" + }, + "__listOfInputWhitelistRule": { + "type": "list", + "member": { + "shape": "InputWhitelistRule" + }, + "documentation": "Placeholder documentation for __listOfInputWhitelistRule" + }, + "__listOfInputWhitelistRuleCidr": { + "type": "list", + "member": { + "shape": "InputWhitelistRuleCidr" + }, + "documentation": "Placeholder documentation for __listOfInputWhitelistRuleCidr" + }, + "__listOfMediaConnectFlow": { + "type": "list", + "member": { + "shape": "MediaConnectFlow" + }, + "documentation": "Placeholder documentation for __listOfMediaConnectFlow" + }, + "__listOfMediaConnectFlowRequest": { + "type": "list", + "member": { + "shape": "MediaConnectFlowRequest" + }, + "documentation": "Placeholder documentation for __listOfMediaConnectFlowRequest" + }, + "__listOfMediaPackageOutputDestinationSettings": { + "type": "list", + "member": { + "shape": "MediaPackageOutputDestinationSettings" + }, + "documentation": "Placeholder documentation for __listOfMediaPackageOutputDestinationSettings" + }, + "__listOfMultiplexOutputDestination": { + "type": "list", + "member": { + "shape": "MultiplexOutputDestination" + }, + "documentation": "Placeholder documentation for __listOfMultiplexOutputDestination" + }, + "__listOfMultiplexProgramPipelineDetail": { + "type": "list", + "member": { + "shape": "MultiplexProgramPipelineDetail" + }, + "documentation": "Placeholder documentation for __listOfMultiplexProgramPipelineDetail" + }, + "__listOfMultiplexProgramSummary": { + "type": "list", + "member": { + "shape": "MultiplexProgramSummary" + }, + "documentation": "Placeholder documentation for __listOfMultiplexProgramSummary" + }, + "__listOfMultiplexSummary": { + "type": "list", + "member": { + "shape": "MultiplexSummary" + }, + "documentation": "Placeholder documentation for __listOfMultiplexSummary" + }, + "__listOfOffering": { + "type": "list", + "member": { + "shape": "Offering" + }, + "documentation": "Placeholder documentation for __listOfOffering" + }, + "__listOfOutput": { + "type": "list", + "member": { + "shape": "Output" + }, + "documentation": "Placeholder documentation for __listOfOutput" + }, + "__listOfOutputDestination": { + "type": "list", + "member": { + "shape": "OutputDestination" + }, + "documentation": "Placeholder documentation for __listOfOutputDestination" + }, + "__listOfOutputDestinationSettings": { + "type": "list", + "member": { + "shape": "OutputDestinationSettings" + }, + "documentation": "Placeholder documentation for __listOfOutputDestinationSettings" + }, + "__listOfOutputGroup": { + "type": "list", + "member": { + "shape": "OutputGroup" + }, + "documentation": "Placeholder documentation for __listOfOutputGroup" + }, + "__listOfPipelineDetail": { + "type": "list", + "member": { + "shape": "PipelineDetail" + }, + "documentation": "Placeholder documentation for __listOfPipelineDetail" + }, + "__listOfPipelinePauseStateSettings": { + "type": "list", + "member": { + "shape": "PipelinePauseStateSettings" + }, + "documentation": "Placeholder documentation for __listOfPipelinePauseStateSettings" + }, + "__listOfReservation": { + "type": "list", + "member": { + "shape": "Reservation" + }, + "documentation": "Placeholder documentation for __listOfReservation" + }, + "__listOfRtmpAdMarkers": { + "type": "list", + "member": { + "shape": "RtmpAdMarkers" + }, + "documentation": "Placeholder documentation for __listOfRtmpAdMarkers" + }, + "__listOfScheduleAction": { + "type": "list", + "member": { + "shape": "ScheduleAction" + }, + "documentation": "Placeholder documentation for __listOfScheduleAction" + }, + "__listOfScte35Descriptor": { + "type": "list", + "member": { + "shape": "Scte35Descriptor" + }, + "documentation": "Placeholder documentation for __listOfScte35Descriptor" + }, + "__listOfThumbnail": { + "type": "list", + "member": { + "shape": "Thumbnail" + }, + "documentation": "Placeholder documentation for __listOfThumbnail" + }, + "__listOfThumbnailDetail": { + "type": "list", + "member": { + "shape": "ThumbnailDetail" + }, + "documentation": "Placeholder documentation for __listOfThumbnailDetail" + }, + "__listOfTransferringInputDeviceSummary": { + "type": "list", + "member": { + "shape": "TransferringInputDeviceSummary" + }, + "documentation": "Placeholder documentation for __listOfTransferringInputDeviceSummary" + }, + "__listOfValidationError": { + "type": "list", + "member": { + "shape": "ValidationError" + }, + "documentation": "Placeholder documentation for __listOfValidationError" + }, + "__listOfVideoDescription": { + "type": "list", + "member": { + "shape": "VideoDescription" + }, + "documentation": "Placeholder documentation for __listOfVideoDescription" + }, + "__listOf__integer": { + "type": "list", + "member": { + "shape": "__integer" + }, + "documentation": "Placeholder documentation for __listOf__integer" + }, + "__listOf__string": { + "type": "list", + "member": { + "shape": "__string" + }, + "documentation": "Placeholder documentation for __listOf__string" + }, + "__long": { + "type": "long", + "documentation": "Placeholder documentation for __long" + }, + "__longMin0Max1099511627775": { + "type": "long", + "min": 0, + "max": 1099511627775, + "documentation": "Placeholder documentation for __longMin0Max1099511627775" + }, + "__longMin0Max4294967295": { + "type": "long", + "min": 0, + "max": 4294967295, + "documentation": "Placeholder documentation for __longMin0Max4294967295" + }, + "__longMin0Max8589934591": { + "type": "long", + "min": 0, + "max": 8589934591, + "documentation": "Placeholder documentation for __longMin0Max8589934591" + }, + "__longMin0Max86400000": { + "type": "long", + "min": 0, + "max": 86400000, + "documentation": "Placeholder documentation for __longMin0Max86400000" + }, + "__string": { + "type": "string", + "documentation": "Placeholder documentation for __string" + }, + "__stringMax1000": { + "type": "string", + "max": 1000, + "documentation": "Placeholder documentation for __stringMax1000" + }, + "__stringMax2048": { + "type": "string", + "max": 2048, + "documentation": "Placeholder documentation for __stringMax2048" + }, + "__stringMax255": { + "type": "string", + "max": 255, + "documentation": "Placeholder documentation for __stringMax255" + }, + "__stringMax256": { + "type": "string", + "max": 256, + "documentation": "Placeholder documentation for __stringMax256" + }, + "__stringMax32": { + "type": "string", + "max": 32, + "documentation": "Placeholder documentation for __stringMax32" + }, + "__stringMin1": { + "type": "string", + "min": 1, + "documentation": "Placeholder documentation for __stringMin1" + }, + "__stringMin1Max255": { + "type": "string", + "min": 1, + "max": 255, + "documentation": "Placeholder documentation for __stringMin1Max255" + }, + "__stringMin1Max256": { + "type": "string", + "min": 1, + "max": 256, + "documentation": "Placeholder documentation for __stringMin1Max256" + }, + "__stringMin1Max35": { + "type": "string", + "min": 1, + "max": 35, + "documentation": "Placeholder documentation for __stringMin1Max35" + }, + "__stringMin1Max7": { + "type": "string", + "min": 1, + "max": 7, + "documentation": "Placeholder documentation for __stringMin1Max7" + }, + "__stringMin2Max2": { + "type": "string", + "min": 2, + "max": 2, + "documentation": "Placeholder documentation for __stringMin2Max2" + }, + "__stringMin32Max32": { + "type": "string", + "min": 32, + "max": 32, + "documentation": "Placeholder documentation for __stringMin32Max32" + }, + "__stringMin34Max34": { + "type": "string", + "min": 34, + "max": 34, + "documentation": "Placeholder documentation for __stringMin34Max34" + }, + "__stringMin3Max3": { + "type": "string", + "min": 3, + "max": 3, + "documentation": "Placeholder documentation for __stringMin3Max3" + }, + "__stringMin6Max6": { + "type": "string", + "min": 6, + "max": 6, + "documentation": "Placeholder documentation for __stringMin6Max6" + }, + "__stringPattern010920300": { + "type": "string", + "pattern": "^([0,1]?[0-9]|2[0-3]):00$", + "documentation": "Placeholder documentation for __stringPattern010920300" + }, + "__timestampIso8601": { + "type": "timestamp", + "timestampFormat": "iso8601", + "documentation": "Placeholder documentation for __timestampIso8601" + }, + "__timestampUnix": { + "type": "timestamp", + "timestampFormat": "unixTimestamp", + "documentation": "Placeholder documentation for __timestampUnix" + }, + "InputDeviceThumbnail": { + "type": "blob", + "streaming": true, + "documentation": "The binary data for the thumbnail that the Link device has most recently sent to MediaLive." + }, + "AcceptHeader": { + "type": "string", + "enum": [ + "image/jpeg" + ], + "documentation": "The HTTP Accept header. Indicates the requested type fothe thumbnail." + }, + "ContentType": { + "type": "string", + "enum": [ + "image/jpeg" + ], + "documentation": "Specifies the media type of the thumbnail." + }, + "__timestamp": { + "type": "timestamp", + "documentation": "Placeholder documentation for __timestamp" + }, + "InputDeviceConfigurableAudioChannelPairConfig": { + "type": "structure", + "members": { + "Id": { + "shape": "__integer", + "locationName": "id", + "documentation": "The ID for one audio pair configuration, a value from 1 to 8." + }, + "Profile": { + "shape": "InputDeviceConfigurableAudioChannelPairProfile", + "locationName": "profile", + "documentation": "The profile to set for one audio pair configuration. Choose an enumeration value. Each value describes one audio configuration using the format (rate control algorithm)-(codec)_(quality)-(bitrate in bytes). For example, CBR-AAC_HQ-192000. Or choose DISABLED, in which case the device won't produce audio for this pair." + } + }, + "documentation": "One audio configuration that specifies the format for one audio pair that the device produces as output." + }, + "InputDeviceConfigurableAudioChannelPairProfile": { + "type": "string", + "documentation": "Property of InputDeviceConfigurableAudioChannelPairConfig, which configures one audio channel that the device produces.", + "enum": [ + "DISABLED", + "VBR-AAC_HHE-16000", + "VBR-AAC_HE-64000", + "VBR-AAC_LC-128000", + "CBR-AAC_HQ-192000", + "CBR-AAC_HQ-256000", + "CBR-AAC_HQ-384000", + "CBR-AAC_HQ-512000" + ] + }, + "InputDeviceUhdAudioChannelPairConfig": { + "type": "structure", + "members": { + "Id": { + "shape": "__integer", + "locationName": "id", + "documentation": "The ID for one audio pair configuration, a value from 1 to 8." + }, + "Profile": { + "shape": "InputDeviceUhdAudioChannelPairProfile", + "locationName": "profile", + "documentation": "The profile for one audio pair configuration. This property describes one audio configuration in the format (rate control algorithm)-(codec)_(quality)-(bitrate in bytes). For example, CBR-AAC_HQ-192000. Or DISABLED, in which case the device won't produce audio for this pair." + } + }, + "documentation": "One audio configuration that specifies the format for one audio pair that the device produces as output." + }, + "InputDeviceUhdAudioChannelPairProfile": { + "type": "string", + "documentation": "Property of InputDeviceUhdAudioChannelPairConfig, which describes one audio channel that the device is configured to produce.", + "enum": [ + "DISABLED", + "VBR-AAC_HHE-16000", + "VBR-AAC_HE-64000", + "VBR-AAC_LC-128000", + "CBR-AAC_HQ-192000", + "CBR-AAC_HQ-256000", + "CBR-AAC_HQ-384000", + "CBR-AAC_HQ-512000" + ] + }, + "__listOfInputDeviceConfigurableAudioChannelPairConfig": { + "type": "list", + "member": { + "shape": "InputDeviceConfigurableAudioChannelPairConfig" + }, + "documentation": "Placeholder documentation for __listOfInputDeviceConfigurableAudioChannelPairConfig" + }, + "__listOfInputDeviceUhdAudioChannelPairConfig": { + "type": "list", + "member": { + "shape": "InputDeviceUhdAudioChannelPairConfig" + }, + "documentation": "Placeholder documentation for __listOfInputDeviceUhdAudioChannelPairConfig" + }, + "ChannelPipelineIdToRestart": { + "type": "string", + "documentation": "Property of RestartChannelPipelinesRequest", + "enum": [ + "PIPELINE_0", + "PIPELINE_1" + ] + }, + "RestartChannelPipelinesRequest": { + "type": "structure", + "members": { + "ChannelId": { + "shape": "__string", + "location": "uri", + "locationName": "channelId", + "documentation": "ID of channel" + }, + "PipelineIds": { + "shape": "__listOfChannelPipelineIdToRestart", + "locationName": "pipelineIds", + "documentation": "An array of pipelines to restart in this channel. Format PIPELINE_0 or PIPELINE_1." + } + }, + "documentation": "Pipelines to restart.", + "required": [ + "ChannelId" + ] + }, + "RestartChannelPipelinesResponse": { + "type": "structure", + "members": { + "Arn": { + "shape": "__string", + "locationName": "arn", + "documentation": "The unique arn of the channel." + }, + "CdiInputSpecification": { + "shape": "CdiInputSpecification", + "locationName": "cdiInputSpecification", + "documentation": "Specification of CDI inputs for this channel" + }, + "ChannelClass": { + "shape": "ChannelClass", + "locationName": "channelClass", + "documentation": "The class for this channel. STANDARD for a channel with two pipelines or SINGLE_PIPELINE for a channel with one pipeline." + }, + "Destinations": { + "shape": "__listOfOutputDestination", + "locationName": "destinations", + "documentation": "A list of destinations of the channel. For UDP outputs, there is one\ndestination per output. For other types (HLS, for example), there is\none destination per packager." + }, + "EgressEndpoints": { + "shape": "__listOfChannelEgressEndpoint", + "locationName": "egressEndpoints", + "documentation": "The endpoints where outgoing connections initiate from" + }, + "EncoderSettings": { + "shape": "EncoderSettings", + "locationName": "encoderSettings" + }, + "Id": { + "shape": "__string", + "locationName": "id", + "documentation": "The unique id of the channel." + }, + "InputAttachments": { + "shape": "__listOfInputAttachment", + "locationName": "inputAttachments", + "documentation": "List of input attachments for channel." + }, + "InputSpecification": { + "shape": "InputSpecification", + "locationName": "inputSpecification", + "documentation": "Specification of network and file inputs for this channel" + }, + "LogLevel": { + "shape": "LogLevel", + "locationName": "logLevel", + "documentation": "The log level being written to CloudWatch Logs." + }, + "Maintenance": { + "shape": "MaintenanceStatus", + "locationName": "maintenance", + "documentation": "Maintenance settings for this channel." + }, + "MaintenanceStatus": { + "shape": "__string", + "locationName": "maintenanceStatus", + "documentation": "The time in milliseconds by when the PVRE restart must occur." + }, + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "The name of the channel. (user-mutable)" + }, + "PipelineDetails": { + "shape": "__listOfPipelineDetail", + "locationName": "pipelineDetails", + "documentation": "Runtime details for the pipelines of a running channel." + }, + "PipelinesRunningCount": { + "shape": "__integer", + "locationName": "pipelinesRunningCount", + "documentation": "The number of currently healthy pipelines." + }, + "RoleArn": { + "shape": "__string", + "locationName": "roleArn", + "documentation": "The Amazon Resource Name (ARN) of the role assumed when running the Channel." + }, + "State": { + "shape": "ChannelState", + "locationName": "state" + }, + "Tags": { + "shape": "Tags", + "locationName": "tags", + "documentation": "A collection of key-value pairs." + }, + "Vpc": { + "shape": "VpcOutputSettingsDescription", + "locationName": "vpc", + "documentation": "Settings for VPC output" + }, + "AnywhereSettings": { + "shape": "DescribeAnywhereSettings", + "locationName": "anywhereSettings", + "documentation": "Anywhere settings for this channel." + } + }, + "documentation": "Placeholder documentation for RestartChannelPipelinesResponse" + }, + "__listOfChannelPipelineIdToRestart": { + "type": "list", + "member": { + "shape": "ChannelPipelineIdToRestart" + }, + "documentation": "Placeholder documentation for __listOfChannelPipelineIdToRestart" + }, + "H265MvOverPictureBoundaries": { + "type": "string", + "documentation": "H265 Mv Over Picture Boundaries", + "enum": [ + "DISABLED", + "ENABLED" + ] + }, + "H265MvTemporalPredictor": { + "type": "string", + "documentation": "H265 Mv Temporal Predictor", + "enum": [ + "DISABLED", + "ENABLED" + ] + }, + "H265TilePadding": { + "type": "string", + "documentation": "H265 Tile Padding", + "enum": [ + "NONE", + "PADDED" + ] + }, + "H265TreeblockSize": { + "type": "string", + "documentation": "H265 Treeblock Size", + "enum": [ + "AUTO", + "TREE_SIZE_32X32" + ] + }, + "__integerMin256Max3840": { + "type": "integer", + "min": 256, + "max": 3840, + "documentation": "Placeholder documentation for __integerMin256Max3840" + }, + "__integerMin64Max2160": { + "type": "integer", + "min": 64, + "max": 2160, + "documentation": "Placeholder documentation for __integerMin64Max2160" + }, + "CmafIngestGroupSettings": { + "type": "structure", + "members": { + "Destination": { + "shape": "OutputLocationRef", + "locationName": "destination", + "documentation": "A HTTP destination for the tracks" + }, + "NielsenId3Behavior": { + "shape": "CmafNielsenId3Behavior", + "locationName": "nielsenId3Behavior", + "documentation": "If set to passthrough, Nielsen inaudible tones for media tracking will be detected in the input audio and an equivalent ID3 tag will be inserted in the output." + }, + "Scte35Type": { + "shape": "Scte35Type", + "locationName": "scte35Type", + "documentation": "Type of scte35 track to add. none or scte35WithoutSegmentation" + }, + "SegmentLength": { + "shape": "__integerMin1", + "locationName": "segmentLength", + "documentation": "The nominal duration of segments. The units are specified in SegmentLengthUnits. The segments will end on the next keyframe after the specified duration, so the actual segment length might be longer, and it might be a fraction of the units." + }, + "SegmentLengthUnits": { + "shape": "CmafIngestSegmentLengthUnits", + "locationName": "segmentLengthUnits", + "documentation": "Time unit for segment length parameter." + }, + "SendDelayMs": { + "shape": "__integerMin0Max2000", + "locationName": "sendDelayMs", + "documentation": "Number of milliseconds to delay the output from the second pipeline." + } + }, + "documentation": "Cmaf Ingest Group Settings", + "required": [ + "Destination" + ] + }, + "CmafIngestOutputSettings": { + "type": "structure", + "members": { + "NameModifier": { + "shape": "__string", + "locationName": "nameModifier", + "documentation": "String concatenated to the end of the destination filename. Required for multiple outputs of the same type." + } + }, + "documentation": "Cmaf Ingest Output Settings" + }, + "CmafIngestSegmentLengthUnits": { + "type": "string", + "documentation": "Cmaf Ingest Segment Length Units", + "enum": [ + "MILLISECONDS", + "SECONDS" + ] + }, + "CmafNielsenId3Behavior": { + "type": "string", + "documentation": "Cmaf Nielsen Id3 Behavior", + "enum": [ + "NO_PASSTHROUGH", + "PASSTHROUGH" + ] + }, + "DashRoleAudio": { + "type": "string", + "documentation": "Dash Role Audio", + "enum": [ + "ALTERNATE", + "COMMENTARY", + "DESCRIPTION", + "DUB", + "EMERGENCY", + "ENHANCED-AUDIO-INTELLIGIBILITY", + "KARAOKE", + "MAIN", + "SUPPLEMENTARY" + ] + }, + "DashRoleCaption": { + "type": "string", + "documentation": "Dash Role Caption", + "enum": [ + "ALTERNATE", + "CAPTION", + "COMMENTARY", + "DESCRIPTION", + "DUB", + "EASYREADER", + "EMERGENCY", + "FORCED-SUBTITLE", + "KARAOKE", + "MAIN", + "METADATA", + "SUBTITLE", + "SUPPLEMENTARY" + ] + }, + "DvbDashAccessibility": { + "type": "string", + "documentation": "Dvb Dash Accessibility", + "enum": [ + "DVBDASH_1_VISUALLY_IMPAIRED", + "DVBDASH_2_HARD_OF_HEARING", + "DVBDASH_3_SUPPLEMENTAL_COMMENTARY", + "DVBDASH_4_DIRECTORS_COMMENTARY", + "DVBDASH_5_EDUCATIONAL_NOTES", + "DVBDASH_6_MAIN_PROGRAM", + "DVBDASH_7_CLEAN_FEED" + ] + }, + "__listOfDashRoleAudio": { + "type": "list", + "member": { + "shape": "DashRoleAudio" + }, + "documentation": "Placeholder documentation for __listOfDashRoleAudio" + }, + "__listOfDashRoleCaption": { + "type": "list", + "member": { + "shape": "DashRoleCaption" + }, + "documentation": "Placeholder documentation for __listOfDashRoleCaption" + }, + "Scte35Type": { + "type": "string", + "documentation": "Scte35 Type", + "enum": [ + "NONE", + "SCTE_35_WITHOUT_SEGMENTATION" + ] + }, + "BadRequestExceptionResponseContent": { + "type": "structure", + "members": { + "Message": { + "shape": "__string", + "locationName": "message", + "documentation": "Exception error message." + } + }, + "documentation": "The input fails to satisfy the constraints specified by an AWS service." + }, + "CloudWatchAlarmTemplateComparisonOperator": { + "type": "string", + "documentation": "The comparison operator used to compare the specified statistic and the threshold.", + "enum": [ + "GreaterThanOrEqualToThreshold", + "GreaterThanThreshold", + "LessThanThreshold", + "LessThanOrEqualToThreshold" + ] + }, + "CloudWatchAlarmTemplateGroupSummary": { + "type": "structure", + "members": { + "Arn": { + "shape": "__stringPatternArnMedialiveCloudwatchAlarmTemplateGroup", + "locationName": "arn", + "documentation": "A cloudwatch alarm template group's ARN (Amazon Resource Name)" + }, + "CreatedAt": { + "shape": "__timestampIso8601", + "locationName": "createdAt" + }, + "Description": { + "shape": "__stringMin0Max1024", + "locationName": "description", + "documentation": "A resource's optional description." + }, + "Id": { + "shape": "__stringMin7Max11PatternAws097", + "locationName": "id", + "documentation": "A cloudwatch alarm template group's id. AWS provided template groups have ids that start with `aws-`" + }, + "ModifiedAt": { + "shape": "__timestampIso8601", + "locationName": "modifiedAt" + }, + "Name": { + "shape": "__stringMin1Max255PatternS", + "locationName": "name", + "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + }, + "Tags": { + "shape": "TagMap", + "locationName": "tags" + }, + "TemplateCount": { + "shape": "__integer", + "locationName": "templateCount", + "documentation": "The number of templates in a group." + } + }, + "required": [ + "TemplateCount", + "CreatedAt", + "Id", + "Arn", + "Name" + ], + "documentation": "Placeholder documentation for CloudWatchAlarmTemplateGroupSummary" + }, + "CloudWatchAlarmTemplateStatistic": { + "type": "string", + "documentation": "The statistic to apply to the alarm's metric data.", + "enum": [ + "SampleCount", + "Average", + "Sum", + "Minimum", + "Maximum" + ] + }, + "CloudWatchAlarmTemplateSummary": { + "type": "structure", + "members": { + "Arn": { + "shape": "__stringPatternArnMedialiveCloudwatchAlarmTemplate", + "locationName": "arn", + "documentation": "A cloudwatch alarm template's ARN (Amazon Resource Name)" + }, + "ComparisonOperator": { + "shape": "CloudWatchAlarmTemplateComparisonOperator", + "locationName": "comparisonOperator" + }, + "CreatedAt": { + "shape": "__timestampIso8601", + "locationName": "createdAt" + }, + "DatapointsToAlarm": { + "shape": "__integerMin1", + "locationName": "datapointsToAlarm", + "documentation": "The number of datapoints within the evaluation period that must be breaching to trigger the alarm." + }, + "Description": { + "shape": "__stringMin0Max1024", + "locationName": "description", + "documentation": "A resource's optional description." + }, + "EvaluationPeriods": { + "shape": "__integerMin1", + "locationName": "evaluationPeriods", + "documentation": "The number of periods over which data is compared to the specified threshold." + }, + "GroupId": { + "shape": "__stringMin7Max11PatternAws097", + "locationName": "groupId", + "documentation": "A cloudwatch alarm template group's id. AWS provided template groups have ids that start with `aws-`" + }, + "Id": { + "shape": "__stringMin7Max11PatternAws097", + "locationName": "id", + "documentation": "A cloudwatch alarm template's id. AWS provided templates have ids that start with `aws-`" + }, + "MetricName": { + "shape": "__stringMax64", + "locationName": "metricName", + "documentation": "The name of the metric associated with the alarm. Must be compatible with targetResourceType." + }, + "ModifiedAt": { + "shape": "__timestampIso8601", + "locationName": "modifiedAt" + }, + "Name": { + "shape": "__stringMin1Max255PatternS", + "locationName": "name", + "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + }, + "Period": { + "shape": "__integerMin10Max86400", + "locationName": "period", + "documentation": "The period, in seconds, over which the specified statistic is applied." + }, + "Statistic": { + "shape": "CloudWatchAlarmTemplateStatistic", + "locationName": "statistic" + }, + "Tags": { + "shape": "TagMap", + "locationName": "tags" + }, + "TargetResourceType": { + "shape": "CloudWatchAlarmTemplateTargetResourceType", + "locationName": "targetResourceType" + }, + "Threshold": { + "shape": "__double", + "locationName": "threshold", + "documentation": "The threshold value to compare with the specified statistic." + }, + "TreatMissingData": { + "shape": "CloudWatchAlarmTemplateTreatMissingData", + "locationName": "treatMissingData" + } + }, + "required": [ + "TargetResourceType", + "TreatMissingData", + "ComparisonOperator", + "CreatedAt", + "Period", + "EvaluationPeriods", + "Name", + "GroupId", + "MetricName", + "Statistic", + "Id", + "Arn", + "Threshold" + ], + "documentation": "Placeholder documentation for CloudWatchAlarmTemplateSummary" + }, + "CloudWatchAlarmTemplateTargetResourceType": { + "type": "string", + "documentation": "The resource type this template should dynamically generate cloudwatch metric alarms for.", + "enum": [ + "CLOUDFRONT_DISTRIBUTION", + "MEDIALIVE_MULTIPLEX", + "MEDIALIVE_CHANNEL", + "MEDIALIVE_INPUT_DEVICE", + "MEDIAPACKAGE_CHANNEL", + "MEDIAPACKAGE_ORIGIN_ENDPOINT", + "MEDIACONNECT_FLOW", + "S3_BUCKET" + ] + }, + "CloudWatchAlarmTemplateTreatMissingData": { + "type": "string", + "documentation": "Specifies how missing data points are treated when evaluating the alarm's condition.", + "enum": [ + "notBreaching", + "breaching", + "ignore", + "missing" + ] + }, + "ConflictExceptionResponseContent": { + "type": "structure", + "members": { + "Message": { + "shape": "__string", + "locationName": "message", + "documentation": "Exception error message." + } + }, + "documentation": "Updating or deleting a resource can cause an inconsistent state." + }, + "CreateCloudWatchAlarmTemplateGroupRequest": { + "type": "structure", + "members": { + "Description": { + "shape": "__stringMin0Max1024", + "locationName": "description", + "documentation": "A resource's optional description." + }, + "Name": { + "shape": "__stringMin1Max255PatternS", + "locationName": "name", + "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + }, + "Tags": { + "shape": "TagMap", + "locationName": "tags" + } + }, + "required": [ + "Name" + ], + "documentation": "Placeholder documentation for CreateCloudWatchAlarmTemplateGroupRequest" + }, + "CreateCloudWatchAlarmTemplateGroupRequestContent": { + "type": "structure", + "members": { + "Description": { + "shape": "__stringMin0Max1024", + "locationName": "description", + "documentation": "A resource's optional description." + }, + "Name": { + "shape": "__stringMin1Max255PatternS", + "locationName": "name", + "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + }, + "Tags": { + "shape": "TagMap", + "locationName": "tags" + } + }, + "required": [ + "Name" + ], + "documentation": "Placeholder documentation for CreateCloudWatchAlarmTemplateGroupRequestContent" + }, + "CreateCloudWatchAlarmTemplateGroupResponse": { + "type": "structure", + "members": { + "Arn": { + "shape": "__stringPatternArnMedialiveCloudwatchAlarmTemplateGroup", + "locationName": "arn", + "documentation": "A cloudwatch alarm template group's ARN (Amazon Resource Name)" + }, + "CreatedAt": { + "shape": "__timestampIso8601", + "locationName": "createdAt" + }, + "Description": { + "shape": "__stringMin0Max1024", + "locationName": "description", + "documentation": "A resource's optional description." + }, + "Id": { + "shape": "__stringMin7Max11PatternAws097", + "locationName": "id", + "documentation": "A cloudwatch alarm template group's id. AWS provided template groups have ids that start with `aws-`" + }, + "ModifiedAt": { + "shape": "__timestampIso8601", + "locationName": "modifiedAt" + }, + "Name": { + "shape": "__stringMin1Max255PatternS", + "locationName": "name", + "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + }, + "Tags": { + "shape": "TagMap", + "locationName": "tags" + } + }, + "documentation": "Placeholder documentation for CreateCloudWatchAlarmTemplateGroupResponse" + }, + "CreateCloudWatchAlarmTemplateGroupResponseContent": { + "type": "structure", + "members": { + "Arn": { + "shape": "__stringPatternArnMedialiveCloudwatchAlarmTemplateGroup", + "locationName": "arn", + "documentation": "A cloudwatch alarm template group's ARN (Amazon Resource Name)" + }, + "CreatedAt": { + "shape": "__timestampIso8601", + "locationName": "createdAt" + }, + "Description": { + "shape": "__stringMin0Max1024", + "locationName": "description", + "documentation": "A resource's optional description." + }, + "Id": { + "shape": "__stringMin7Max11PatternAws097", + "locationName": "id", + "documentation": "A cloudwatch alarm template group's id. AWS provided template groups have ids that start with `aws-`" + }, + "ModifiedAt": { + "shape": "__timestampIso8601", + "locationName": "modifiedAt" + }, + "Name": { + "shape": "__stringMin1Max255PatternS", + "locationName": "name", + "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + }, + "Tags": { + "shape": "TagMap", + "locationName": "tags" + } + }, + "required": [ + "CreatedAt", + "Id", + "Arn", + "Name" + ], + "documentation": "Placeholder documentation for CreateCloudWatchAlarmTemplateGroupResponseContent" + }, + "CreateCloudWatchAlarmTemplateRequest": { + "type": "structure", + "members": { + "ComparisonOperator": { + "shape": "CloudWatchAlarmTemplateComparisonOperator", + "locationName": "comparisonOperator" + }, + "DatapointsToAlarm": { + "shape": "__integerMin1", + "locationName": "datapointsToAlarm", + "documentation": "The number of datapoints within the evaluation period that must be breaching to trigger the alarm." + }, + "Description": { + "shape": "__stringMin0Max1024", + "locationName": "description", + "documentation": "A resource's optional description." + }, + "EvaluationPeriods": { + "shape": "__integerMin1", + "locationName": "evaluationPeriods", + "documentation": "The number of periods over which data is compared to the specified threshold." + }, + "GroupIdentifier": { + "shape": "__stringPatternS", + "locationName": "groupIdentifier", + "documentation": "A cloudwatch alarm template group's identifier. Can be either be its id or current name." + }, + "MetricName": { + "shape": "__stringMax64", + "locationName": "metricName", + "documentation": "The name of the metric associated with the alarm. Must be compatible with targetResourceType." + }, + "Name": { + "shape": "__stringMin1Max255PatternS", + "locationName": "name", + "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + }, + "Period": { + "shape": "__integerMin10Max86400", + "locationName": "period", + "documentation": "The period, in seconds, over which the specified statistic is applied." + }, + "Statistic": { + "shape": "CloudWatchAlarmTemplateStatistic", + "locationName": "statistic" + }, + "Tags": { + "shape": "TagMap", + "locationName": "tags" + }, + "TargetResourceType": { + "shape": "CloudWatchAlarmTemplateTargetResourceType", + "locationName": "targetResourceType" + }, + "Threshold": { + "shape": "__double", + "locationName": "threshold", + "documentation": "The threshold value to compare with the specified statistic." + }, + "TreatMissingData": { + "shape": "CloudWatchAlarmTemplateTreatMissingData", + "locationName": "treatMissingData" + } + }, + "required": [ + "TargetResourceType", + "MetricName", + "TreatMissingData", + "ComparisonOperator", + "Statistic", + "Period", + "EvaluationPeriods", + "Threshold", + "Name", + "GroupIdentifier" + ], + "documentation": "Placeholder documentation for CreateCloudWatchAlarmTemplateRequest" + }, + "CreateCloudWatchAlarmTemplateRequestContent": { + "type": "structure", + "members": { + "ComparisonOperator": { + "shape": "CloudWatchAlarmTemplateComparisonOperator", + "locationName": "comparisonOperator" + }, + "DatapointsToAlarm": { + "shape": "__integerMin1", + "locationName": "datapointsToAlarm", + "documentation": "The number of datapoints within the evaluation period that must be breaching to trigger the alarm." + }, + "Description": { + "shape": "__stringMin0Max1024", + "locationName": "description", + "documentation": "A resource's optional description." + }, + "EvaluationPeriods": { + "shape": "__integerMin1", + "locationName": "evaluationPeriods", + "documentation": "The number of periods over which data is compared to the specified threshold." + }, + "GroupIdentifier": { + "shape": "__stringPatternS", + "locationName": "groupIdentifier", + "documentation": "A cloudwatch alarm template group's identifier. Can be either be its id or current name." + }, + "MetricName": { + "shape": "__stringMax64", + "locationName": "metricName", + "documentation": "The name of the metric associated with the alarm. Must be compatible with targetResourceType." + }, + "Name": { + "shape": "__stringMin1Max255PatternS", + "locationName": "name", + "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + }, + "Period": { + "shape": "__integerMin10Max86400", + "locationName": "period", + "documentation": "The period, in seconds, over which the specified statistic is applied." + }, + "Statistic": { + "shape": "CloudWatchAlarmTemplateStatistic", + "locationName": "statistic" + }, + "Tags": { + "shape": "TagMap", + "locationName": "tags" + }, + "TargetResourceType": { + "shape": "CloudWatchAlarmTemplateTargetResourceType", + "locationName": "targetResourceType" + }, + "Threshold": { + "shape": "__double", + "locationName": "threshold", + "documentation": "The threshold value to compare with the specified statistic." + }, + "TreatMissingData": { + "shape": "CloudWatchAlarmTemplateTreatMissingData", + "locationName": "treatMissingData" + } + }, + "required": [ + "TargetResourceType", + "MetricName", + "TreatMissingData", + "ComparisonOperator", + "Statistic", + "Period", + "EvaluationPeriods", + "Threshold", + "Name", + "GroupIdentifier" + ], + "documentation": "Placeholder documentation for CreateCloudWatchAlarmTemplateRequestContent" + }, + "CreateCloudWatchAlarmTemplateResponse": { + "type": "structure", + "members": { + "Arn": { + "shape": "__stringPatternArnMedialiveCloudwatchAlarmTemplate", + "locationName": "arn", + "documentation": "A cloudwatch alarm template's ARN (Amazon Resource Name)" + }, + "ComparisonOperator": { + "shape": "CloudWatchAlarmTemplateComparisonOperator", + "locationName": "comparisonOperator" + }, + "CreatedAt": { + "shape": "__timestampIso8601", + "locationName": "createdAt" + }, + "DatapointsToAlarm": { + "shape": "__integerMin1", + "locationName": "datapointsToAlarm", + "documentation": "The number of datapoints within the evaluation period that must be breaching to trigger the alarm." + }, + "Description": { + "shape": "__stringMin0Max1024", + "locationName": "description", + "documentation": "A resource's optional description." + }, + "EvaluationPeriods": { + "shape": "__integerMin1", + "locationName": "evaluationPeriods", + "documentation": "The number of periods over which data is compared to the specified threshold." + }, + "GroupId": { + "shape": "__stringMin7Max11PatternAws097", + "locationName": "groupId", + "documentation": "A cloudwatch alarm template group's id. AWS provided template groups have ids that start with `aws-`" + }, + "Id": { + "shape": "__stringMin7Max11PatternAws097", + "locationName": "id", + "documentation": "A cloudwatch alarm template's id. AWS provided templates have ids that start with `aws-`" + }, + "MetricName": { + "shape": "__stringMax64", + "locationName": "metricName", + "documentation": "The name of the metric associated with the alarm. Must be compatible with targetResourceType." + }, + "ModifiedAt": { + "shape": "__timestampIso8601", + "locationName": "modifiedAt" + }, + "Name": { + "shape": "__stringMin1Max255PatternS", + "locationName": "name", + "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + }, + "Period": { + "shape": "__integerMin10Max86400", + "locationName": "period", + "documentation": "The period, in seconds, over which the specified statistic is applied." + }, + "Statistic": { + "shape": "CloudWatchAlarmTemplateStatistic", + "locationName": "statistic" + }, + "Tags": { + "shape": "TagMap", + "locationName": "tags" + }, + "TargetResourceType": { + "shape": "CloudWatchAlarmTemplateTargetResourceType", + "locationName": "targetResourceType" + }, + "Threshold": { + "shape": "__double", + "locationName": "threshold", + "documentation": "The threshold value to compare with the specified statistic." + }, + "TreatMissingData": { + "shape": "CloudWatchAlarmTemplateTreatMissingData", + "locationName": "treatMissingData" + } + }, + "documentation": "Placeholder documentation for CreateCloudWatchAlarmTemplateResponse" + }, + "CreateCloudWatchAlarmTemplateResponseContent": { + "type": "structure", + "members": { + "Arn": { + "shape": "__stringPatternArnMedialiveCloudwatchAlarmTemplate", + "locationName": "arn", + "documentation": "A cloudwatch alarm template's ARN (Amazon Resource Name)" + }, + "ComparisonOperator": { + "shape": "CloudWatchAlarmTemplateComparisonOperator", + "locationName": "comparisonOperator" + }, + "CreatedAt": { + "shape": "__timestampIso8601", + "locationName": "createdAt" + }, + "DatapointsToAlarm": { + "shape": "__integerMin1", + "locationName": "datapointsToAlarm", + "documentation": "The number of datapoints within the evaluation period that must be breaching to trigger the alarm." + }, + "Description": { + "shape": "__stringMin0Max1024", + "locationName": "description", + "documentation": "A resource's optional description." + }, + "EvaluationPeriods": { + "shape": "__integerMin1", + "locationName": "evaluationPeriods", + "documentation": "The number of periods over which data is compared to the specified threshold." + }, + "GroupId": { + "shape": "__stringMin7Max11PatternAws097", + "locationName": "groupId", + "documentation": "A cloudwatch alarm template group's id. AWS provided template groups have ids that start with `aws-`" + }, + "Id": { + "shape": "__stringMin7Max11PatternAws097", + "locationName": "id", + "documentation": "A cloudwatch alarm template's id. AWS provided templates have ids that start with `aws-`" + }, + "MetricName": { + "shape": "__stringMax64", + "locationName": "metricName", + "documentation": "The name of the metric associated with the alarm. Must be compatible with targetResourceType." + }, + "ModifiedAt": { + "shape": "__timestampIso8601", + "locationName": "modifiedAt" + }, + "Name": { + "shape": "__stringMin1Max255PatternS", + "locationName": "name", + "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + }, + "Period": { + "shape": "__integerMin10Max86400", + "locationName": "period", + "documentation": "The period, in seconds, over which the specified statistic is applied." + }, + "Statistic": { + "shape": "CloudWatchAlarmTemplateStatistic", + "locationName": "statistic" + }, + "Tags": { + "shape": "TagMap", + "locationName": "tags" + }, + "TargetResourceType": { + "shape": "CloudWatchAlarmTemplateTargetResourceType", + "locationName": "targetResourceType" + }, + "Threshold": { + "shape": "__double", + "locationName": "threshold", + "documentation": "The threshold value to compare with the specified statistic." + }, + "TreatMissingData": { + "shape": "CloudWatchAlarmTemplateTreatMissingData", + "locationName": "treatMissingData" + } + }, + "required": [ + "TargetResourceType", + "TreatMissingData", + "ComparisonOperator", + "CreatedAt", + "Period", + "EvaluationPeriods", + "Name", + "GroupId", + "MetricName", + "Statistic", + "Id", + "Arn", + "Threshold" + ], + "documentation": "Placeholder documentation for CreateCloudWatchAlarmTemplateResponseContent" + }, + "CreateEventBridgeRuleTemplateGroupRequest": { + "type": "structure", + "members": { + "Description": { + "shape": "__stringMin0Max1024", + "locationName": "description", + "documentation": "A resource's optional description." + }, + "Name": { + "shape": "__stringMin1Max255PatternS", + "locationName": "name", + "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + }, + "Tags": { + "shape": "TagMap", + "locationName": "tags" + } + }, + "required": [ + "Name" + ], + "documentation": "Placeholder documentation for CreateEventBridgeRuleTemplateGroupRequest" + }, + "CreateEventBridgeRuleTemplateGroupRequestContent": { + "type": "structure", + "members": { + "Description": { + "shape": "__stringMin0Max1024", + "locationName": "description", + "documentation": "A resource's optional description." + }, + "Name": { + "shape": "__stringMin1Max255PatternS", + "locationName": "name", + "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + }, + "Tags": { + "shape": "TagMap", + "locationName": "tags" + } + }, + "required": [ + "Name" + ], + "documentation": "Placeholder documentation for CreateEventBridgeRuleTemplateGroupRequestContent" + }, + "CreateEventBridgeRuleTemplateGroupResponse": { + "type": "structure", + "members": { + "Arn": { + "shape": "__stringPatternArnMedialiveEventbridgeRuleTemplateGroup", + "locationName": "arn", + "documentation": "An eventbridge rule template group's ARN (Amazon Resource Name)" + }, + "CreatedAt": { + "shape": "__timestampIso8601", + "locationName": "createdAt" + }, + "Description": { + "shape": "__stringMin0Max1024", + "locationName": "description", + "documentation": "A resource's optional description." + }, + "Id": { + "shape": "__stringMin7Max11PatternAws097", + "locationName": "id", + "documentation": "An eventbridge rule template group's id. AWS provided template groups have ids that start with `aws-`" + }, + "ModifiedAt": { + "shape": "__timestampIso8601", + "locationName": "modifiedAt" + }, + "Name": { + "shape": "__stringMin1Max255PatternS", + "locationName": "name", + "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + }, + "Tags": { + "shape": "TagMap", + "locationName": "tags" + } + }, + "documentation": "Placeholder documentation for CreateEventBridgeRuleTemplateGroupResponse" + }, + "CreateEventBridgeRuleTemplateGroupResponseContent": { + "type": "structure", + "members": { + "Arn": { + "shape": "__stringPatternArnMedialiveEventbridgeRuleTemplateGroup", + "locationName": "arn", + "documentation": "An eventbridge rule template group's ARN (Amazon Resource Name)" + }, + "CreatedAt": { + "shape": "__timestampIso8601", + "locationName": "createdAt" + }, + "Description": { + "shape": "__stringMin0Max1024", + "locationName": "description", + "documentation": "A resource's optional description." + }, + "Id": { + "shape": "__stringMin7Max11PatternAws097", + "locationName": "id", + "documentation": "An eventbridge rule template group's id. AWS provided template groups have ids that start with `aws-`" + }, + "ModifiedAt": { + "shape": "__timestampIso8601", + "locationName": "modifiedAt" + }, + "Name": { + "shape": "__stringMin1Max255PatternS", + "locationName": "name", + "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + }, + "Tags": { + "shape": "TagMap", + "locationName": "tags" + } + }, + "required": [ + "CreatedAt", + "Id", + "Arn", + "Name" + ], + "documentation": "Placeholder documentation for CreateEventBridgeRuleTemplateGroupResponseContent" + }, + "CreateEventBridgeRuleTemplateRequest": { + "type": "structure", + "members": { + "Description": { + "shape": "__stringMin0Max1024", + "locationName": "description", + "documentation": "A resource's optional description." + }, + "EventTargets": { + "shape": "__listOfEventBridgeRuleTemplateTarget", + "locationName": "eventTargets" + }, + "EventType": { + "shape": "EventBridgeRuleTemplateEventType", + "locationName": "eventType" + }, + "GroupIdentifier": { + "shape": "__stringPatternS", + "locationName": "groupIdentifier", + "documentation": "An eventbridge rule template group's identifier. Can be either be its id or current name." + }, + "Name": { + "shape": "__stringMin1Max255PatternS", + "locationName": "name", + "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + }, + "Tags": { + "shape": "TagMap", + "locationName": "tags" + } + }, + "required": [ + "EventType", + "Name", + "GroupIdentifier" + ], + "documentation": "Placeholder documentation for CreateEventBridgeRuleTemplateRequest" + }, + "CreateEventBridgeRuleTemplateRequestContent": { + "type": "structure", + "members": { + "Description": { + "shape": "__stringMin0Max1024", + "locationName": "description", + "documentation": "A resource's optional description." + }, + "EventTargets": { + "shape": "__listOfEventBridgeRuleTemplateTarget", + "locationName": "eventTargets" + }, + "EventType": { + "shape": "EventBridgeRuleTemplateEventType", + "locationName": "eventType" + }, + "GroupIdentifier": { + "shape": "__stringPatternS", + "locationName": "groupIdentifier", + "documentation": "An eventbridge rule template group's identifier. Can be either be its id or current name." + }, + "Name": { + "shape": "__stringMin1Max255PatternS", + "locationName": "name", + "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + }, + "Tags": { + "shape": "TagMap", + "locationName": "tags" + } + }, + "required": [ + "EventType", + "Name", + "GroupIdentifier" + ], + "documentation": "Placeholder documentation for CreateEventBridgeRuleTemplateRequestContent" + }, + "CreateEventBridgeRuleTemplateResponse": { + "type": "structure", + "members": { + "Arn": { + "shape": "__stringPatternArnMedialiveEventbridgeRuleTemplate", + "locationName": "arn", + "documentation": "An eventbridge rule template's ARN (Amazon Resource Name)" + }, + "CreatedAt": { + "shape": "__timestampIso8601", + "locationName": "createdAt" + }, + "Description": { + "shape": "__stringMin0Max1024", + "locationName": "description", + "documentation": "A resource's optional description." + }, + "EventTargets": { + "shape": "__listOfEventBridgeRuleTemplateTarget", + "locationName": "eventTargets" + }, + "EventType": { + "shape": "EventBridgeRuleTemplateEventType", + "locationName": "eventType" + }, + "GroupId": { + "shape": "__stringMin7Max11PatternAws097", + "locationName": "groupId", + "documentation": "An eventbridge rule template group's id. AWS provided template groups have ids that start with `aws-`" + }, + "Id": { + "shape": "__stringMin7Max11PatternAws097", + "locationName": "id", + "documentation": "An eventbridge rule template's id. AWS provided templates have ids that start with `aws-`" + }, + "ModifiedAt": { + "shape": "__timestampIso8601", + "locationName": "modifiedAt" + }, + "Name": { + "shape": "__stringMin1Max255PatternS", + "locationName": "name", + "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + }, + "Tags": { + "shape": "TagMap", + "locationName": "tags" + } + }, + "documentation": "Placeholder documentation for CreateEventBridgeRuleTemplateResponse" + }, + "CreateEventBridgeRuleTemplateResponseContent": { + "type": "structure", + "members": { + "Arn": { + "shape": "__stringPatternArnMedialiveEventbridgeRuleTemplate", + "locationName": "arn", + "documentation": "An eventbridge rule template's ARN (Amazon Resource Name)" + }, + "CreatedAt": { + "shape": "__timestampIso8601", + "locationName": "createdAt" + }, + "Description": { + "shape": "__stringMin0Max1024", + "locationName": "description", + "documentation": "A resource's optional description." + }, + "EventTargets": { + "shape": "__listOfEventBridgeRuleTemplateTarget", + "locationName": "eventTargets" + }, + "EventType": { + "shape": "EventBridgeRuleTemplateEventType", + "locationName": "eventType" + }, + "GroupId": { + "shape": "__stringMin7Max11PatternAws097", + "locationName": "groupId", + "documentation": "An eventbridge rule template group's id. AWS provided template groups have ids that start with `aws-`" + }, + "Id": { + "shape": "__stringMin7Max11PatternAws097", + "locationName": "id", + "documentation": "An eventbridge rule template's id. AWS provided templates have ids that start with `aws-`" + }, + "ModifiedAt": { + "shape": "__timestampIso8601", + "locationName": "modifiedAt" + }, + "Name": { + "shape": "__stringMin1Max255PatternS", + "locationName": "name", + "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + }, + "Tags": { + "shape": "TagMap", + "locationName": "tags" + } + }, + "required": [ + "EventType", + "CreatedAt", + "Id", + "Arn", + "Name", + "GroupId" + ], + "documentation": "Placeholder documentation for CreateEventBridgeRuleTemplateResponseContent" + }, + "CreateSignalMapRequest": { + "type": "structure", + "members": { + "CloudWatchAlarmTemplateGroupIdentifiers": { + "shape": "__listOf__stringPatternS", + "locationName": "cloudWatchAlarmTemplateGroupIdentifiers" + }, + "Description": { + "shape": "__stringMin0Max1024", + "locationName": "description", + "documentation": "A resource's optional description." + }, + "DiscoveryEntryPointArn": { + "shape": "__stringMin1Max2048", + "locationName": "discoveryEntryPointArn", + "documentation": "A top-level supported AWS resource ARN to discovery a signal map from." + }, + "EventBridgeRuleTemplateGroupIdentifiers": { + "shape": "__listOf__stringPatternS", + "locationName": "eventBridgeRuleTemplateGroupIdentifiers" + }, + "Name": { + "shape": "__stringMin1Max255PatternS", + "locationName": "name", + "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + }, + "Tags": { + "shape": "TagMap", + "locationName": "tags" + } + }, + "required": [ + "DiscoveryEntryPointArn", + "Name" + ], + "documentation": "Placeholder documentation for CreateSignalMapRequest" + }, + "CreateSignalMapRequestContent": { + "type": "structure", + "members": { + "CloudWatchAlarmTemplateGroupIdentifiers": { + "shape": "__listOf__stringPatternS", + "locationName": "cloudWatchAlarmTemplateGroupIdentifiers" + }, + "Description": { + "shape": "__stringMin0Max1024", + "locationName": "description", + "documentation": "A resource's optional description." + }, + "DiscoveryEntryPointArn": { + "shape": "__stringMin1Max2048", + "locationName": "discoveryEntryPointArn", + "documentation": "A top-level supported AWS resource ARN to discovery a signal map from." + }, + "EventBridgeRuleTemplateGroupIdentifiers": { + "shape": "__listOf__stringPatternS", + "locationName": "eventBridgeRuleTemplateGroupIdentifiers" + }, + "Name": { + "shape": "__stringMin1Max255PatternS", + "locationName": "name", + "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + }, + "Tags": { + "shape": "TagMap", + "locationName": "tags" + } + }, + "required": [ + "DiscoveryEntryPointArn", + "Name" + ], + "documentation": "Placeholder documentation for CreateSignalMapRequestContent" + }, + "CreateSignalMapResponse": { + "type": "structure", + "members": { + "Arn": { + "shape": "__stringPatternArnMedialiveSignalMap", + "locationName": "arn", + "documentation": "A signal map's ARN (Amazon Resource Name)" + }, + "CloudWatchAlarmTemplateGroupIds": { + "shape": "__listOf__stringMin7Max11PatternAws097", + "locationName": "cloudWatchAlarmTemplateGroupIds" + }, + "CreatedAt": { + "shape": "__timestampIso8601", + "locationName": "createdAt" + }, + "Description": { + "shape": "__stringMin0Max1024", + "locationName": "description", + "documentation": "A resource's optional description." + }, + "DiscoveryEntryPointArn": { + "shape": "__stringMin1Max2048", + "locationName": "discoveryEntryPointArn", + "documentation": "A top-level supported AWS resource ARN to discovery a signal map from." + }, + "ErrorMessage": { + "shape": "__stringMin1Max2048", + "locationName": "errorMessage", + "documentation": "Error message associated with a failed creation or failed update attempt of a signal map." + }, + "EventBridgeRuleTemplateGroupIds": { + "shape": "__listOf__stringMin7Max11PatternAws097", + "locationName": "eventBridgeRuleTemplateGroupIds" + }, + "FailedMediaResourceMap": { + "shape": "FailedMediaResourceMap", + "locationName": "failedMediaResourceMap" + }, + "Id": { + "shape": "__stringMin7Max11PatternAws097", + "locationName": "id", + "documentation": "A signal map's id." + }, + "LastDiscoveredAt": { + "shape": "__timestampIso8601", + "locationName": "lastDiscoveredAt" + }, + "LastSuccessfulMonitorDeployment": { + "shape": "SuccessfulMonitorDeployment", + "locationName": "lastSuccessfulMonitorDeployment" + }, + "MediaResourceMap": { + "shape": "MediaResourceMap", + "locationName": "mediaResourceMap" + }, + "ModifiedAt": { + "shape": "__timestampIso8601", + "locationName": "modifiedAt" + }, + "MonitorChangesPendingDeployment": { + "shape": "__boolean", + "locationName": "monitorChangesPendingDeployment", + "documentation": "If true, there are pending monitor changes for this signal map that can be deployed." + }, + "MonitorDeployment": { + "shape": "MonitorDeployment", + "locationName": "monitorDeployment" + }, + "Name": { + "shape": "__stringMin1Max255PatternS", + "locationName": "name", + "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + }, + "Status": { + "shape": "SignalMapStatus", + "locationName": "status" + }, + "Tags": { + "shape": "TagMap", + "locationName": "tags" + } + }, + "documentation": "Placeholder documentation for CreateSignalMapResponse" + }, + "CreateSignalMapResponseContent": { + "type": "structure", + "members": { + "Arn": { + "shape": "__stringPatternArnMedialiveSignalMap", + "locationName": "arn", + "documentation": "A signal map's ARN (Amazon Resource Name)" + }, + "CloudWatchAlarmTemplateGroupIds": { + "shape": "__listOf__stringMin7Max11PatternAws097", + "locationName": "cloudWatchAlarmTemplateGroupIds" + }, + "CreatedAt": { + "shape": "__timestampIso8601", + "locationName": "createdAt" + }, + "Description": { + "shape": "__stringMin0Max1024", + "locationName": "description", + "documentation": "A resource's optional description." + }, + "DiscoveryEntryPointArn": { + "shape": "__stringMin1Max2048", + "locationName": "discoveryEntryPointArn", + "documentation": "A top-level supported AWS resource ARN to discovery a signal map from." + }, + "ErrorMessage": { + "shape": "__stringMin1Max2048", + "locationName": "errorMessage", + "documentation": "Error message associated with a failed creation or failed update attempt of a signal map." + }, + "EventBridgeRuleTemplateGroupIds": { + "shape": "__listOf__stringMin7Max11PatternAws097", + "locationName": "eventBridgeRuleTemplateGroupIds" + }, + "FailedMediaResourceMap": { + "shape": "FailedMediaResourceMap", + "locationName": "failedMediaResourceMap" + }, + "Id": { + "shape": "__stringMin7Max11PatternAws097", + "locationName": "id", + "documentation": "A signal map's id." + }, + "LastDiscoveredAt": { + "shape": "__timestampIso8601", + "locationName": "lastDiscoveredAt" + }, + "LastSuccessfulMonitorDeployment": { + "shape": "SuccessfulMonitorDeployment", + "locationName": "lastSuccessfulMonitorDeployment" + }, + "MediaResourceMap": { + "shape": "MediaResourceMap", + "locationName": "mediaResourceMap" + }, + "ModifiedAt": { + "shape": "__timestampIso8601", + "locationName": "modifiedAt" + }, + "MonitorChangesPendingDeployment": { + "shape": "__boolean", + "locationName": "monitorChangesPendingDeployment", + "documentation": "If true, there are pending monitor changes for this signal map that can be deployed." + }, + "MonitorDeployment": { + "shape": "MonitorDeployment", + "locationName": "monitorDeployment" + }, + "Name": { + "shape": "__stringMin1Max255PatternS", + "locationName": "name", + "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + }, + "Status": { + "shape": "SignalMapStatus", + "locationName": "status" + }, + "Tags": { + "shape": "TagMap", + "locationName": "tags" + } + }, + "required": [ + "Status", + "CreatedAt", + "Name", + "Id", + "Arn", + "DiscoveryEntryPointArn", + "MonitorChangesPendingDeployment" + ], + "documentation": "Placeholder documentation for CreateSignalMapResponseContent" + }, + "DeleteCloudWatchAlarmTemplateGroupRequest": { + "type": "structure", + "members": { + "Identifier": { + "shape": "__string", + "location": "uri", + "locationName": "identifier", + "documentation": "A cloudwatch alarm template group's identifier. Can be either be its id or current name." + } + }, + "required": [ + "Identifier" + ], + "documentation": "Placeholder documentation for DeleteCloudWatchAlarmTemplateGroupRequest" + }, + "DeleteCloudWatchAlarmTemplateRequest": { + "type": "structure", + "members": { + "Identifier": { + "shape": "__string", + "location": "uri", + "locationName": "identifier", + "documentation": "A cloudwatch alarm template's identifier. Can be either be its id or current name." + } + }, + "required": [ + "Identifier" + ], + "documentation": "Placeholder documentation for DeleteCloudWatchAlarmTemplateRequest" + }, + "DeleteEventBridgeRuleTemplateGroupRequest": { + "type": "structure", + "members": { + "Identifier": { + "shape": "__string", + "location": "uri", + "locationName": "identifier", + "documentation": "An eventbridge rule template group's identifier. Can be either be its id or current name." + } + }, + "required": [ + "Identifier" + ], + "documentation": "Placeholder documentation for DeleteEventBridgeRuleTemplateGroupRequest" + }, + "DeleteEventBridgeRuleTemplateRequest": { + "type": "structure", + "members": { + "Identifier": { + "shape": "__string", + "location": "uri", + "locationName": "identifier", + "documentation": "An eventbridge rule template's identifier. Can be either be its id or current name." + } + }, + "required": [ + "Identifier" + ], + "documentation": "Placeholder documentation for DeleteEventBridgeRuleTemplateRequest" + }, + "DeleteSignalMapRequest": { + "type": "structure", + "members": { + "Identifier": { + "shape": "__string", + "location": "uri", + "locationName": "identifier", + "documentation": "A signal map's identifier. Can be either be its id or current name." + } + }, + "required": [ + "Identifier" + ], + "documentation": "Placeholder documentation for DeleteSignalMapRequest" + }, + "EventBridgeRuleTemplateEventType": { + "type": "string", + "documentation": "The type of event to match with the rule.", + "enum": [ + "MEDIALIVE_MULTIPLEX_ALERT", + "MEDIALIVE_MULTIPLEX_STATE_CHANGE", + "MEDIALIVE_CHANNEL_ALERT", + "MEDIALIVE_CHANNEL_INPUT_CHANGE", + "MEDIALIVE_CHANNEL_STATE_CHANGE", + "MEDIAPACKAGE_INPUT_NOTIFICATION", + "MEDIAPACKAGE_KEY_PROVIDER_NOTIFICATION", + "MEDIAPACKAGE_HARVEST_JOB_NOTIFICATION", + "SIGNAL_MAP_ACTIVE_ALARM", + "MEDIACONNECT_ALERT", + "MEDIACONNECT_SOURCE_HEALTH", + "MEDIACONNECT_OUTPUT_HEALTH", + "MEDIACONNECT_FLOW_STATUS_CHANGE" + ] + }, + "EventBridgeRuleTemplateGroupSummary": { + "type": "structure", + "members": { + "Arn": { + "shape": "__stringPatternArnMedialiveEventbridgeRuleTemplateGroup", + "locationName": "arn", + "documentation": "An eventbridge rule template group's ARN (Amazon Resource Name)" + }, + "CreatedAt": { + "shape": "__timestampIso8601", + "locationName": "createdAt" + }, + "Description": { + "shape": "__stringMin0Max1024", + "locationName": "description", + "documentation": "A resource's optional description." + }, + "Id": { + "shape": "__stringMin7Max11PatternAws097", + "locationName": "id", + "documentation": "An eventbridge rule template group's id. AWS provided template groups have ids that start with `aws-`" + }, + "ModifiedAt": { + "shape": "__timestampIso8601", + "locationName": "modifiedAt" + }, + "Name": { + "shape": "__stringMin1Max255PatternS", + "locationName": "name", + "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + }, + "Tags": { + "shape": "TagMap", + "locationName": "tags" + }, + "TemplateCount": { + "shape": "__integer", + "locationName": "templateCount", + "documentation": "The number of templates in a group." + } + }, + "required": [ + "TemplateCount", + "CreatedAt", + "Id", + "Arn", + "Name" + ], + "documentation": "Placeholder documentation for EventBridgeRuleTemplateGroupSummary" + }, + "EventBridgeRuleTemplateSummary": { + "type": "structure", + "members": { + "Arn": { + "shape": "__stringPatternArnMedialiveEventbridgeRuleTemplate", + "locationName": "arn", + "documentation": "An eventbridge rule template's ARN (Amazon Resource Name)" + }, + "CreatedAt": { + "shape": "__timestampIso8601", + "locationName": "createdAt" + }, + "Description": { + "shape": "__stringMin0Max1024", + "locationName": "description", + "documentation": "A resource's optional description." + }, + "EventTargetCount": { + "shape": "__integerMax5", + "locationName": "eventTargetCount", + "documentation": "The number of targets configured to send matching events." + }, + "EventType": { + "shape": "EventBridgeRuleTemplateEventType", + "locationName": "eventType" + }, + "GroupId": { + "shape": "__stringMin7Max11PatternAws097", + "locationName": "groupId", + "documentation": "An eventbridge rule template group's id. AWS provided template groups have ids that start with `aws-`" + }, + "Id": { + "shape": "__stringMin7Max11PatternAws097", + "locationName": "id", + "documentation": "An eventbridge rule template's id. AWS provided templates have ids that start with `aws-`" + }, + "ModifiedAt": { + "shape": "__timestampIso8601", + "locationName": "modifiedAt" + }, + "Name": { + "shape": "__stringMin1Max255PatternS", + "locationName": "name", + "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + }, + "Tags": { + "shape": "TagMap", + "locationName": "tags" + } + }, + "required": [ + "EventType", + "CreatedAt", + "EventTargetCount", + "Id", + "Arn", + "Name", + "GroupId" + ], + "documentation": "Placeholder documentation for EventBridgeRuleTemplateSummary" + }, + "EventBridgeRuleTemplateTarget": { + "type": "structure", + "members": { + "Arn": { + "shape": "__stringMin1Max2048PatternArn", + "locationName": "arn", + "documentation": "Target ARNs must be either an SNS topic or CloudWatch log group." + } + }, + "documentation": "The target to which to send matching events.", + "required": [ + "Arn" + ] + }, + "FailedMediaResourceMap": { + "type": "map", + "documentation": "A map representing an incomplete AWS media workflow as a graph.", + "key": { + "shape": "__string" + }, + "value": { + "shape": "MediaResource" + } + }, + "ForbiddenExceptionResponseContent": { + "type": "structure", + "members": { + "Message": { + "shape": "__string", + "locationName": "message", + "documentation": "Exception error message." + } + }, + "documentation": "User does not have sufficient access to perform this action." + }, + "GetCloudWatchAlarmTemplateGroupRequest": { + "type": "structure", + "members": { + "Identifier": { + "shape": "__string", + "location": "uri", + "locationName": "identifier", + "documentation": "A cloudwatch alarm template group's identifier. Can be either be its id or current name." + } + }, + "required": [ + "Identifier" + ], + "documentation": "Placeholder documentation for GetCloudWatchAlarmTemplateGroupRequest" + }, + "GetCloudWatchAlarmTemplateGroupResponse": { + "type": "structure", + "members": { + "Arn": { + "shape": "__stringPatternArnMedialiveCloudwatchAlarmTemplateGroup", + "locationName": "arn", + "documentation": "A cloudwatch alarm template group's ARN (Amazon Resource Name)" + }, + "CreatedAt": { + "shape": "__timestampIso8601", + "locationName": "createdAt" + }, + "Description": { + "shape": "__stringMin0Max1024", + "locationName": "description", + "documentation": "A resource's optional description." + }, + "Id": { + "shape": "__stringMin7Max11PatternAws097", + "locationName": "id", + "documentation": "A cloudwatch alarm template group's id. AWS provided template groups have ids that start with `aws-`" + }, + "ModifiedAt": { + "shape": "__timestampIso8601", + "locationName": "modifiedAt" + }, + "Name": { + "shape": "__stringMin1Max255PatternS", + "locationName": "name", + "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + }, + "Tags": { + "shape": "TagMap", + "locationName": "tags" + } + }, + "documentation": "Placeholder documentation for GetCloudWatchAlarmTemplateGroupResponse" + }, + "GetCloudWatchAlarmTemplateGroupResponseContent": { + "type": "structure", + "members": { + "Arn": { + "shape": "__stringPatternArnMedialiveCloudwatchAlarmTemplateGroup", + "locationName": "arn", + "documentation": "A cloudwatch alarm template group's ARN (Amazon Resource Name)" + }, + "CreatedAt": { + "shape": "__timestampIso8601", + "locationName": "createdAt" + }, + "Description": { + "shape": "__stringMin0Max1024", + "locationName": "description", + "documentation": "A resource's optional description." + }, + "Id": { + "shape": "__stringMin7Max11PatternAws097", + "locationName": "id", + "documentation": "A cloudwatch alarm template group's id. AWS provided template groups have ids that start with `aws-`" + }, + "ModifiedAt": { + "shape": "__timestampIso8601", + "locationName": "modifiedAt" + }, + "Name": { + "shape": "__stringMin1Max255PatternS", + "locationName": "name", + "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + }, + "Tags": { + "shape": "TagMap", + "locationName": "tags" + } + }, + "required": [ + "CreatedAt", + "Id", + "Arn", + "Name" + ], + "documentation": "Placeholder documentation for GetCloudWatchAlarmTemplateGroupResponseContent" + }, + "GetCloudWatchAlarmTemplateRequest": { + "type": "structure", + "members": { + "Identifier": { + "shape": "__string", + "location": "uri", + "locationName": "identifier", + "documentation": "A cloudwatch alarm template's identifier. Can be either be its id or current name." + } + }, + "required": [ + "Identifier" + ], + "documentation": "Placeholder documentation for GetCloudWatchAlarmTemplateRequest" + }, + "GetCloudWatchAlarmTemplateResponse": { + "type": "structure", + "members": { + "Arn": { + "shape": "__stringPatternArnMedialiveCloudwatchAlarmTemplate", + "locationName": "arn", + "documentation": "A cloudwatch alarm template's ARN (Amazon Resource Name)" + }, + "ComparisonOperator": { + "shape": "CloudWatchAlarmTemplateComparisonOperator", + "locationName": "comparisonOperator" + }, + "CreatedAt": { + "shape": "__timestampIso8601", + "locationName": "createdAt" + }, + "DatapointsToAlarm": { + "shape": "__integerMin1", + "locationName": "datapointsToAlarm", + "documentation": "The number of datapoints within the evaluation period that must be breaching to trigger the alarm." + }, + "Description": { + "shape": "__stringMin0Max1024", + "locationName": "description", + "documentation": "A resource's optional description." + }, + "EvaluationPeriods": { + "shape": "__integerMin1", + "locationName": "evaluationPeriods", + "documentation": "The number of periods over which data is compared to the specified threshold." + }, + "GroupId": { + "shape": "__stringMin7Max11PatternAws097", + "locationName": "groupId", + "documentation": "A cloudwatch alarm template group's id. AWS provided template groups have ids that start with `aws-`" + }, + "Id": { + "shape": "__stringMin7Max11PatternAws097", + "locationName": "id", + "documentation": "A cloudwatch alarm template's id. AWS provided templates have ids that start with `aws-`" + }, + "MetricName": { + "shape": "__stringMax64", + "locationName": "metricName", + "documentation": "The name of the metric associated with the alarm. Must be compatible with targetResourceType." + }, + "ModifiedAt": { + "shape": "__timestampIso8601", + "locationName": "modifiedAt" + }, + "Name": { + "shape": "__stringMin1Max255PatternS", + "locationName": "name", + "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + }, + "Period": { + "shape": "__integerMin10Max86400", + "locationName": "period", + "documentation": "The period, in seconds, over which the specified statistic is applied." + }, + "Statistic": { + "shape": "CloudWatchAlarmTemplateStatistic", + "locationName": "statistic" + }, + "Tags": { + "shape": "TagMap", + "locationName": "tags" + }, + "TargetResourceType": { + "shape": "CloudWatchAlarmTemplateTargetResourceType", + "locationName": "targetResourceType" + }, + "Threshold": { + "shape": "__double", + "locationName": "threshold", + "documentation": "The threshold value to compare with the specified statistic." + }, + "TreatMissingData": { + "shape": "CloudWatchAlarmTemplateTreatMissingData", + "locationName": "treatMissingData" + } + }, + "documentation": "Placeholder documentation for GetCloudWatchAlarmTemplateResponse" + }, + "GetCloudWatchAlarmTemplateResponseContent": { + "type": "structure", + "members": { + "Arn": { + "shape": "__stringPatternArnMedialiveCloudwatchAlarmTemplate", + "locationName": "arn", + "documentation": "A cloudwatch alarm template's ARN (Amazon Resource Name)" + }, + "ComparisonOperator": { + "shape": "CloudWatchAlarmTemplateComparisonOperator", + "locationName": "comparisonOperator" + }, + "CreatedAt": { + "shape": "__timestampIso8601", + "locationName": "createdAt" + }, + "DatapointsToAlarm": { + "shape": "__integerMin1", + "locationName": "datapointsToAlarm", + "documentation": "The number of datapoints within the evaluation period that must be breaching to trigger the alarm." + }, + "Description": { + "shape": "__stringMin0Max1024", + "locationName": "description", + "documentation": "A resource's optional description." + }, + "EvaluationPeriods": { + "shape": "__integerMin1", + "locationName": "evaluationPeriods", + "documentation": "The number of periods over which data is compared to the specified threshold." + }, + "GroupId": { + "shape": "__stringMin7Max11PatternAws097", + "locationName": "groupId", + "documentation": "A cloudwatch alarm template group's id. AWS provided template groups have ids that start with `aws-`" + }, + "Id": { + "shape": "__stringMin7Max11PatternAws097", + "locationName": "id", + "documentation": "A cloudwatch alarm template's id. AWS provided templates have ids that start with `aws-`" + }, + "MetricName": { + "shape": "__stringMax64", + "locationName": "metricName", + "documentation": "The name of the metric associated with the alarm. Must be compatible with targetResourceType." + }, + "ModifiedAt": { + "shape": "__timestampIso8601", + "locationName": "modifiedAt" + }, + "Name": { + "shape": "__stringMin1Max255PatternS", + "locationName": "name", + "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + }, + "Period": { + "shape": "__integerMin10Max86400", + "locationName": "period", + "documentation": "The period, in seconds, over which the specified statistic is applied." + }, + "Statistic": { + "shape": "CloudWatchAlarmTemplateStatistic", + "locationName": "statistic" + }, + "Tags": { + "shape": "TagMap", + "locationName": "tags" + }, + "TargetResourceType": { + "shape": "CloudWatchAlarmTemplateTargetResourceType", + "locationName": "targetResourceType" + }, + "Threshold": { + "shape": "__double", + "locationName": "threshold", + "documentation": "The threshold value to compare with the specified statistic." + }, + "TreatMissingData": { + "shape": "CloudWatchAlarmTemplateTreatMissingData", + "locationName": "treatMissingData" + } + }, + "required": [ + "TargetResourceType", + "TreatMissingData", + "ComparisonOperator", + "CreatedAt", + "Period", + "EvaluationPeriods", + "Name", + "GroupId", + "MetricName", + "Statistic", + "Id", + "Arn", + "Threshold" + ], + "documentation": "Placeholder documentation for GetCloudWatchAlarmTemplateResponseContent" + }, + "GetEventBridgeRuleTemplateGroupRequest": { + "type": "structure", + "members": { + "Identifier": { + "shape": "__string", + "location": "uri", + "locationName": "identifier", + "documentation": "An eventbridge rule template group's identifier. Can be either be its id or current name." + } + }, + "required": [ + "Identifier" + ], + "documentation": "Placeholder documentation for GetEventBridgeRuleTemplateGroupRequest" + }, + "GetEventBridgeRuleTemplateGroupResponse": { + "type": "structure", + "members": { + "Arn": { + "shape": "__stringPatternArnMedialiveEventbridgeRuleTemplateGroup", + "locationName": "arn", + "documentation": "An eventbridge rule template group's ARN (Amazon Resource Name)" + }, + "CreatedAt": { + "shape": "__timestampIso8601", + "locationName": "createdAt" + }, + "Description": { + "shape": "__stringMin0Max1024", + "locationName": "description", + "documentation": "A resource's optional description." + }, + "Id": { + "shape": "__stringMin7Max11PatternAws097", + "locationName": "id", + "documentation": "An eventbridge rule template group's id. AWS provided template groups have ids that start with `aws-`" + }, + "ModifiedAt": { + "shape": "__timestampIso8601", + "locationName": "modifiedAt" + }, + "Name": { + "shape": "__stringMin1Max255PatternS", + "locationName": "name", + "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + }, + "Tags": { + "shape": "TagMap", + "locationName": "tags" + } + }, + "documentation": "Placeholder documentation for GetEventBridgeRuleTemplateGroupResponse" + }, + "GetEventBridgeRuleTemplateGroupResponseContent": { + "type": "structure", + "members": { + "Arn": { + "shape": "__stringPatternArnMedialiveEventbridgeRuleTemplateGroup", + "locationName": "arn", + "documentation": "An eventbridge rule template group's ARN (Amazon Resource Name)" + }, + "CreatedAt": { + "shape": "__timestampIso8601", + "locationName": "createdAt" + }, + "Description": { + "shape": "__stringMin0Max1024", + "locationName": "description", + "documentation": "A resource's optional description." + }, + "Id": { + "shape": "__stringMin7Max11PatternAws097", + "locationName": "id", + "documentation": "An eventbridge rule template group's id. AWS provided template groups have ids that start with `aws-`" + }, + "ModifiedAt": { + "shape": "__timestampIso8601", + "locationName": "modifiedAt" + }, + "Name": { + "shape": "__stringMin1Max255PatternS", + "locationName": "name", + "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + }, + "Tags": { + "shape": "TagMap", + "locationName": "tags" + } + }, + "required": [ + "CreatedAt", + "Id", + "Arn", + "Name" ], - "documentation": "The HTTP Accept header. Indicates the requested type fothe thumbnail." + "documentation": "Placeholder documentation for GetEventBridgeRuleTemplateGroupResponseContent" }, - "ContentType": { - "type": "string", - "enum": [ - "image/jpeg" + "GetEventBridgeRuleTemplateRequest": { + "type": "structure", + "members": { + "Identifier": { + "shape": "__string", + "location": "uri", + "locationName": "identifier", + "documentation": "An eventbridge rule template's identifier. Can be either be its id or current name." + } + }, + "required": [ + "Identifier" ], - "documentation": "Specifies the media type of the thumbnail." - }, - "__timestamp": { - "type": "timestamp", - "documentation": "Placeholder documentation for __timestamp" + "documentation": "Placeholder documentation for GetEventBridgeRuleTemplateRequest" }, - "InputDeviceConfigurableAudioChannelPairConfig": { + "GetEventBridgeRuleTemplateResponse": { "type": "structure", "members": { + "Arn": { + "shape": "__stringPatternArnMedialiveEventbridgeRuleTemplate", + "locationName": "arn", + "documentation": "An eventbridge rule template's ARN (Amazon Resource Name)" + }, + "CreatedAt": { + "shape": "__timestampIso8601", + "locationName": "createdAt" + }, + "Description": { + "shape": "__stringMin0Max1024", + "locationName": "description", + "documentation": "A resource's optional description." + }, + "EventTargets": { + "shape": "__listOfEventBridgeRuleTemplateTarget", + "locationName": "eventTargets" + }, + "EventType": { + "shape": "EventBridgeRuleTemplateEventType", + "locationName": "eventType" + }, + "GroupId": { + "shape": "__stringMin7Max11PatternAws097", + "locationName": "groupId", + "documentation": "An eventbridge rule template group's id. AWS provided template groups have ids that start with `aws-`" + }, "Id": { - "shape": "__integer", + "shape": "__stringMin7Max11PatternAws097", "locationName": "id", - "documentation": "The ID for one audio pair configuration, a value from 1 to 8." + "documentation": "An eventbridge rule template's id. AWS provided templates have ids that start with `aws-`" }, - "Profile": { - "shape": "InputDeviceConfigurableAudioChannelPairProfile", - "locationName": "profile", - "documentation": "The profile to set for one audio pair configuration. Choose an enumeration value. Each value describes one audio configuration using the format (rate control algorithm)-(codec)_(quality)-(bitrate in bytes). For example, CBR-AAC_HQ-192000. Or choose DISABLED, in which case the device won't produce audio for this pair." + "ModifiedAt": { + "shape": "__timestampIso8601", + "locationName": "modifiedAt" + }, + "Name": { + "shape": "__stringMin1Max255PatternS", + "locationName": "name", + "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + }, + "Tags": { + "shape": "TagMap", + "locationName": "tags" } }, - "documentation": "One audio configuration that specifies the format for one audio pair that the device produces as output." - }, - "InputDeviceConfigurableAudioChannelPairProfile": { - "type": "string", - "documentation": "Property of InputDeviceConfigurableAudioChannelPairConfig, which configures one audio channel that the device produces.", - "enum": [ - "DISABLED", - "VBR-AAC_HHE-16000", - "VBR-AAC_HE-64000", - "VBR-AAC_LC-128000", - "CBR-AAC_HQ-192000", - "CBR-AAC_HQ-256000", - "CBR-AAC_HQ-384000", - "CBR-AAC_HQ-512000" - ] + "documentation": "Placeholder documentation for GetEventBridgeRuleTemplateResponse" }, - "InputDeviceUhdAudioChannelPairConfig": { + "GetEventBridgeRuleTemplateResponseContent": { "type": "structure", "members": { + "Arn": { + "shape": "__stringPatternArnMedialiveEventbridgeRuleTemplate", + "locationName": "arn", + "documentation": "An eventbridge rule template's ARN (Amazon Resource Name)" + }, + "CreatedAt": { + "shape": "__timestampIso8601", + "locationName": "createdAt" + }, + "Description": { + "shape": "__stringMin0Max1024", + "locationName": "description", + "documentation": "A resource's optional description." + }, + "EventTargets": { + "shape": "__listOfEventBridgeRuleTemplateTarget", + "locationName": "eventTargets" + }, + "EventType": { + "shape": "EventBridgeRuleTemplateEventType", + "locationName": "eventType" + }, + "GroupId": { + "shape": "__stringMin7Max11PatternAws097", + "locationName": "groupId", + "documentation": "An eventbridge rule template group's id. AWS provided template groups have ids that start with `aws-`" + }, "Id": { - "shape": "__integer", + "shape": "__stringMin7Max11PatternAws097", "locationName": "id", - "documentation": "The ID for one audio pair configuration, a value from 1 to 8." + "documentation": "An eventbridge rule template's id. AWS provided templates have ids that start with `aws-`" }, - "Profile": { - "shape": "InputDeviceUhdAudioChannelPairProfile", - "locationName": "profile", - "documentation": "The profile for one audio pair configuration. This property describes one audio configuration in the format (rate control algorithm)-(codec)_(quality)-(bitrate in bytes). For example, CBR-AAC_HQ-192000. Or DISABLED, in which case the device won't produce audio for this pair." + "ModifiedAt": { + "shape": "__timestampIso8601", + "locationName": "modifiedAt" + }, + "Name": { + "shape": "__stringMin1Max255PatternS", + "locationName": "name", + "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + }, + "Tags": { + "shape": "TagMap", + "locationName": "tags" } }, - "documentation": "One audio configuration that specifies the format for one audio pair that the device produces as output." - }, - "InputDeviceUhdAudioChannelPairProfile": { - "type": "string", - "documentation": "Property of InputDeviceUhdAudioChannelPairConfig, which describes one audio channel that the device is configured to produce.", - "enum": [ - "DISABLED", - "VBR-AAC_HHE-16000", - "VBR-AAC_HE-64000", - "VBR-AAC_LC-128000", - "CBR-AAC_HQ-192000", - "CBR-AAC_HQ-256000", - "CBR-AAC_HQ-384000", - "CBR-AAC_HQ-512000" - ] - }, - "__listOfInputDeviceConfigurableAudioChannelPairConfig": { - "type": "list", - "member": { - "shape": "InputDeviceConfigurableAudioChannelPairConfig" - }, - "documentation": "Placeholder documentation for __listOfInputDeviceConfigurableAudioChannelPairConfig" - }, - "__listOfInputDeviceUhdAudioChannelPairConfig": { - "type": "list", - "member": { - "shape": "InputDeviceUhdAudioChannelPairConfig" - }, - "documentation": "Placeholder documentation for __listOfInputDeviceUhdAudioChannelPairConfig" - }, - "ChannelPipelineIdToRestart": { - "type": "string", - "documentation": "Property of RestartChannelPipelinesRequest", - "enum": [ - "PIPELINE_0", - "PIPELINE_1" - ] + "required": [ + "EventType", + "CreatedAt", + "Id", + "Arn", + "Name", + "GroupId" + ], + "documentation": "Placeholder documentation for GetEventBridgeRuleTemplateResponseContent" }, - "RestartChannelPipelinesRequest": { + "GetSignalMapRequest": { "type": "structure", "members": { - "ChannelId": { + "Identifier": { "shape": "__string", "location": "uri", - "locationName": "channelId", - "documentation": "ID of channel" + "locationName": "identifier", + "documentation": "A signal map's identifier. Can be either be its id or current name." + } + }, + "required": [ + "Identifier" + ], + "documentation": "Placeholder documentation for GetSignalMapRequest" + }, + "GetSignalMapResponse": { + "type": "structure", + "members": { + "Arn": { + "shape": "__stringPatternArnMedialiveSignalMap", + "locationName": "arn", + "documentation": "A signal map's ARN (Amazon Resource Name)" + }, + "CloudWatchAlarmTemplateGroupIds": { + "shape": "__listOf__stringMin7Max11PatternAws097", + "locationName": "cloudWatchAlarmTemplateGroupIds" + }, + "CreatedAt": { + "shape": "__timestampIso8601", + "locationName": "createdAt" + }, + "Description": { + "shape": "__stringMin0Max1024", + "locationName": "description", + "documentation": "A resource's optional description." + }, + "DiscoveryEntryPointArn": { + "shape": "__stringMin1Max2048", + "locationName": "discoveryEntryPointArn", + "documentation": "A top-level supported AWS resource ARN to discovery a signal map from." + }, + "ErrorMessage": { + "shape": "__stringMin1Max2048", + "locationName": "errorMessage", + "documentation": "Error message associated with a failed creation or failed update attempt of a signal map." + }, + "EventBridgeRuleTemplateGroupIds": { + "shape": "__listOf__stringMin7Max11PatternAws097", + "locationName": "eventBridgeRuleTemplateGroupIds" + }, + "FailedMediaResourceMap": { + "shape": "FailedMediaResourceMap", + "locationName": "failedMediaResourceMap" + }, + "Id": { + "shape": "__stringMin7Max11PatternAws097", + "locationName": "id", + "documentation": "A signal map's id." + }, + "LastDiscoveredAt": { + "shape": "__timestampIso8601", + "locationName": "lastDiscoveredAt" + }, + "LastSuccessfulMonitorDeployment": { + "shape": "SuccessfulMonitorDeployment", + "locationName": "lastSuccessfulMonitorDeployment" + }, + "MediaResourceMap": { + "shape": "MediaResourceMap", + "locationName": "mediaResourceMap" }, - "PipelineIds": { - "shape": "__listOfChannelPipelineIdToRestart", - "locationName": "pipelineIds", - "documentation": "An array of pipelines to restart in this channel. Format PIPELINE_0 or PIPELINE_1." + "ModifiedAt": { + "shape": "__timestampIso8601", + "locationName": "modifiedAt" + }, + "MonitorChangesPendingDeployment": { + "shape": "__boolean", + "locationName": "monitorChangesPendingDeployment", + "documentation": "If true, there are pending monitor changes for this signal map that can be deployed." + }, + "MonitorDeployment": { + "shape": "MonitorDeployment", + "locationName": "monitorDeployment" + }, + "Name": { + "shape": "__stringMin1Max255PatternS", + "locationName": "name", + "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + }, + "Status": { + "shape": "SignalMapStatus", + "locationName": "status" + }, + "Tags": { + "shape": "TagMap", + "locationName": "tags" } }, - "documentation": "Pipelines to restart.", - "required": [ - "ChannelId" - ] + "documentation": "Placeholder documentation for GetSignalMapResponse" }, - "RestartChannelPipelinesResponse": { + "GetSignalMapResponseContent": { "type": "structure", "members": { "Arn": { - "shape": "__string", + "shape": "__stringPatternArnMedialiveSignalMap", "locationName": "arn", - "documentation": "The unique arn of the channel." + "documentation": "A signal map's ARN (Amazon Resource Name)" }, - "CdiInputSpecification": { - "shape": "CdiInputSpecification", - "locationName": "cdiInputSpecification", - "documentation": "Specification of CDI inputs for this channel" + "CloudWatchAlarmTemplateGroupIds": { + "shape": "__listOf__stringMin7Max11PatternAws097", + "locationName": "cloudWatchAlarmTemplateGroupIds" }, - "ChannelClass": { - "shape": "ChannelClass", - "locationName": "channelClass", - "documentation": "The class for this channel. STANDARD for a channel with two pipelines or SINGLE_PIPELINE for a channel with one pipeline." + "CreatedAt": { + "shape": "__timestampIso8601", + "locationName": "createdAt" }, - "Destinations": { - "shape": "__listOfOutputDestination", - "locationName": "destinations", - "documentation": "A list of destinations of the channel. For UDP outputs, there is one\ndestination per output. For other types (HLS, for example), there is\none destination per packager." + "Description": { + "shape": "__stringMin0Max1024", + "locationName": "description", + "documentation": "A resource's optional description." }, - "EgressEndpoints": { - "shape": "__listOfChannelEgressEndpoint", - "locationName": "egressEndpoints", - "documentation": "The endpoints where outgoing connections initiate from" + "DiscoveryEntryPointArn": { + "shape": "__stringMin1Max2048", + "locationName": "discoveryEntryPointArn", + "documentation": "A top-level supported AWS resource ARN to discovery a signal map from." }, - "EncoderSettings": { - "shape": "EncoderSettings", - "locationName": "encoderSettings" + "ErrorMessage": { + "shape": "__stringMin1Max2048", + "locationName": "errorMessage", + "documentation": "Error message associated with a failed creation or failed update attempt of a signal map." + }, + "EventBridgeRuleTemplateGroupIds": { + "shape": "__listOf__stringMin7Max11PatternAws097", + "locationName": "eventBridgeRuleTemplateGroupIds" + }, + "FailedMediaResourceMap": { + "shape": "FailedMediaResourceMap", + "locationName": "failedMediaResourceMap" }, "Id": { - "shape": "__string", + "shape": "__stringMin7Max11PatternAws097", "locationName": "id", - "documentation": "The unique id of the channel." + "documentation": "A signal map's id." }, - "InputAttachments": { - "shape": "__listOfInputAttachment", - "locationName": "inputAttachments", - "documentation": "List of input attachments for channel." + "LastDiscoveredAt": { + "shape": "__timestampIso8601", + "locationName": "lastDiscoveredAt" }, - "InputSpecification": { - "shape": "InputSpecification", - "locationName": "inputSpecification", - "documentation": "Specification of network and file inputs for this channel" + "LastSuccessfulMonitorDeployment": { + "shape": "SuccessfulMonitorDeployment", + "locationName": "lastSuccessfulMonitorDeployment" }, - "LogLevel": { - "shape": "LogLevel", - "locationName": "logLevel", - "documentation": "The log level being written to CloudWatch Logs." + "MediaResourceMap": { + "shape": "MediaResourceMap", + "locationName": "mediaResourceMap" }, - "Maintenance": { - "shape": "MaintenanceStatus", - "locationName": "maintenance", - "documentation": "Maintenance settings for this channel." + "ModifiedAt": { + "shape": "__timestampIso8601", + "locationName": "modifiedAt" }, - "MaintenanceStatus": { - "shape": "__string", - "locationName": "maintenanceStatus", - "documentation": "The time in milliseconds by when the PVRE restart must occur." + "MonitorChangesPendingDeployment": { + "shape": "__boolean", + "locationName": "monitorChangesPendingDeployment", + "documentation": "If true, there are pending monitor changes for this signal map that can be deployed." + }, + "MonitorDeployment": { + "shape": "MonitorDeployment", + "locationName": "monitorDeployment" }, "Name": { - "shape": "__string", + "shape": "__stringMin1Max255PatternS", "locationName": "name", - "documentation": "The name of the channel. (user-mutable)" - }, - "PipelineDetails": { - "shape": "__listOfPipelineDetail", - "locationName": "pipelineDetails", - "documentation": "Runtime details for the pipelines of a running channel." - }, - "PipelinesRunningCount": { - "shape": "__integer", - "locationName": "pipelinesRunningCount", - "documentation": "The number of currently healthy pipelines." - }, - "RoleArn": { - "shape": "__string", - "locationName": "roleArn", - "documentation": "The Amazon Resource Name (ARN) of the role assumed when running the Channel." + "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." }, - "State": { - "shape": "ChannelState", - "locationName": "state" + "Status": { + "shape": "SignalMapStatus", + "locationName": "status" }, "Tags": { - "shape": "Tags", - "locationName": "tags", - "documentation": "A collection of key-value pairs." - }, - "Vpc": { - "shape": "VpcOutputSettingsDescription", - "locationName": "vpc", - "documentation": "Settings for VPC output" + "shape": "TagMap", + "locationName": "tags" } }, - "documentation": "Placeholder documentation for RestartChannelPipelinesResponse" + "required": [ + "Status", + "CreatedAt", + "Name", + "Id", + "Arn", + "DiscoveryEntryPointArn", + "MonitorChangesPendingDeployment" + ], + "documentation": "Placeholder documentation for GetSignalMapResponseContent" }, - "__listOfChannelPipelineIdToRestart": { - "type": "list", - "member": { - "shape": "ChannelPipelineIdToRestart" + "InternalServerErrorExceptionResponseContent": { + "type": "structure", + "members": { + "Message": { + "shape": "__string", + "locationName": "message", + "documentation": "Exception error message." + } }, - "documentation": "Placeholder documentation for __listOfChannelPipelineIdToRestart" - }, - "H265MvOverPictureBoundaries": { - "type": "string", - "documentation": "H265 Mv Over Picture Boundaries", - "enum": [ - "DISABLED", - "ENABLED" - ] - }, - "H265MvTemporalPredictor": { - "type": "string", - "documentation": "H265 Mv Temporal Predictor", - "enum": [ - "DISABLED", - "ENABLED" - ] - }, - "H265TilePadding": { - "type": "string", - "documentation": "H265 Tile Padding", - "enum": [ - "NONE", - "PADDED" - ] - }, - "H265TreeblockSize": { - "type": "string", - "documentation": "H265 Treeblock Size", - "enum": [ - "AUTO", - "TREE_SIZE_32X32" - ] + "documentation": "Unexpected error during processing of request." }, - "__integerMin256Max3840": { - "type": "integer", - "min": 256, - "max": 3840, - "documentation": "Placeholder documentation for __integerMin256Max3840" + "ListCloudWatchAlarmTemplateGroupsRequest": { + "type": "structure", + "members": { + "MaxResults": { + "shape": "MaxResults", + "location": "querystring", + "locationName": "maxResults" + }, + "NextToken": { + "shape": "__string", + "location": "querystring", + "locationName": "nextToken", + "documentation": "A token used to retrieve the next set of results in paginated list responses." + }, + "Scope": { + "shape": "__string", + "location": "querystring", + "locationName": "scope", + "documentation": "Represents the scope of a resource, with options for all scopes, AWS provided resources, or local resources." + }, + "SignalMapIdentifier": { + "shape": "__string", + "location": "querystring", + "locationName": "signalMapIdentifier", + "documentation": "A signal map's identifier. Can be either be its id or current name." + } + }, + "documentation": "Placeholder documentation for ListCloudWatchAlarmTemplateGroupsRequest" }, - "__integerMin64Max2160": { - "type": "integer", - "min": 64, - "max": 2160, - "documentation": "Placeholder documentation for __integerMin64Max2160" + "ListCloudWatchAlarmTemplateGroupsResponse": { + "type": "structure", + "members": { + "CloudWatchAlarmTemplateGroups": { + "shape": "__listOfCloudWatchAlarmTemplateGroupSummary", + "locationName": "cloudWatchAlarmTemplateGroups" + }, + "NextToken": { + "shape": "__stringMin1Max2048", + "locationName": "nextToken", + "documentation": "A token used to retrieve the next set of results in paginated list responses." + } + }, + "documentation": "Placeholder documentation for ListCloudWatchAlarmTemplateGroupsResponse" }, - "CmafIngestGroupSettings": { + "ListCloudWatchAlarmTemplateGroupsResponseContent": { "type": "structure", "members": { - "Destination": { - "shape": "OutputLocationRef", - "locationName": "destination", - "documentation": "A HTTP destination for the tracks" + "CloudWatchAlarmTemplateGroups": { + "shape": "__listOfCloudWatchAlarmTemplateGroupSummary", + "locationName": "cloudWatchAlarmTemplateGroups" }, - "NielsenId3Behavior": { - "shape": "CmafNielsenId3Behavior", - "locationName": "nielsenId3Behavior", - "documentation": "If set to passthrough, Nielsen inaudible tones for media tracking will be detected in the input audio and an equivalent ID3 tag will be inserted in the output." + "NextToken": { + "shape": "__stringMin1Max2048", + "locationName": "nextToken", + "documentation": "A token used to retrieve the next set of results in paginated list responses." + } + }, + "required": [ + "CloudWatchAlarmTemplateGroups" + ], + "documentation": "Placeholder documentation for ListCloudWatchAlarmTemplateGroupsResponseContent" + }, + "ListCloudWatchAlarmTemplatesRequest": { + "type": "structure", + "members": { + "GroupIdentifier": { + "shape": "__string", + "location": "querystring", + "locationName": "groupIdentifier", + "documentation": "A cloudwatch alarm template group's identifier. Can be either be its id or current name." }, - "Scte35Type": { - "shape": "Scte35Type", - "locationName": "scte35Type", - "documentation": "Type of scte35 track to add. none or scte35WithoutSegmentation" + "MaxResults": { + "shape": "MaxResults", + "location": "querystring", + "locationName": "maxResults" }, - "SegmentLength": { - "shape": "__integerMin1", - "locationName": "segmentLength", - "documentation": "The nominal duration of segments. The units are specified in SegmentLengthUnits. The segments will end on the next keyframe after the specified duration, so the actual segment length might be longer, and it might be a fraction of the units." + "NextToken": { + "shape": "__string", + "location": "querystring", + "locationName": "nextToken", + "documentation": "A token used to retrieve the next set of results in paginated list responses." }, - "SegmentLengthUnits": { - "shape": "CmafIngestSegmentLengthUnits", - "locationName": "segmentLengthUnits", - "documentation": "Time unit for segment length parameter." + "Scope": { + "shape": "__string", + "location": "querystring", + "locationName": "scope", + "documentation": "Represents the scope of a resource, with options for all scopes, AWS provided resources, or local resources." }, - "SendDelayMs": { - "shape": "__integerMin0Max2000", - "locationName": "sendDelayMs", - "documentation": "Number of milliseconds to delay the output from the second pipeline." + "SignalMapIdentifier": { + "shape": "__string", + "location": "querystring", + "locationName": "signalMapIdentifier", + "documentation": "A signal map's identifier. Can be either be its id or current name." } }, - "documentation": "Cmaf Ingest Group Settings", - "required": [ - "Destination" - ] + "documentation": "Placeholder documentation for ListCloudWatchAlarmTemplatesRequest" }, - "CmafIngestOutputSettings": { + "ListCloudWatchAlarmTemplatesResponse": { "type": "structure", "members": { - "NameModifier": { - "shape": "__string", - "locationName": "nameModifier", - "documentation": "String concatenated to the end of the destination filename. Required for multiple outputs of the same type." + "CloudWatchAlarmTemplates": { + "shape": "__listOfCloudWatchAlarmTemplateSummary", + "locationName": "cloudWatchAlarmTemplates" + }, + "NextToken": { + "shape": "__stringMin1Max2048", + "locationName": "nextToken", + "documentation": "A token used to retrieve the next set of results in paginated list responses." } }, - "documentation": "Cmaf Ingest Output Settings" - }, - "CmafIngestSegmentLengthUnits": { - "type": "string", - "documentation": "Cmaf Ingest Segment Length Units", - "enum": [ - "MILLISECONDS", - "SECONDS" - ] - }, - "CmafNielsenId3Behavior": { - "type": "string", - "documentation": "Cmaf Nielsen Id3 Behavior", - "enum": [ - "NO_PASSTHROUGH", - "PASSTHROUGH" - ] - }, - "DashRoleAudio": { - "type": "string", - "documentation": "Dash Role Audio", - "enum": [ - "ALTERNATE", - "COMMENTARY", - "DESCRIPTION", - "DUB", - "EMERGENCY", - "ENHANCED-AUDIO-INTELLIGIBILITY", - "KARAOKE", - "MAIN", - "SUPPLEMENTARY" - ] - }, - "DashRoleCaption": { - "type": "string", - "documentation": "Dash Role Caption", - "enum": [ - "ALTERNATE", - "CAPTION", - "COMMENTARY", - "DESCRIPTION", - "DUB", - "EASYREADER", - "EMERGENCY", - "FORCED-SUBTITLE", - "KARAOKE", - "MAIN", - "METADATA", - "SUBTITLE", - "SUPPLEMENTARY" - ] + "documentation": "Placeholder documentation for ListCloudWatchAlarmTemplatesResponse" }, - "DvbDashAccessibility": { - "type": "string", - "documentation": "Dvb Dash Accessibility", - "enum": [ - "DVBDASH_1_VISUALLY_IMPAIRED", - "DVBDASH_2_HARD_OF_HEARING", - "DVBDASH_3_SUPPLEMENTAL_COMMENTARY", - "DVBDASH_4_DIRECTORS_COMMENTARY", - "DVBDASH_5_EDUCATIONAL_NOTES", - "DVBDASH_6_MAIN_PROGRAM", - "DVBDASH_7_CLEAN_FEED" - ] + "ListCloudWatchAlarmTemplatesResponseContent": { + "type": "structure", + "members": { + "CloudWatchAlarmTemplates": { + "shape": "__listOfCloudWatchAlarmTemplateSummary", + "locationName": "cloudWatchAlarmTemplates" + }, + "NextToken": { + "shape": "__stringMin1Max2048", + "locationName": "nextToken", + "documentation": "A token used to retrieve the next set of results in paginated list responses." + } + }, + "required": [ + "CloudWatchAlarmTemplates" + ], + "documentation": "Placeholder documentation for ListCloudWatchAlarmTemplatesResponseContent" }, - "__listOfDashRoleAudio": { - "type": "list", - "member": { - "shape": "DashRoleAudio" + "ListEventBridgeRuleTemplateGroupsRequest": { + "type": "structure", + "members": { + "MaxResults": { + "shape": "MaxResults", + "location": "querystring", + "locationName": "maxResults" + }, + "NextToken": { + "shape": "__string", + "location": "querystring", + "locationName": "nextToken", + "documentation": "A token used to retrieve the next set of results in paginated list responses." + }, + "SignalMapIdentifier": { + "shape": "__string", + "location": "querystring", + "locationName": "signalMapIdentifier", + "documentation": "A signal map's identifier. Can be either be its id or current name." + } }, - "documentation": "Placeholder documentation for __listOfDashRoleAudio" + "documentation": "Placeholder documentation for ListEventBridgeRuleTemplateGroupsRequest" }, - "__listOfDashRoleCaption": { - "type": "list", - "member": { - "shape": "DashRoleCaption" + "ListEventBridgeRuleTemplateGroupsResponse": { + "type": "structure", + "members": { + "EventBridgeRuleTemplateGroups": { + "shape": "__listOfEventBridgeRuleTemplateGroupSummary", + "locationName": "eventBridgeRuleTemplateGroups" + }, + "NextToken": { + "shape": "__stringMin1Max2048", + "locationName": "nextToken", + "documentation": "A token used to retrieve the next set of results in paginated list responses." + } }, - "documentation": "Placeholder documentation for __listOfDashRoleCaption" + "documentation": "Placeholder documentation for ListEventBridgeRuleTemplateGroupsResponse" }, - "Scte35Type": { - "type": "string", - "documentation": "Scte35 Type", - "enum": [ - "NONE", - "SCTE_35_WITHOUT_SEGMENTATION" - ] + "ListEventBridgeRuleTemplateGroupsResponseContent": { + "type": "structure", + "members": { + "EventBridgeRuleTemplateGroups": { + "shape": "__listOfEventBridgeRuleTemplateGroupSummary", + "locationName": "eventBridgeRuleTemplateGroups" + }, + "NextToken": { + "shape": "__stringMin1Max2048", + "locationName": "nextToken", + "documentation": "A token used to retrieve the next set of results in paginated list responses." + } + }, + "required": [ + "EventBridgeRuleTemplateGroups" + ], + "documentation": "Placeholder documentation for ListEventBridgeRuleTemplateGroupsResponseContent" }, - "BadRequestExceptionResponseContent": { + "ListEventBridgeRuleTemplatesRequest": { "type": "structure", "members": { - "Message": { + "GroupIdentifier": { "shape": "__string", - "locationName": "message", - "documentation": "Exception error message." + "location": "querystring", + "locationName": "groupIdentifier", + "documentation": "An eventbridge rule template group's identifier. Can be either be its id or current name." + }, + "MaxResults": { + "shape": "MaxResults", + "location": "querystring", + "locationName": "maxResults" + }, + "NextToken": { + "shape": "__string", + "location": "querystring", + "locationName": "nextToken", + "documentation": "A token used to retrieve the next set of results in paginated list responses." + }, + "SignalMapIdentifier": { + "shape": "__string", + "location": "querystring", + "locationName": "signalMapIdentifier", + "documentation": "A signal map's identifier. Can be either be its id or current name." } }, - "documentation": "The input fails to satisfy the constraints specified by an AWS service." - }, - "CloudWatchAlarmTemplateComparisonOperator": { - "type": "string", - "documentation": "The comparison operator used to compare the specified statistic and the threshold.", - "enum": [ - "GreaterThanOrEqualToThreshold", - "GreaterThanThreshold", - "LessThanThreshold", - "LessThanOrEqualToThreshold" - ] + "documentation": "Placeholder documentation for ListEventBridgeRuleTemplatesRequest" }, - "CloudWatchAlarmTemplateGroupSummary": { + "ListEventBridgeRuleTemplatesResponse": { "type": "structure", "members": { - "Arn": { - "shape": "__stringPatternArnMedialiveCloudwatchAlarmTemplateGroup", - "locationName": "arn", - "documentation": "A cloudwatch alarm template group's ARN (Amazon Resource Name)" - }, - "CreatedAt": { - "shape": "__timestampIso8601", - "locationName": "createdAt" - }, - "Description": { - "shape": "__stringMin0Max1024", - "locationName": "description", - "documentation": "A resource's optional description." - }, - "Id": { - "shape": "__stringMin7Max11PatternAws097", - "locationName": "id", - "documentation": "A cloudwatch alarm template group's id. AWS provided template groups have ids that start with `aws-`" - }, - "ModifiedAt": { - "shape": "__timestampIso8601", - "locationName": "modifiedAt" - }, - "Name": { - "shape": "__stringMin1Max255PatternS", - "locationName": "name", - "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + "EventBridgeRuleTemplates": { + "shape": "__listOfEventBridgeRuleTemplateSummary", + "locationName": "eventBridgeRuleTemplates" }, - "Tags": { - "shape": "TagMap", - "locationName": "tags" + "NextToken": { + "shape": "__stringMin1Max2048", + "locationName": "nextToken", + "documentation": "A token used to retrieve the next set of results in paginated list responses." + } + }, + "documentation": "Placeholder documentation for ListEventBridgeRuleTemplatesResponse" + }, + "ListEventBridgeRuleTemplatesResponseContent": { + "type": "structure", + "members": { + "EventBridgeRuleTemplates": { + "shape": "__listOfEventBridgeRuleTemplateSummary", + "locationName": "eventBridgeRuleTemplates" }, - "TemplateCount": { - "shape": "__integer", - "locationName": "templateCount", - "documentation": "The number of templates in a group." + "NextToken": { + "shape": "__stringMin1Max2048", + "locationName": "nextToken", + "documentation": "A token used to retrieve the next set of results in paginated list responses." } }, "required": [ - "TemplateCount", - "CreatedAt", - "Id", - "Arn", - "Name" + "EventBridgeRuleTemplates" ], - "documentation": "Placeholder documentation for CloudWatchAlarmTemplateGroupSummary" - }, - "CloudWatchAlarmTemplateStatistic": { - "type": "string", - "documentation": "The statistic to apply to the alarm's metric data.", - "enum": [ - "SampleCount", - "Average", - "Sum", - "Minimum", - "Maximum" - ] + "documentation": "Placeholder documentation for ListEventBridgeRuleTemplatesResponseContent" }, - "CloudWatchAlarmTemplateSummary": { + "ListSignalMapsRequest": { "type": "structure", "members": { - "Arn": { - "shape": "__stringPatternArnMedialiveCloudwatchAlarmTemplate", - "locationName": "arn", - "documentation": "A cloudwatch alarm template's ARN (Amazon Resource Name)" - }, - "ComparisonOperator": { - "shape": "CloudWatchAlarmTemplateComparisonOperator", - "locationName": "comparisonOperator" - }, - "CreatedAt": { - "shape": "__timestampIso8601", - "locationName": "createdAt" - }, - "DatapointsToAlarm": { - "shape": "__integerMin1", - "locationName": "datapointsToAlarm", - "documentation": "The number of datapoints within the evaluation period that must be breaching to trigger the alarm." - }, - "Description": { - "shape": "__stringMin0Max1024", - "locationName": "description", - "documentation": "A resource's optional description." - }, - "EvaluationPeriods": { - "shape": "__integerMin1", - "locationName": "evaluationPeriods", - "documentation": "The number of periods over which data is compared to the specified threshold." - }, - "GroupId": { - "shape": "__stringMin7Max11PatternAws097", - "locationName": "groupId", - "documentation": "A cloudwatch alarm template group's id. AWS provided template groups have ids that start with `aws-`" - }, - "Id": { - "shape": "__stringMin7Max11PatternAws097", - "locationName": "id", - "documentation": "A cloudwatch alarm template's id. AWS provided templates have ids that start with `aws-`" - }, - "MetricName": { - "shape": "__stringMax64", - "locationName": "metricName", - "documentation": "The name of the metric associated with the alarm. Must be compatible with targetResourceType." - }, - "ModifiedAt": { - "shape": "__timestampIso8601", - "locationName": "modifiedAt" - }, - "Name": { - "shape": "__stringMin1Max255PatternS", - "locationName": "name", - "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." - }, - "Period": { - "shape": "__integerMin10Max86400", - "locationName": "period", - "documentation": "The period, in seconds, over which the specified statistic is applied." - }, - "Statistic": { - "shape": "CloudWatchAlarmTemplateStatistic", - "locationName": "statistic" - }, - "Tags": { - "shape": "TagMap", - "locationName": "tags" + "CloudWatchAlarmTemplateGroupIdentifier": { + "shape": "__string", + "location": "querystring", + "locationName": "cloudWatchAlarmTemplateGroupIdentifier", + "documentation": "A cloudwatch alarm template group's identifier. Can be either be its id or current name." }, - "TargetResourceType": { - "shape": "CloudWatchAlarmTemplateTargetResourceType", - "locationName": "targetResourceType" + "EventBridgeRuleTemplateGroupIdentifier": { + "shape": "__string", + "location": "querystring", + "locationName": "eventBridgeRuleTemplateGroupIdentifier", + "documentation": "An eventbridge rule template group's identifier. Can be either be its id or current name." }, - "Threshold": { - "shape": "__double", - "locationName": "threshold", - "documentation": "The threshold value to compare with the specified statistic." + "MaxResults": { + "shape": "MaxResults", + "location": "querystring", + "locationName": "maxResults" }, - "TreatMissingData": { - "shape": "CloudWatchAlarmTemplateTreatMissingData", - "locationName": "treatMissingData" + "NextToken": { + "shape": "__string", + "location": "querystring", + "locationName": "nextToken", + "documentation": "A token used to retrieve the next set of results in paginated list responses." } }, - "required": [ - "TargetResourceType", - "TreatMissingData", - "ComparisonOperator", - "CreatedAt", - "Period", - "EvaluationPeriods", - "Name", - "GroupId", - "MetricName", - "Statistic", - "Id", - "Arn", - "Threshold" - ], - "documentation": "Placeholder documentation for CloudWatchAlarmTemplateSummary" - }, - "CloudWatchAlarmTemplateTargetResourceType": { - "type": "string", - "documentation": "The resource type this template should dynamically generate cloudwatch metric alarms for.", - "enum": [ - "CLOUDFRONT_DISTRIBUTION", - "MEDIALIVE_MULTIPLEX", - "MEDIALIVE_CHANNEL", - "MEDIALIVE_INPUT_DEVICE", - "MEDIAPACKAGE_CHANNEL", - "MEDIAPACKAGE_ORIGIN_ENDPOINT", - "MEDIACONNECT_FLOW", - "S3_BUCKET" - ] + "documentation": "Placeholder documentation for ListSignalMapsRequest" }, - "CloudWatchAlarmTemplateTreatMissingData": { - "type": "string", - "documentation": "Specifies how missing data points are treated when evaluating the alarm's condition.", - "enum": [ - "notBreaching", - "breaching", - "ignore", - "missing" - ] + "ListSignalMapsResponse": { + "type": "structure", + "members": { + "NextToken": { + "shape": "__stringMin1Max2048", + "locationName": "nextToken", + "documentation": "A token used to retrieve the next set of results in paginated list responses." + }, + "SignalMaps": { + "shape": "__listOfSignalMapSummary", + "locationName": "signalMaps" + } + }, + "documentation": "Placeholder documentation for ListSignalMapsResponse" }, - "ConflictExceptionResponseContent": { + "ListSignalMapsResponseContent": { "type": "structure", "members": { - "Message": { - "shape": "__string", - "locationName": "message", - "documentation": "Exception error message." + "NextToken": { + "shape": "__stringMin1Max2048", + "locationName": "nextToken", + "documentation": "A token used to retrieve the next set of results in paginated list responses." + }, + "SignalMaps": { + "shape": "__listOfSignalMapSummary", + "locationName": "signalMaps" } }, - "documentation": "Updating or deleting a resource can cause an inconsistent state." + "required": [ + "SignalMaps" + ], + "documentation": "Placeholder documentation for ListSignalMapsResponseContent" }, - "CreateCloudWatchAlarmTemplateGroupRequest": { + "MediaResource": { "type": "structure", "members": { - "Description": { - "shape": "__stringMin0Max1024", - "locationName": "description", - "documentation": "A resource's optional description." + "Destinations": { + "shape": "__listOfMediaResourceNeighbor", + "locationName": "destinations" }, "Name": { - "shape": "__stringMin1Max255PatternS", + "shape": "__stringMin1Max256", "locationName": "name", - "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + "documentation": "The logical name of an AWS media resource." }, - "Tags": { - "shape": "TagMap", - "locationName": "tags" + "Sources": { + "shape": "__listOfMediaResourceNeighbor", + "locationName": "sources" } }, - "required": [ - "Name" - ], - "documentation": "Placeholder documentation for CreateCloudWatchAlarmTemplateGroupRequest" + "documentation": "An AWS resource used in media workflows." }, - "CreateCloudWatchAlarmTemplateGroupRequestContent": { + "MediaResourceMap": { + "type": "map", + "documentation": "A map representing an AWS media workflow as a graph.", + "key": { + "shape": "__string" + }, + "value": { + "shape": "MediaResource" + } + }, + "MediaResourceNeighbor": { "type": "structure", "members": { - "Description": { - "shape": "__stringMin0Max1024", - "locationName": "description", - "documentation": "A resource's optional description." + "Arn": { + "shape": "__stringMin1Max2048PatternArn", + "locationName": "arn", + "documentation": "The ARN of a resource used in AWS media workflows." }, "Name": { - "shape": "__stringMin1Max255PatternS", + "shape": "__stringMin1Max256", "locationName": "name", - "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + "documentation": "The logical name of an AWS media resource." + } + }, + "documentation": "A direct source or destination neighbor to an AWS media resource.", + "required": [ + "Arn" + ] + }, + "MonitorDeployment": { + "type": "structure", + "members": { + "DetailsUri": { + "shape": "__stringMin1Max2048", + "locationName": "detailsUri", + "documentation": "URI associated with a signal map's monitor deployment." }, - "Tags": { - "shape": "TagMap", - "locationName": "tags" + "ErrorMessage": { + "shape": "__stringMin1Max2048", + "locationName": "errorMessage", + "documentation": "Error message associated with a failed monitor deployment of a signal map." + }, + "Status": { + "shape": "SignalMapMonitorDeploymentStatus", + "locationName": "status" } }, + "documentation": "Represents the latest monitor deployment of a signal map.", "required": [ - "Name" - ], - "documentation": "Placeholder documentation for CreateCloudWatchAlarmTemplateGroupRequestContent" + "Status" + ] }, - "CreateCloudWatchAlarmTemplateGroupResponse": { + "NotFoundExceptionResponseContent": { + "type": "structure", + "members": { + "Message": { + "shape": "__string", + "locationName": "message", + "documentation": "Exception error message." + } + }, + "documentation": "Request references a resource which does not exist." + }, + "SignalMapMonitorDeploymentStatus": { + "type": "string", + "documentation": "A signal map's monitor deployment status.", + "enum": [ + "NOT_DEPLOYED", + "DRY_RUN_DEPLOYMENT_COMPLETE", + "DRY_RUN_DEPLOYMENT_FAILED", + "DRY_RUN_DEPLOYMENT_IN_PROGRESS", + "DEPLOYMENT_COMPLETE", + "DEPLOYMENT_FAILED", + "DEPLOYMENT_IN_PROGRESS", + "DELETE_COMPLETE", + "DELETE_FAILED", + "DELETE_IN_PROGRESS" + ] + }, + "SignalMapStatus": { + "type": "string", + "documentation": "A signal map's current status which is dependent on its lifecycle actions or associated jobs.", + "enum": [ + "CREATE_IN_PROGRESS", + "CREATE_COMPLETE", + "CREATE_FAILED", + "UPDATE_IN_PROGRESS", + "UPDATE_COMPLETE", + "UPDATE_REVERTED", + "UPDATE_FAILED", + "READY", + "NOT_READY" + ] + }, + "SignalMapSummary": { "type": "structure", "members": { "Arn": { - "shape": "__stringPatternArnMedialiveCloudwatchAlarmTemplateGroup", + "shape": "__stringPatternArnMedialiveSignalMap", "locationName": "arn", - "documentation": "A cloudwatch alarm template group's ARN (Amazon Resource Name)" + "documentation": "A signal map's ARN (Amazon Resource Name)" }, "CreatedAt": { "shape": "__timestampIso8601", @@ -19795,31 +23337,66 @@ "Id": { "shape": "__stringMin7Max11PatternAws097", "locationName": "id", - "documentation": "A cloudwatch alarm template group's id. AWS provided template groups have ids that start with `aws-`" + "documentation": "A signal map's id." }, "ModifiedAt": { "shape": "__timestampIso8601", "locationName": "modifiedAt" }, + "MonitorDeploymentStatus": { + "shape": "SignalMapMonitorDeploymentStatus", + "locationName": "monitorDeploymentStatus" + }, "Name": { "shape": "__stringMin1Max255PatternS", "locationName": "name", "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." }, + "Status": { + "shape": "SignalMapStatus", + "locationName": "status" + }, "Tags": { "shape": "TagMap", "locationName": "tags" } }, - "documentation": "Placeholder documentation for CreateCloudWatchAlarmTemplateGroupResponse" + "required": [ + "Status", + "MonitorDeploymentStatus", + "CreatedAt", + "Id", + "Arn", + "Name" + ], + "documentation": "Placeholder documentation for SignalMapSummary" }, - "CreateCloudWatchAlarmTemplateGroupResponseContent": { + "StartDeleteMonitorDeploymentRequest": { + "type": "structure", + "members": { + "Identifier": { + "shape": "__string", + "location": "uri", + "locationName": "identifier", + "documentation": "A signal map's identifier. Can be either be its id or current name." + } + }, + "required": [ + "Identifier" + ], + "documentation": "Placeholder documentation for StartDeleteMonitorDeploymentRequest" + }, + "StartDeleteMonitorDeploymentResponse": { "type": "structure", "members": { "Arn": { - "shape": "__stringPatternArnMedialiveCloudwatchAlarmTemplateGroup", + "shape": "__stringPatternArnMedialiveSignalMap", "locationName": "arn", - "documentation": "A cloudwatch alarm template group's ARN (Amazon Resource Name)" + "documentation": "A signal map's ARN (Amazon Resource Name)" + }, + "CloudWatchAlarmTemplateGroupIds": { + "shape": "__listOf__stringMin7Max11PatternAws097", + "locationName": "cloudWatchAlarmTemplateGroupIds" }, "CreatedAt": { "shape": "__timestampIso8601", @@ -19830,425 +23407,460 @@ "locationName": "description", "documentation": "A resource's optional description." }, + "DiscoveryEntryPointArn": { + "shape": "__stringMin1Max2048", + "locationName": "discoveryEntryPointArn", + "documentation": "A top-level supported AWS resource ARN to discovery a signal map from." + }, + "ErrorMessage": { + "shape": "__stringMin1Max2048", + "locationName": "errorMessage", + "documentation": "Error message associated with a failed creation or failed update attempt of a signal map." + }, + "EventBridgeRuleTemplateGroupIds": { + "shape": "__listOf__stringMin7Max11PatternAws097", + "locationName": "eventBridgeRuleTemplateGroupIds" + }, + "FailedMediaResourceMap": { + "shape": "FailedMediaResourceMap", + "locationName": "failedMediaResourceMap" + }, "Id": { "shape": "__stringMin7Max11PatternAws097", "locationName": "id", - "documentation": "A cloudwatch alarm template group's id. AWS provided template groups have ids that start with `aws-`" + "documentation": "A signal map's id." }, - "ModifiedAt": { + "LastDiscoveredAt": { "shape": "__timestampIso8601", - "locationName": "modifiedAt" - }, - "Name": { - "shape": "__stringMin1Max255PatternS", - "locationName": "name", - "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." - }, - "Tags": { - "shape": "TagMap", - "locationName": "tags" - } - }, - "required": [ - "CreatedAt", - "Id", - "Arn", - "Name" - ], - "documentation": "Placeholder documentation for CreateCloudWatchAlarmTemplateGroupResponseContent" - }, - "CreateCloudWatchAlarmTemplateRequest": { - "type": "structure", - "members": { - "ComparisonOperator": { - "shape": "CloudWatchAlarmTemplateComparisonOperator", - "locationName": "comparisonOperator" + "locationName": "lastDiscoveredAt" }, - "DatapointsToAlarm": { - "shape": "__integerMin1", - "locationName": "datapointsToAlarm", - "documentation": "The number of datapoints within the evaluation period that must be breaching to trigger the alarm." + "LastSuccessfulMonitorDeployment": { + "shape": "SuccessfulMonitorDeployment", + "locationName": "lastSuccessfulMonitorDeployment" }, - "Description": { - "shape": "__stringMin0Max1024", - "locationName": "description", - "documentation": "A resource's optional description." + "MediaResourceMap": { + "shape": "MediaResourceMap", + "locationName": "mediaResourceMap" }, - "EvaluationPeriods": { - "shape": "__integerMin1", - "locationName": "evaluationPeriods", - "documentation": "The number of periods over which data is compared to the specified threshold." + "ModifiedAt": { + "shape": "__timestampIso8601", + "locationName": "modifiedAt" }, - "GroupIdentifier": { - "shape": "__stringPatternS", - "locationName": "groupIdentifier", - "documentation": "A cloudwatch alarm template group's identifier. Can be either be its id or current name." + "MonitorChangesPendingDeployment": { + "shape": "__boolean", + "locationName": "monitorChangesPendingDeployment", + "documentation": "If true, there are pending monitor changes for this signal map that can be deployed." }, - "MetricName": { - "shape": "__stringMax64", - "locationName": "metricName", - "documentation": "The name of the metric associated with the alarm. Must be compatible with targetResourceType." + "MonitorDeployment": { + "shape": "MonitorDeployment", + "locationName": "monitorDeployment" }, "Name": { "shape": "__stringMin1Max255PatternS", "locationName": "name", "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." }, - "Period": { - "shape": "__integerMin10Max86400", - "locationName": "period", - "documentation": "The period, in seconds, over which the specified statistic is applied." - }, - "Statistic": { - "shape": "CloudWatchAlarmTemplateStatistic", - "locationName": "statistic" + "Status": { + "shape": "SignalMapStatus", + "locationName": "status" }, "Tags": { "shape": "TagMap", "locationName": "tags" - }, - "TargetResourceType": { - "shape": "CloudWatchAlarmTemplateTargetResourceType", - "locationName": "targetResourceType" - }, - "Threshold": { - "shape": "__double", - "locationName": "threshold", - "documentation": "The threshold value to compare with the specified statistic." - }, - "TreatMissingData": { - "shape": "CloudWatchAlarmTemplateTreatMissingData", - "locationName": "treatMissingData" } }, - "required": [ - "TargetResourceType", - "MetricName", - "TreatMissingData", - "ComparisonOperator", - "Statistic", - "Period", - "EvaluationPeriods", - "Threshold", - "Name", - "GroupIdentifier" - ], - "documentation": "Placeholder documentation for CreateCloudWatchAlarmTemplateRequest" + "documentation": "Placeholder documentation for StartDeleteMonitorDeploymentResponse" }, - "CreateCloudWatchAlarmTemplateRequestContent": { + "StartDeleteMonitorDeploymentResponseContent": { "type": "structure", "members": { - "ComparisonOperator": { - "shape": "CloudWatchAlarmTemplateComparisonOperator", - "locationName": "comparisonOperator" + "Arn": { + "shape": "__stringPatternArnMedialiveSignalMap", + "locationName": "arn", + "documentation": "A signal map's ARN (Amazon Resource Name)" }, - "DatapointsToAlarm": { - "shape": "__integerMin1", - "locationName": "datapointsToAlarm", - "documentation": "The number of datapoints within the evaluation period that must be breaching to trigger the alarm." + "CloudWatchAlarmTemplateGroupIds": { + "shape": "__listOf__stringMin7Max11PatternAws097", + "locationName": "cloudWatchAlarmTemplateGroupIds" + }, + "CreatedAt": { + "shape": "__timestampIso8601", + "locationName": "createdAt" }, "Description": { "shape": "__stringMin0Max1024", "locationName": "description", "documentation": "A resource's optional description." }, - "EvaluationPeriods": { - "shape": "__integerMin1", - "locationName": "evaluationPeriods", - "documentation": "The number of periods over which data is compared to the specified threshold." + "DiscoveryEntryPointArn": { + "shape": "__stringMin1Max2048", + "locationName": "discoveryEntryPointArn", + "documentation": "A top-level supported AWS resource ARN to discovery a signal map from." }, - "GroupIdentifier": { - "shape": "__stringPatternS", - "locationName": "groupIdentifier", - "documentation": "A cloudwatch alarm template group's identifier. Can be either be its id or current name." + "ErrorMessage": { + "shape": "__stringMin1Max2048", + "locationName": "errorMessage", + "documentation": "Error message associated with a failed creation or failed update attempt of a signal map." }, - "MetricName": { - "shape": "__stringMax64", - "locationName": "metricName", - "documentation": "The name of the metric associated with the alarm. Must be compatible with targetResourceType." + "EventBridgeRuleTemplateGroupIds": { + "shape": "__listOf__stringMin7Max11PatternAws097", + "locationName": "eventBridgeRuleTemplateGroupIds" + }, + "FailedMediaResourceMap": { + "shape": "FailedMediaResourceMap", + "locationName": "failedMediaResourceMap" + }, + "Id": { + "shape": "__stringMin7Max11PatternAws097", + "locationName": "id", + "documentation": "A signal map's id." + }, + "LastDiscoveredAt": { + "shape": "__timestampIso8601", + "locationName": "lastDiscoveredAt" + }, + "LastSuccessfulMonitorDeployment": { + "shape": "SuccessfulMonitorDeployment", + "locationName": "lastSuccessfulMonitorDeployment" + }, + "MediaResourceMap": { + "shape": "MediaResourceMap", + "locationName": "mediaResourceMap" + }, + "ModifiedAt": { + "shape": "__timestampIso8601", + "locationName": "modifiedAt" + }, + "MonitorChangesPendingDeployment": { + "shape": "__boolean", + "locationName": "monitorChangesPendingDeployment", + "documentation": "If true, there are pending monitor changes for this signal map that can be deployed." + }, + "MonitorDeployment": { + "shape": "MonitorDeployment", + "locationName": "monitorDeployment" }, "Name": { "shape": "__stringMin1Max255PatternS", "locationName": "name", "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." }, - "Period": { - "shape": "__integerMin10Max86400", - "locationName": "period", - "documentation": "The period, in seconds, over which the specified statistic is applied." - }, - "Statistic": { - "shape": "CloudWatchAlarmTemplateStatistic", - "locationName": "statistic" + "Status": { + "shape": "SignalMapStatus", + "locationName": "status" }, "Tags": { "shape": "TagMap", "locationName": "tags" - }, - "TargetResourceType": { - "shape": "CloudWatchAlarmTemplateTargetResourceType", - "locationName": "targetResourceType" - }, - "Threshold": { - "shape": "__double", - "locationName": "threshold", - "documentation": "The threshold value to compare with the specified statistic." - }, - "TreatMissingData": { - "shape": "CloudWatchAlarmTemplateTreatMissingData", - "locationName": "treatMissingData" } }, "required": [ - "TargetResourceType", - "MetricName", - "TreatMissingData", - "ComparisonOperator", - "Statistic", - "Period", - "EvaluationPeriods", - "Threshold", + "Status", + "CreatedAt", "Name", - "GroupIdentifier" + "Id", + "Arn", + "DiscoveryEntryPointArn", + "MonitorChangesPendingDeployment" ], - "documentation": "Placeholder documentation for CreateCloudWatchAlarmTemplateRequestContent" + "documentation": "Placeholder documentation for StartDeleteMonitorDeploymentResponseContent" }, - "CreateCloudWatchAlarmTemplateResponse": { + "StartMonitorDeploymentRequest": { + "type": "structure", + "members": { + "DryRun": { + "shape": "__boolean", + "locationName": "dryRun" + }, + "Identifier": { + "shape": "__string", + "location": "uri", + "locationName": "identifier", + "documentation": "A signal map's identifier. Can be either be its id or current name." + } + }, + "required": [ + "Identifier" + ], + "documentation": "Placeholder documentation for StartMonitorDeploymentRequest" + }, + "StartMonitorDeploymentRequestContent": { + "type": "structure", + "members": { + "DryRun": { + "shape": "__boolean", + "locationName": "dryRun" + } + }, + "documentation": "Placeholder documentation for StartMonitorDeploymentRequestContent" + }, + "StartMonitorDeploymentResponse": { "type": "structure", "members": { "Arn": { - "shape": "__stringPatternArnMedialiveCloudwatchAlarmTemplate", + "shape": "__stringPatternArnMedialiveSignalMap", "locationName": "arn", - "documentation": "A cloudwatch alarm template's ARN (Amazon Resource Name)" + "documentation": "A signal map's ARN (Amazon Resource Name)" }, - "ComparisonOperator": { - "shape": "CloudWatchAlarmTemplateComparisonOperator", - "locationName": "comparisonOperator" + "CloudWatchAlarmTemplateGroupIds": { + "shape": "__listOf__stringMin7Max11PatternAws097", + "locationName": "cloudWatchAlarmTemplateGroupIds" }, "CreatedAt": { "shape": "__timestampIso8601", "locationName": "createdAt" }, - "DatapointsToAlarm": { - "shape": "__integerMin1", - "locationName": "datapointsToAlarm", - "documentation": "The number of datapoints within the evaluation period that must be breaching to trigger the alarm." - }, "Description": { "shape": "__stringMin0Max1024", "locationName": "description", "documentation": "A resource's optional description." }, - "EvaluationPeriods": { - "shape": "__integerMin1", - "locationName": "evaluationPeriods", - "documentation": "The number of periods over which data is compared to the specified threshold." + "DiscoveryEntryPointArn": { + "shape": "__stringMin1Max2048", + "locationName": "discoveryEntryPointArn", + "documentation": "A top-level supported AWS resource ARN to discovery a signal map from." }, - "GroupId": { - "shape": "__stringMin7Max11PatternAws097", - "locationName": "groupId", - "documentation": "A cloudwatch alarm template group's id. AWS provided template groups have ids that start with `aws-`" + "ErrorMessage": { + "shape": "__stringMin1Max2048", + "locationName": "errorMessage", + "documentation": "Error message associated with a failed creation or failed update attempt of a signal map." + }, + "EventBridgeRuleTemplateGroupIds": { + "shape": "__listOf__stringMin7Max11PatternAws097", + "locationName": "eventBridgeRuleTemplateGroupIds" + }, + "FailedMediaResourceMap": { + "shape": "FailedMediaResourceMap", + "locationName": "failedMediaResourceMap" }, "Id": { "shape": "__stringMin7Max11PatternAws097", "locationName": "id", - "documentation": "A cloudwatch alarm template's id. AWS provided templates have ids that start with `aws-`" + "documentation": "A signal map's id." + }, + "LastDiscoveredAt": { + "shape": "__timestampIso8601", + "locationName": "lastDiscoveredAt" }, - "MetricName": { - "shape": "__stringMax64", - "locationName": "metricName", - "documentation": "The name of the metric associated with the alarm. Must be compatible with targetResourceType." + "LastSuccessfulMonitorDeployment": { + "shape": "SuccessfulMonitorDeployment", + "locationName": "lastSuccessfulMonitorDeployment" + }, + "MediaResourceMap": { + "shape": "MediaResourceMap", + "locationName": "mediaResourceMap" }, "ModifiedAt": { "shape": "__timestampIso8601", "locationName": "modifiedAt" }, + "MonitorChangesPendingDeployment": { + "shape": "__boolean", + "locationName": "monitorChangesPendingDeployment", + "documentation": "If true, there are pending monitor changes for this signal map that can be deployed." + }, + "MonitorDeployment": { + "shape": "MonitorDeployment", + "locationName": "monitorDeployment" + }, "Name": { "shape": "__stringMin1Max255PatternS", "locationName": "name", "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." }, - "Period": { - "shape": "__integerMin10Max86400", - "locationName": "period", - "documentation": "The period, in seconds, over which the specified statistic is applied." - }, - "Statistic": { - "shape": "CloudWatchAlarmTemplateStatistic", - "locationName": "statistic" + "Status": { + "shape": "SignalMapStatus", + "locationName": "status" }, "Tags": { "shape": "TagMap", "locationName": "tags" - }, - "TargetResourceType": { - "shape": "CloudWatchAlarmTemplateTargetResourceType", - "locationName": "targetResourceType" - }, - "Threshold": { - "shape": "__double", - "locationName": "threshold", - "documentation": "The threshold value to compare with the specified statistic." - }, - "TreatMissingData": { - "shape": "CloudWatchAlarmTemplateTreatMissingData", - "locationName": "treatMissingData" } }, - "documentation": "Placeholder documentation for CreateCloudWatchAlarmTemplateResponse" + "documentation": "Placeholder documentation for StartMonitorDeploymentResponse" }, - "CreateCloudWatchAlarmTemplateResponseContent": { + "StartMonitorDeploymentResponseContent": { "type": "structure", "members": { "Arn": { - "shape": "__stringPatternArnMedialiveCloudwatchAlarmTemplate", + "shape": "__stringPatternArnMedialiveSignalMap", "locationName": "arn", - "documentation": "A cloudwatch alarm template's ARN (Amazon Resource Name)" + "documentation": "A signal map's ARN (Amazon Resource Name)" }, - "ComparisonOperator": { - "shape": "CloudWatchAlarmTemplateComparisonOperator", - "locationName": "comparisonOperator" + "CloudWatchAlarmTemplateGroupIds": { + "shape": "__listOf__stringMin7Max11PatternAws097", + "locationName": "cloudWatchAlarmTemplateGroupIds" }, "CreatedAt": { "shape": "__timestampIso8601", "locationName": "createdAt" }, - "DatapointsToAlarm": { - "shape": "__integerMin1", - "locationName": "datapointsToAlarm", - "documentation": "The number of datapoints within the evaluation period that must be breaching to trigger the alarm." - }, "Description": { "shape": "__stringMin0Max1024", "locationName": "description", "documentation": "A resource's optional description." }, - "EvaluationPeriods": { - "shape": "__integerMin1", - "locationName": "evaluationPeriods", - "documentation": "The number of periods over which data is compared to the specified threshold." + "DiscoveryEntryPointArn": { + "shape": "__stringMin1Max2048", + "locationName": "discoveryEntryPointArn", + "documentation": "A top-level supported AWS resource ARN to discovery a signal map from." }, - "GroupId": { - "shape": "__stringMin7Max11PatternAws097", - "locationName": "groupId", - "documentation": "A cloudwatch alarm template group's id. AWS provided template groups have ids that start with `aws-`" + "ErrorMessage": { + "shape": "__stringMin1Max2048", + "locationName": "errorMessage", + "documentation": "Error message associated with a failed creation or failed update attempt of a signal map." + }, + "EventBridgeRuleTemplateGroupIds": { + "shape": "__listOf__stringMin7Max11PatternAws097", + "locationName": "eventBridgeRuleTemplateGroupIds" + }, + "FailedMediaResourceMap": { + "shape": "FailedMediaResourceMap", + "locationName": "failedMediaResourceMap" }, "Id": { "shape": "__stringMin7Max11PatternAws097", "locationName": "id", - "documentation": "A cloudwatch alarm template's id. AWS provided templates have ids that start with `aws-`" + "documentation": "A signal map's id." }, - "MetricName": { - "shape": "__stringMax64", - "locationName": "metricName", - "documentation": "The name of the metric associated with the alarm. Must be compatible with targetResourceType." + "LastDiscoveredAt": { + "shape": "__timestampIso8601", + "locationName": "lastDiscoveredAt" + }, + "LastSuccessfulMonitorDeployment": { + "shape": "SuccessfulMonitorDeployment", + "locationName": "lastSuccessfulMonitorDeployment" + }, + "MediaResourceMap": { + "shape": "MediaResourceMap", + "locationName": "mediaResourceMap" }, "ModifiedAt": { "shape": "__timestampIso8601", "locationName": "modifiedAt" }, + "MonitorChangesPendingDeployment": { + "shape": "__boolean", + "locationName": "monitorChangesPendingDeployment", + "documentation": "If true, there are pending monitor changes for this signal map that can be deployed." + }, + "MonitorDeployment": { + "shape": "MonitorDeployment", + "locationName": "monitorDeployment" + }, "Name": { "shape": "__stringMin1Max255PatternS", "locationName": "name", "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." }, - "Period": { - "shape": "__integerMin10Max86400", - "locationName": "period", - "documentation": "The period, in seconds, over which the specified statistic is applied." - }, - "Statistic": { - "shape": "CloudWatchAlarmTemplateStatistic", - "locationName": "statistic" + "Status": { + "shape": "SignalMapStatus", + "locationName": "status" }, "Tags": { "shape": "TagMap", "locationName": "tags" - }, - "TargetResourceType": { - "shape": "CloudWatchAlarmTemplateTargetResourceType", - "locationName": "targetResourceType" - }, - "Threshold": { - "shape": "__double", - "locationName": "threshold", - "documentation": "The threshold value to compare with the specified statistic." - }, - "TreatMissingData": { - "shape": "CloudWatchAlarmTemplateTreatMissingData", - "locationName": "treatMissingData" } }, "required": [ - "TargetResourceType", - "TreatMissingData", - "ComparisonOperator", + "Status", "CreatedAt", - "Period", - "EvaluationPeriods", "Name", - "GroupId", - "MetricName", - "Statistic", "Id", "Arn", - "Threshold" + "DiscoveryEntryPointArn", + "MonitorChangesPendingDeployment" ], - "documentation": "Placeholder documentation for CreateCloudWatchAlarmTemplateResponseContent" + "documentation": "Placeholder documentation for StartMonitorDeploymentResponseContent" }, - "CreateEventBridgeRuleTemplateGroupRequest": { + "StartUpdateSignalMapRequest": { "type": "structure", "members": { + "CloudWatchAlarmTemplateGroupIdentifiers": { + "shape": "__listOf__stringPatternS", + "locationName": "cloudWatchAlarmTemplateGroupIdentifiers" + }, "Description": { "shape": "__stringMin0Max1024", "locationName": "description", "documentation": "A resource's optional description." }, + "DiscoveryEntryPointArn": { + "shape": "__stringMin1Max2048", + "locationName": "discoveryEntryPointArn", + "documentation": "A top-level supported AWS resource ARN to discovery a signal map from." + }, + "EventBridgeRuleTemplateGroupIdentifiers": { + "shape": "__listOf__stringPatternS", + "locationName": "eventBridgeRuleTemplateGroupIdentifiers" + }, + "ForceRediscovery": { + "shape": "__boolean", + "locationName": "forceRediscovery", + "documentation": "If true, will force a rediscovery of a signal map if an unchanged discoveryEntryPointArn is provided." + }, + "Identifier": { + "shape": "__string", + "location": "uri", + "locationName": "identifier", + "documentation": "A signal map's identifier. Can be either be its id or current name." + }, "Name": { "shape": "__stringMin1Max255PatternS", "locationName": "name", "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." - }, - "Tags": { - "shape": "TagMap", - "locationName": "tags" } }, "required": [ - "Name" + "Identifier" ], - "documentation": "Placeholder documentation for CreateEventBridgeRuleTemplateGroupRequest" + "documentation": "Placeholder documentation for StartUpdateSignalMapRequest" }, - "CreateEventBridgeRuleTemplateGroupRequestContent": { + "StartUpdateSignalMapRequestContent": { "type": "structure", "members": { + "CloudWatchAlarmTemplateGroupIdentifiers": { + "shape": "__listOf__stringPatternS", + "locationName": "cloudWatchAlarmTemplateGroupIdentifiers" + }, "Description": { "shape": "__stringMin0Max1024", "locationName": "description", "documentation": "A resource's optional description." }, + "DiscoveryEntryPointArn": { + "shape": "__stringMin1Max2048", + "locationName": "discoveryEntryPointArn", + "documentation": "A top-level supported AWS resource ARN to discovery a signal map from." + }, + "EventBridgeRuleTemplateGroupIdentifiers": { + "shape": "__listOf__stringPatternS", + "locationName": "eventBridgeRuleTemplateGroupIdentifiers" + }, + "ForceRediscovery": { + "shape": "__boolean", + "locationName": "forceRediscovery", + "documentation": "If true, will force a rediscovery of a signal map if an unchanged discoveryEntryPointArn is provided." + }, "Name": { "shape": "__stringMin1Max255PatternS", "locationName": "name", "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." - }, - "Tags": { - "shape": "TagMap", - "locationName": "tags" } }, - "required": [ - "Name" - ], - "documentation": "Placeholder documentation for CreateEventBridgeRuleTemplateGroupRequestContent" + "documentation": "Placeholder documentation for StartUpdateSignalMapRequestContent" }, - "CreateEventBridgeRuleTemplateGroupResponse": { + "StartUpdateSignalMapResponse": { "type": "structure", "members": { "Arn": { - "shape": "__stringPatternArnMedialiveEventbridgeRuleTemplateGroup", + "shape": "__stringPatternArnMedialiveSignalMap", "locationName": "arn", - "documentation": "An eventbridge rule template group's ARN (Amazon Resource Name)" + "documentation": "A signal map's ARN (Amazon Resource Name)" + }, + "CloudWatchAlarmTemplateGroupIds": { + "shape": "__listOf__stringMin7Max11PatternAws097", + "locationName": "cloudWatchAlarmTemplateGroupIds" }, "CreatedAt": { "shape": "__timestampIso8601", @@ -20259,34 +23871,81 @@ "locationName": "description", "documentation": "A resource's optional description." }, + "DiscoveryEntryPointArn": { + "shape": "__stringMin1Max2048", + "locationName": "discoveryEntryPointArn", + "documentation": "A top-level supported AWS resource ARN to discovery a signal map from." + }, + "ErrorMessage": { + "shape": "__stringMin1Max2048", + "locationName": "errorMessage", + "documentation": "Error message associated with a failed creation or failed update attempt of a signal map." + }, + "EventBridgeRuleTemplateGroupIds": { + "shape": "__listOf__stringMin7Max11PatternAws097", + "locationName": "eventBridgeRuleTemplateGroupIds" + }, + "FailedMediaResourceMap": { + "shape": "FailedMediaResourceMap", + "locationName": "failedMediaResourceMap" + }, "Id": { "shape": "__stringMin7Max11PatternAws097", "locationName": "id", - "documentation": "An eventbridge rule template group's id. AWS provided template groups have ids that start with `aws-`" + "documentation": "A signal map's id." + }, + "LastDiscoveredAt": { + "shape": "__timestampIso8601", + "locationName": "lastDiscoveredAt" + }, + "LastSuccessfulMonitorDeployment": { + "shape": "SuccessfulMonitorDeployment", + "locationName": "lastSuccessfulMonitorDeployment" + }, + "MediaResourceMap": { + "shape": "MediaResourceMap", + "locationName": "mediaResourceMap" }, "ModifiedAt": { "shape": "__timestampIso8601", "locationName": "modifiedAt" }, + "MonitorChangesPendingDeployment": { + "shape": "__boolean", + "locationName": "monitorChangesPendingDeployment", + "documentation": "If true, there are pending monitor changes for this signal map that can be deployed." + }, + "MonitorDeployment": { + "shape": "MonitorDeployment", + "locationName": "monitorDeployment" + }, "Name": { "shape": "__stringMin1Max255PatternS", "locationName": "name", "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." }, + "Status": { + "shape": "SignalMapStatus", + "locationName": "status" + }, "Tags": { "shape": "TagMap", "locationName": "tags" } }, - "documentation": "Placeholder documentation for CreateEventBridgeRuleTemplateGroupResponse" + "documentation": "Placeholder documentation for StartUpdateSignalMapResponse" }, - "CreateEventBridgeRuleTemplateGroupResponseContent": { + "StartUpdateSignalMapResponseContent": { "type": "structure", "members": { "Arn": { - "shape": "__stringPatternArnMedialiveEventbridgeRuleTemplateGroup", + "shape": "__stringPatternArnMedialiveSignalMap", "locationName": "arn", - "documentation": "An eventbridge rule template group's ARN (Amazon Resource Name)" + "documentation": "A signal map's ARN (Amazon Resource Name)" + }, + "CloudWatchAlarmTemplateGroupIds": { + "shape": "__listOf__stringMin7Max11PatternAws097", + "locationName": "cloudWatchAlarmTemplateGroupIds" }, "CreatedAt": { "shape": "__timestampIso8601", @@ -20297,34 +23956,120 @@ "locationName": "description", "documentation": "A resource's optional description." }, + "DiscoveryEntryPointArn": { + "shape": "__stringMin1Max2048", + "locationName": "discoveryEntryPointArn", + "documentation": "A top-level supported AWS resource ARN to discovery a signal map from." + }, + "ErrorMessage": { + "shape": "__stringMin1Max2048", + "locationName": "errorMessage", + "documentation": "Error message associated with a failed creation or failed update attempt of a signal map." + }, + "EventBridgeRuleTemplateGroupIds": { + "shape": "__listOf__stringMin7Max11PatternAws097", + "locationName": "eventBridgeRuleTemplateGroupIds" + }, + "FailedMediaResourceMap": { + "shape": "FailedMediaResourceMap", + "locationName": "failedMediaResourceMap" + }, "Id": { "shape": "__stringMin7Max11PatternAws097", "locationName": "id", - "documentation": "An eventbridge rule template group's id. AWS provided template groups have ids that start with `aws-`" + "documentation": "A signal map's id." + }, + "LastDiscoveredAt": { + "shape": "__timestampIso8601", + "locationName": "lastDiscoveredAt" + }, + "LastSuccessfulMonitorDeployment": { + "shape": "SuccessfulMonitorDeployment", + "locationName": "lastSuccessfulMonitorDeployment" + }, + "MediaResourceMap": { + "shape": "MediaResourceMap", + "locationName": "mediaResourceMap" }, "ModifiedAt": { "shape": "__timestampIso8601", "locationName": "modifiedAt" }, + "MonitorChangesPendingDeployment": { + "shape": "__boolean", + "locationName": "monitorChangesPendingDeployment", + "documentation": "If true, there are pending monitor changes for this signal map that can be deployed." + }, + "MonitorDeployment": { + "shape": "MonitorDeployment", + "locationName": "monitorDeployment" + }, "Name": { "shape": "__stringMin1Max255PatternS", "locationName": "name", "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." }, + "Status": { + "shape": "SignalMapStatus", + "locationName": "status" + }, "Tags": { "shape": "TagMap", "locationName": "tags" } }, "required": [ + "Status", "CreatedAt", + "Name", "Id", "Arn", - "Name" + "DiscoveryEntryPointArn", + "MonitorChangesPendingDeployment" ], - "documentation": "Placeholder documentation for CreateEventBridgeRuleTemplateGroupResponseContent" + "documentation": "Placeholder documentation for StartUpdateSignalMapResponseContent" }, - "CreateEventBridgeRuleTemplateRequest": { + "SuccessfulMonitorDeployment": { + "type": "structure", + "members": { + "DetailsUri": { + "shape": "__stringMin1Max2048", + "locationName": "detailsUri", + "documentation": "URI associated with a signal map's monitor deployment." + }, + "Status": { + "shape": "SignalMapMonitorDeploymentStatus", + "locationName": "status" + } + }, + "documentation": "Represents the latest successful monitor deployment of a signal map.", + "required": [ + "DetailsUri", + "Status" + ] + }, + "TagMap": { + "type": "map", + "documentation": "Represents the tags associated with a resource.", + "key": { + "shape": "__string" + }, + "value": { + "shape": "__string" + } + }, + "TooManyRequestsExceptionResponseContent": { + "type": "structure", + "members": { + "Message": { + "shape": "__string", + "locationName": "message", + "documentation": "Exception error message." + } + }, + "documentation": "Request was denied due to request throttling." + }, + "UpdateCloudWatchAlarmTemplateGroupRequest": { "type": "structure", "members": { "Description": { @@ -20332,81 +24077,36 @@ "locationName": "description", "documentation": "A resource's optional description." }, - "EventTargets": { - "shape": "__listOfEventBridgeRuleTemplateTarget", - "locationName": "eventTargets" - }, - "EventType": { - "shape": "EventBridgeRuleTemplateEventType", - "locationName": "eventType" - }, - "GroupIdentifier": { - "shape": "__stringPatternS", - "locationName": "groupIdentifier", - "documentation": "An eventbridge rule template group's identifier. Can be either be its id or current name." - }, - "Name": { - "shape": "__stringMin1Max255PatternS", - "locationName": "name", - "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." - }, - "Tags": { - "shape": "TagMap", - "locationName": "tags" + "Identifier": { + "shape": "__string", + "location": "uri", + "locationName": "identifier", + "documentation": "A cloudwatch alarm template group's identifier. Can be either be its id or current name." } }, "required": [ - "EventType", - "Name", - "GroupIdentifier" + "Identifier" ], - "documentation": "Placeholder documentation for CreateEventBridgeRuleTemplateRequest" + "documentation": "Placeholder documentation for UpdateCloudWatchAlarmTemplateGroupRequest" }, - "CreateEventBridgeRuleTemplateRequestContent": { + "UpdateCloudWatchAlarmTemplateGroupRequestContent": { "type": "structure", "members": { "Description": { "shape": "__stringMin0Max1024", "locationName": "description", "documentation": "A resource's optional description." - }, - "EventTargets": { - "shape": "__listOfEventBridgeRuleTemplateTarget", - "locationName": "eventTargets" - }, - "EventType": { - "shape": "EventBridgeRuleTemplateEventType", - "locationName": "eventType" - }, - "GroupIdentifier": { - "shape": "__stringPatternS", - "locationName": "groupIdentifier", - "documentation": "An eventbridge rule template group's identifier. Can be either be its id or current name." - }, - "Name": { - "shape": "__stringMin1Max255PatternS", - "locationName": "name", - "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." - }, - "Tags": { - "shape": "TagMap", - "locationName": "tags" } }, - "required": [ - "EventType", - "Name", - "GroupIdentifier" - ], - "documentation": "Placeholder documentation for CreateEventBridgeRuleTemplateRequestContent" + "documentation": "Placeholder documentation for UpdateCloudWatchAlarmTemplateGroupRequestContent" }, - "CreateEventBridgeRuleTemplateResponse": { + "UpdateCloudWatchAlarmTemplateGroupResponse": { "type": "structure", "members": { "Arn": { - "shape": "__stringPatternArnMedialiveEventbridgeRuleTemplate", + "shape": "__stringPatternArnMedialiveCloudwatchAlarmTemplateGroup", "locationName": "arn", - "documentation": "An eventbridge rule template's ARN (Amazon Resource Name)" + "documentation": "A cloudwatch alarm template group's ARN (Amazon Resource Name)" }, "CreatedAt": { "shape": "__timestampIso8601", @@ -20417,23 +24117,10 @@ "locationName": "description", "documentation": "A resource's optional description." }, - "EventTargets": { - "shape": "__listOfEventBridgeRuleTemplateTarget", - "locationName": "eventTargets" - }, - "EventType": { - "shape": "EventBridgeRuleTemplateEventType", - "locationName": "eventType" - }, - "GroupId": { - "shape": "__stringMin7Max11PatternAws097", - "locationName": "groupId", - "documentation": "An eventbridge rule template group's id. AWS provided template groups have ids that start with `aws-`" - }, "Id": { "shape": "__stringMin7Max11PatternAws097", "locationName": "id", - "documentation": "An eventbridge rule template's id. AWS provided templates have ids that start with `aws-`" + "documentation": "A cloudwatch alarm template group's id. AWS provided template groups have ids that start with `aws-`" }, "ModifiedAt": { "shape": "__timestampIso8601", @@ -20449,15 +24136,15 @@ "locationName": "tags" } }, - "documentation": "Placeholder documentation for CreateEventBridgeRuleTemplateResponse" + "documentation": "Placeholder documentation for UpdateCloudWatchAlarmTemplateGroupResponse" }, - "CreateEventBridgeRuleTemplateResponseContent": { + "UpdateCloudWatchAlarmTemplateGroupResponseContent": { "type": "structure", "members": { "Arn": { - "shape": "__stringPatternArnMedialiveEventbridgeRuleTemplate", + "shape": "__stringPatternArnMedialiveCloudwatchAlarmTemplateGroup", "locationName": "arn", - "documentation": "An eventbridge rule template's ARN (Amazon Resource Name)" + "documentation": "A cloudwatch alarm template group's ARN (Amazon Resource Name)" }, "CreatedAt": { "shape": "__timestampIso8601", @@ -20468,23 +24155,10 @@ "locationName": "description", "documentation": "A resource's optional description." }, - "EventTargets": { - "shape": "__listOfEventBridgeRuleTemplateTarget", - "locationName": "eventTargets" - }, - "EventType": { - "shape": "EventBridgeRuleTemplateEventType", - "locationName": "eventType" - }, - "GroupId": { - "shape": "__stringMin7Max11PatternAws097", - "locationName": "groupId", - "documentation": "An eventbridge rule template group's id. AWS provided template groups have ids that start with `aws-`" - }, "Id": { "shape": "__stringMin7Max11PatternAws097", "locationName": "id", - "documentation": "An eventbridge rule template's id. AWS provided templates have ids that start with `aws-`" + "documentation": "A cloudwatch alarm template group's id. AWS provided template groups have ids that start with `aws-`" }, "ModifiedAt": { "shape": "__timestampIso8601", @@ -20501,301 +24175,337 @@ } }, "required": [ - "EventType", "CreatedAt", "Id", "Arn", - "Name", - "GroupId" + "Name" ], - "documentation": "Placeholder documentation for CreateEventBridgeRuleTemplateResponseContent" + "documentation": "Placeholder documentation for UpdateCloudWatchAlarmTemplateGroupResponseContent" }, - "CreateSignalMapRequest": { + "UpdateCloudWatchAlarmTemplateRequest": { "type": "structure", "members": { - "CloudWatchAlarmTemplateGroupIdentifiers": { - "shape": "__listOf__stringPatternS", - "locationName": "cloudWatchAlarmTemplateGroupIdentifiers" + "ComparisonOperator": { + "shape": "CloudWatchAlarmTemplateComparisonOperator", + "locationName": "comparisonOperator" + }, + "DatapointsToAlarm": { + "shape": "__integerMin1", + "locationName": "datapointsToAlarm", + "documentation": "The number of datapoints within the evaluation period that must be breaching to trigger the alarm." }, "Description": { "shape": "__stringMin0Max1024", "locationName": "description", "documentation": "A resource's optional description." }, - "DiscoveryEntryPointArn": { - "shape": "__stringMin1Max2048", - "locationName": "discoveryEntryPointArn", - "documentation": "A top-level supported AWS resource ARN to discovery a signal map from." + "EvaluationPeriods": { + "shape": "__integerMin1", + "locationName": "evaluationPeriods", + "documentation": "The number of periods over which data is compared to the specified threshold." + }, + "GroupIdentifier": { + "shape": "__stringPatternS", + "locationName": "groupIdentifier", + "documentation": "A cloudwatch alarm template group's identifier. Can be either be its id or current name." + }, + "Identifier": { + "shape": "__string", + "location": "uri", + "locationName": "identifier", + "documentation": "A cloudwatch alarm template's identifier. Can be either be its id or current name." }, - "EventBridgeRuleTemplateGroupIdentifiers": { - "shape": "__listOf__stringPatternS", - "locationName": "eventBridgeRuleTemplateGroupIdentifiers" + "MetricName": { + "shape": "__stringMax64", + "locationName": "metricName", + "documentation": "The name of the metric associated with the alarm. Must be compatible with targetResourceType." }, "Name": { "shape": "__stringMin1Max255PatternS", "locationName": "name", "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." }, - "Tags": { - "shape": "TagMap", - "locationName": "tags" + "Period": { + "shape": "__integerMin10Max86400", + "locationName": "period", + "documentation": "The period, in seconds, over which the specified statistic is applied." + }, + "Statistic": { + "shape": "CloudWatchAlarmTemplateStatistic", + "locationName": "statistic" + }, + "TargetResourceType": { + "shape": "CloudWatchAlarmTemplateTargetResourceType", + "locationName": "targetResourceType" + }, + "Threshold": { + "shape": "__double", + "locationName": "threshold", + "documentation": "The threshold value to compare with the specified statistic." + }, + "TreatMissingData": { + "shape": "CloudWatchAlarmTemplateTreatMissingData", + "locationName": "treatMissingData" } }, "required": [ - "DiscoveryEntryPointArn", - "Name" + "Identifier" ], - "documentation": "Placeholder documentation for CreateSignalMapRequest" + "documentation": "Placeholder documentation for UpdateCloudWatchAlarmTemplateRequest" }, - "CreateSignalMapRequestContent": { + "UpdateCloudWatchAlarmTemplateRequestContent": { "type": "structure", "members": { - "CloudWatchAlarmTemplateGroupIdentifiers": { - "shape": "__listOf__stringPatternS", - "locationName": "cloudWatchAlarmTemplateGroupIdentifiers" + "ComparisonOperator": { + "shape": "CloudWatchAlarmTemplateComparisonOperator", + "locationName": "comparisonOperator" + }, + "DatapointsToAlarm": { + "shape": "__integerMin1", + "locationName": "datapointsToAlarm", + "documentation": "The number of datapoints within the evaluation period that must be breaching to trigger the alarm." }, "Description": { "shape": "__stringMin0Max1024", "locationName": "description", "documentation": "A resource's optional description." }, - "DiscoveryEntryPointArn": { - "shape": "__stringMin1Max2048", - "locationName": "discoveryEntryPointArn", - "documentation": "A top-level supported AWS resource ARN to discovery a signal map from." + "EvaluationPeriods": { + "shape": "__integerMin1", + "locationName": "evaluationPeriods", + "documentation": "The number of periods over which data is compared to the specified threshold." }, - "EventBridgeRuleTemplateGroupIdentifiers": { - "shape": "__listOf__stringPatternS", - "locationName": "eventBridgeRuleTemplateGroupIdentifiers" + "GroupIdentifier": { + "shape": "__stringPatternS", + "locationName": "groupIdentifier", + "documentation": "A cloudwatch alarm template group's identifier. Can be either be its id or current name." + }, + "MetricName": { + "shape": "__stringMax64", + "locationName": "metricName", + "documentation": "The name of the metric associated with the alarm. Must be compatible with targetResourceType." }, "Name": { "shape": "__stringMin1Max255PatternS", "locationName": "name", "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." }, - "Tags": { - "shape": "TagMap", - "locationName": "tags" + "Period": { + "shape": "__integerMin10Max86400", + "locationName": "period", + "documentation": "The period, in seconds, over which the specified statistic is applied." + }, + "Statistic": { + "shape": "CloudWatchAlarmTemplateStatistic", + "locationName": "statistic" + }, + "TargetResourceType": { + "shape": "CloudWatchAlarmTemplateTargetResourceType", + "locationName": "targetResourceType" + }, + "Threshold": { + "shape": "__double", + "locationName": "threshold", + "documentation": "The threshold value to compare with the specified statistic." + }, + "TreatMissingData": { + "shape": "CloudWatchAlarmTemplateTreatMissingData", + "locationName": "treatMissingData" } }, - "required": [ - "DiscoveryEntryPointArn", - "Name" - ], - "documentation": "Placeholder documentation for CreateSignalMapRequestContent" + "documentation": "Placeholder documentation for UpdateCloudWatchAlarmTemplateRequestContent" }, - "CreateSignalMapResponse": { + "UpdateCloudWatchAlarmTemplateResponse": { "type": "structure", "members": { "Arn": { - "shape": "__stringPatternArnMedialiveSignalMap", + "shape": "__stringPatternArnMedialiveCloudwatchAlarmTemplate", "locationName": "arn", - "documentation": "A signal map's ARN (Amazon Resource Name)" + "documentation": "A cloudwatch alarm template's ARN (Amazon Resource Name)" }, - "CloudWatchAlarmTemplateGroupIds": { - "shape": "__listOf__stringMin7Max11PatternAws097", - "locationName": "cloudWatchAlarmTemplateGroupIds" + "ComparisonOperator": { + "shape": "CloudWatchAlarmTemplateComparisonOperator", + "locationName": "comparisonOperator" }, "CreatedAt": { "shape": "__timestampIso8601", "locationName": "createdAt" }, + "DatapointsToAlarm": { + "shape": "__integerMin1", + "locationName": "datapointsToAlarm", + "documentation": "The number of datapoints within the evaluation period that must be breaching to trigger the alarm." + }, "Description": { "shape": "__stringMin0Max1024", "locationName": "description", "documentation": "A resource's optional description." }, - "DiscoveryEntryPointArn": { - "shape": "__stringMin1Max2048", - "locationName": "discoveryEntryPointArn", - "documentation": "A top-level supported AWS resource ARN to discovery a signal map from." - }, - "ErrorMessage": { - "shape": "__stringMin1Max2048", - "locationName": "errorMessage", - "documentation": "Error message associated with a failed creation or failed update attempt of a signal map." - }, - "EventBridgeRuleTemplateGroupIds": { - "shape": "__listOf__stringMin7Max11PatternAws097", - "locationName": "eventBridgeRuleTemplateGroupIds" + "EvaluationPeriods": { + "shape": "__integerMin1", + "locationName": "evaluationPeriods", + "documentation": "The number of periods over which data is compared to the specified threshold." }, - "FailedMediaResourceMap": { - "shape": "FailedMediaResourceMap", - "locationName": "failedMediaResourceMap" + "GroupId": { + "shape": "__stringMin7Max11PatternAws097", + "locationName": "groupId", + "documentation": "A cloudwatch alarm template group's id. AWS provided template groups have ids that start with `aws-`" }, "Id": { "shape": "__stringMin7Max11PatternAws097", "locationName": "id", - "documentation": "A signal map's id." - }, - "LastDiscoveredAt": { - "shape": "__timestampIso8601", - "locationName": "lastDiscoveredAt" - }, - "LastSuccessfulMonitorDeployment": { - "shape": "SuccessfulMonitorDeployment", - "locationName": "lastSuccessfulMonitorDeployment" + "documentation": "A cloudwatch alarm template's id. AWS provided templates have ids that start with `aws-`" }, - "MediaResourceMap": { - "shape": "MediaResourceMap", - "locationName": "mediaResourceMap" + "MetricName": { + "shape": "__stringMax64", + "locationName": "metricName", + "documentation": "The name of the metric associated with the alarm. Must be compatible with targetResourceType." }, "ModifiedAt": { "shape": "__timestampIso8601", "locationName": "modifiedAt" }, - "MonitorChangesPendingDeployment": { - "shape": "__boolean", - "locationName": "monitorChangesPendingDeployment", - "documentation": "If true, there are pending monitor changes for this signal map that can be deployed." - }, - "MonitorDeployment": { - "shape": "MonitorDeployment", - "locationName": "monitorDeployment" - }, "Name": { "shape": "__stringMin1Max255PatternS", "locationName": "name", "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." }, - "Status": { - "shape": "SignalMapStatus", - "locationName": "status" + "Period": { + "shape": "__integerMin10Max86400", + "locationName": "period", + "documentation": "The period, in seconds, over which the specified statistic is applied." + }, + "Statistic": { + "shape": "CloudWatchAlarmTemplateStatistic", + "locationName": "statistic" }, "Tags": { "shape": "TagMap", "locationName": "tags" + }, + "TargetResourceType": { + "shape": "CloudWatchAlarmTemplateTargetResourceType", + "locationName": "targetResourceType" + }, + "Threshold": { + "shape": "__double", + "locationName": "threshold", + "documentation": "The threshold value to compare with the specified statistic." + }, + "TreatMissingData": { + "shape": "CloudWatchAlarmTemplateTreatMissingData", + "locationName": "treatMissingData" } }, - "documentation": "Placeholder documentation for CreateSignalMapResponse" + "documentation": "Placeholder documentation for UpdateCloudWatchAlarmTemplateResponse" }, - "CreateSignalMapResponseContent": { + "UpdateCloudWatchAlarmTemplateResponseContent": { "type": "structure", "members": { "Arn": { - "shape": "__stringPatternArnMedialiveSignalMap", + "shape": "__stringPatternArnMedialiveCloudwatchAlarmTemplate", "locationName": "arn", - "documentation": "A signal map's ARN (Amazon Resource Name)" + "documentation": "A cloudwatch alarm template's ARN (Amazon Resource Name)" }, - "CloudWatchAlarmTemplateGroupIds": { - "shape": "__listOf__stringMin7Max11PatternAws097", - "locationName": "cloudWatchAlarmTemplateGroupIds" + "ComparisonOperator": { + "shape": "CloudWatchAlarmTemplateComparisonOperator", + "locationName": "comparisonOperator" }, "CreatedAt": { "shape": "__timestampIso8601", "locationName": "createdAt" }, + "DatapointsToAlarm": { + "shape": "__integerMin1", + "locationName": "datapointsToAlarm", + "documentation": "The number of datapoints within the evaluation period that must be breaching to trigger the alarm." + }, "Description": { "shape": "__stringMin0Max1024", "locationName": "description", "documentation": "A resource's optional description." }, - "DiscoveryEntryPointArn": { - "shape": "__stringMin1Max2048", - "locationName": "discoveryEntryPointArn", - "documentation": "A top-level supported AWS resource ARN to discovery a signal map from." - }, - "ErrorMessage": { - "shape": "__stringMin1Max2048", - "locationName": "errorMessage", - "documentation": "Error message associated with a failed creation or failed update attempt of a signal map." - }, - "EventBridgeRuleTemplateGroupIds": { - "shape": "__listOf__stringMin7Max11PatternAws097", - "locationName": "eventBridgeRuleTemplateGroupIds" + "EvaluationPeriods": { + "shape": "__integerMin1", + "locationName": "evaluationPeriods", + "documentation": "The number of periods over which data is compared to the specified threshold." }, - "FailedMediaResourceMap": { - "shape": "FailedMediaResourceMap", - "locationName": "failedMediaResourceMap" + "GroupId": { + "shape": "__stringMin7Max11PatternAws097", + "locationName": "groupId", + "documentation": "A cloudwatch alarm template group's id. AWS provided template groups have ids that start with `aws-`" }, "Id": { "shape": "__stringMin7Max11PatternAws097", "locationName": "id", - "documentation": "A signal map's id." - }, - "LastDiscoveredAt": { - "shape": "__timestampIso8601", - "locationName": "lastDiscoveredAt" - }, - "LastSuccessfulMonitorDeployment": { - "shape": "SuccessfulMonitorDeployment", - "locationName": "lastSuccessfulMonitorDeployment" - }, - "MediaResourceMap": { - "shape": "MediaResourceMap", - "locationName": "mediaResourceMap" + "documentation": "A cloudwatch alarm template's id. AWS provided templates have ids that start with `aws-`" + }, + "MetricName": { + "shape": "__stringMax64", + "locationName": "metricName", + "documentation": "The name of the metric associated with the alarm. Must be compatible with targetResourceType." }, "ModifiedAt": { "shape": "__timestampIso8601", "locationName": "modifiedAt" }, - "MonitorChangesPendingDeployment": { - "shape": "__boolean", - "locationName": "monitorChangesPendingDeployment", - "documentation": "If true, there are pending monitor changes for this signal map that can be deployed." - }, - "MonitorDeployment": { - "shape": "MonitorDeployment", - "locationName": "monitorDeployment" - }, "Name": { "shape": "__stringMin1Max255PatternS", "locationName": "name", "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." }, - "Status": { - "shape": "SignalMapStatus", - "locationName": "status" + "Period": { + "shape": "__integerMin10Max86400", + "locationName": "period", + "documentation": "The period, in seconds, over which the specified statistic is applied." + }, + "Statistic": { + "shape": "CloudWatchAlarmTemplateStatistic", + "locationName": "statistic" }, "Tags": { "shape": "TagMap", "locationName": "tags" + }, + "TargetResourceType": { + "shape": "CloudWatchAlarmTemplateTargetResourceType", + "locationName": "targetResourceType" + }, + "Threshold": { + "shape": "__double", + "locationName": "threshold", + "documentation": "The threshold value to compare with the specified statistic." + }, + "TreatMissingData": { + "shape": "CloudWatchAlarmTemplateTreatMissingData", + "locationName": "treatMissingData" } }, "required": [ - "Status", + "TargetResourceType", + "TreatMissingData", + "ComparisonOperator", "CreatedAt", + "Period", + "EvaluationPeriods", "Name", + "GroupId", + "MetricName", + "Statistic", "Id", "Arn", - "DiscoveryEntryPointArn", - "MonitorChangesPendingDeployment" - ], - "documentation": "Placeholder documentation for CreateSignalMapResponseContent" - }, - "DeleteCloudWatchAlarmTemplateGroupRequest": { - "type": "structure", - "members": { - "Identifier": { - "shape": "__string", - "location": "uri", - "locationName": "identifier", - "documentation": "A cloudwatch alarm template group's identifier. Can be either be its id or current name." - } - }, - "required": [ - "Identifier" - ], - "documentation": "Placeholder documentation for DeleteCloudWatchAlarmTemplateGroupRequest" - }, - "DeleteCloudWatchAlarmTemplateRequest": { - "type": "structure", - "members": { - "Identifier": { - "shape": "__string", - "location": "uri", - "locationName": "identifier", - "documentation": "A cloudwatch alarm template's identifier. Can be either be its id or current name." - } - }, - "required": [ - "Identifier" + "Threshold" ], - "documentation": "Placeholder documentation for DeleteCloudWatchAlarmTemplateRequest" + "documentation": "Placeholder documentation for UpdateCloudWatchAlarmTemplateResponseContent" }, - "DeleteEventBridgeRuleTemplateGroupRequest": { + "UpdateEventBridgeRuleTemplateGroupRequest": { "type": "structure", "members": { + "Description": { + "shape": "__stringMin0Max1024", + "locationName": "description", + "documentation": "A resource's optional description." + }, "Identifier": { "shape": "__string", "location": "uri", @@ -20806,58 +24516,20 @@ "required": [ "Identifier" ], - "documentation": "Placeholder documentation for DeleteEventBridgeRuleTemplateGroupRequest" - }, - "DeleteEventBridgeRuleTemplateRequest": { - "type": "structure", - "members": { - "Identifier": { - "shape": "__string", - "location": "uri", - "locationName": "identifier", - "documentation": "An eventbridge rule template's identifier. Can be either be its id or current name." - } - }, - "required": [ - "Identifier" - ], - "documentation": "Placeholder documentation for DeleteEventBridgeRuleTemplateRequest" + "documentation": "Placeholder documentation for UpdateEventBridgeRuleTemplateGroupRequest" }, - "DeleteSignalMapRequest": { + "UpdateEventBridgeRuleTemplateGroupRequestContent": { "type": "structure", "members": { - "Identifier": { - "shape": "__string", - "location": "uri", - "locationName": "identifier", - "documentation": "A signal map's identifier. Can be either be its id or current name." + "Description": { + "shape": "__stringMin0Max1024", + "locationName": "description", + "documentation": "A resource's optional description." } }, - "required": [ - "Identifier" - ], - "documentation": "Placeholder documentation for DeleteSignalMapRequest" - }, - "EventBridgeRuleTemplateEventType": { - "type": "string", - "documentation": "The type of event to match with the rule.", - "enum": [ - "MEDIALIVE_MULTIPLEX_ALERT", - "MEDIALIVE_MULTIPLEX_STATE_CHANGE", - "MEDIALIVE_CHANNEL_ALERT", - "MEDIALIVE_CHANNEL_INPUT_CHANGE", - "MEDIALIVE_CHANNEL_STATE_CHANGE", - "MEDIAPACKAGE_INPUT_NOTIFICATION", - "MEDIAPACKAGE_KEY_PROVIDER_NOTIFICATION", - "MEDIAPACKAGE_HARVEST_JOB_NOTIFICATION", - "SIGNAL_MAP_ACTIVE_ALARM", - "MEDIACONNECT_ALERT", - "MEDIACONNECT_SOURCE_HEALTH", - "MEDIACONNECT_OUTPUT_HEALTH", - "MEDIACONNECT_FLOW_STATUS_CHANGE" - ] + "documentation": "Placeholder documentation for UpdateEventBridgeRuleTemplateGroupRequestContent" }, - "EventBridgeRuleTemplateGroupSummary": { + "UpdateEventBridgeRuleTemplateGroupResponse": { "type": "structure", "members": { "Arn": { @@ -20891,29 +24563,17 @@ "Tags": { "shape": "TagMap", "locationName": "tags" - }, - "TemplateCount": { - "shape": "__integer", - "locationName": "templateCount", - "documentation": "The number of templates in a group." } }, - "required": [ - "TemplateCount", - "CreatedAt", - "Id", - "Arn", - "Name" - ], - "documentation": "Placeholder documentation for EventBridgeRuleTemplateGroupSummary" + "documentation": "Placeholder documentation for UpdateEventBridgeRuleTemplateGroupResponse" }, - "EventBridgeRuleTemplateSummary": { + "UpdateEventBridgeRuleTemplateGroupResponseContent": { "type": "structure", "members": { "Arn": { - "shape": "__stringPatternArnMedialiveEventbridgeRuleTemplate", + "shape": "__stringPatternArnMedialiveEventbridgeRuleTemplateGroup", "locationName": "arn", - "documentation": "An eventbridge rule template's ARN (Amazon Resource Name)" + "documentation": "An eventbridge rule template group's ARN (Amazon Resource Name)" }, "CreatedAt": { "shape": "__timestampIso8601", @@ -20924,24 +24584,10 @@ "locationName": "description", "documentation": "A resource's optional description." }, - "EventTargetCount": { - "shape": "__integerMax5", - "locationName": "eventTargetCount", - "documentation": "The number of targets configured to send matching events." - }, - "EventType": { - "shape": "EventBridgeRuleTemplateEventType", - "locationName": "eventType" - }, - "GroupId": { - "shape": "__stringMin7Max11PatternAws097", - "locationName": "groupId", - "documentation": "An eventbridge rule template group's id. AWS provided template groups have ids that start with `aws-`" - }, "Id": { "shape": "__stringMin7Max11PatternAws097", "locationName": "id", - "documentation": "An eventbridge rule template's id. AWS provided templates have ids that start with `aws-`" + "documentation": "An eventbridge rule template group's id. AWS provided template groups have ids that start with `aws-`" }, "ModifiedAt": { "shape": "__timestampIso8601", @@ -20958,73 +24604,87 @@ } }, "required": [ - "EventType", "CreatedAt", - "EventTargetCount", "Id", "Arn", - "Name", - "GroupId" + "Name" ], - "documentation": "Placeholder documentation for EventBridgeRuleTemplateSummary" - }, - "EventBridgeRuleTemplateTarget": { - "type": "structure", - "members": { - "Arn": { - "shape": "__stringMin1Max2048PatternArn", - "locationName": "arn", - "documentation": "Target ARNs must be either an SNS topic or CloudWatch log group." - } - }, - "documentation": "The target to which to send matching events.", - "required": [ - "Arn" - ] - }, - "FailedMediaResourceMap": { - "type": "map", - "documentation": "A map representing an incomplete AWS media workflow as a graph.", - "key": { - "shape": "__string" - }, - "value": { - "shape": "MediaResource" - } - }, - "ForbiddenExceptionResponseContent": { - "type": "structure", - "members": { - "Message": { - "shape": "__string", - "locationName": "message", - "documentation": "Exception error message." - } - }, - "documentation": "User does not have sufficient access to perform this action." + "documentation": "Placeholder documentation for UpdateEventBridgeRuleTemplateGroupResponseContent" }, - "GetCloudWatchAlarmTemplateGroupRequest": { + "UpdateEventBridgeRuleTemplateRequest": { "type": "structure", "members": { + "Description": { + "shape": "__stringMin0Max1024", + "locationName": "description", + "documentation": "A resource's optional description." + }, + "EventTargets": { + "shape": "__listOfEventBridgeRuleTemplateTarget", + "locationName": "eventTargets" + }, + "EventType": { + "shape": "EventBridgeRuleTemplateEventType", + "locationName": "eventType" + }, + "GroupIdentifier": { + "shape": "__stringPatternS", + "locationName": "groupIdentifier", + "documentation": "An eventbridge rule template group's identifier. Can be either be its id or current name." + }, "Identifier": { "shape": "__string", "location": "uri", "locationName": "identifier", - "documentation": "A cloudwatch alarm template group's identifier. Can be either be its id or current name." + "documentation": "An eventbridge rule template's identifier. Can be either be its id or current name." + }, + "Name": { + "shape": "__stringMin1Max255PatternS", + "locationName": "name", + "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + } + }, + "required": [ + "Identifier" + ], + "documentation": "Placeholder documentation for UpdateEventBridgeRuleTemplateRequest" + }, + "UpdateEventBridgeRuleTemplateRequestContent": { + "type": "structure", + "members": { + "Description": { + "shape": "__stringMin0Max1024", + "locationName": "description", + "documentation": "A resource's optional description." + }, + "EventTargets": { + "shape": "__listOfEventBridgeRuleTemplateTarget", + "locationName": "eventTargets" + }, + "EventType": { + "shape": "EventBridgeRuleTemplateEventType", + "locationName": "eventType" + }, + "GroupIdentifier": { + "shape": "__stringPatternS", + "locationName": "groupIdentifier", + "documentation": "An eventbridge rule template group's identifier. Can be either be its id or current name." + }, + "Name": { + "shape": "__stringMin1Max255PatternS", + "locationName": "name", + "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." } }, - "required": [ - "Identifier" - ], - "documentation": "Placeholder documentation for GetCloudWatchAlarmTemplateGroupRequest" + "documentation": "Placeholder documentation for UpdateEventBridgeRuleTemplateRequestContent" }, - "GetCloudWatchAlarmTemplateGroupResponse": { + "UpdateEventBridgeRuleTemplateResponse": { "type": "structure", "members": { "Arn": { - "shape": "__stringPatternArnMedialiveCloudwatchAlarmTemplateGroup", + "shape": "__stringPatternArnMedialiveEventbridgeRuleTemplate", "locationName": "arn", - "documentation": "A cloudwatch alarm template group's ARN (Amazon Resource Name)" + "documentation": "An eventbridge rule template's ARN (Amazon Resource Name)" }, "CreatedAt": { "shape": "__timestampIso8601", @@ -21035,10 +24695,23 @@ "locationName": "description", "documentation": "A resource's optional description." }, + "EventTargets": { + "shape": "__listOfEventBridgeRuleTemplateTarget", + "locationName": "eventTargets" + }, + "EventType": { + "shape": "EventBridgeRuleTemplateEventType", + "locationName": "eventType" + }, + "GroupId": { + "shape": "__stringMin7Max11PatternAws097", + "locationName": "groupId", + "documentation": "An eventbridge rule template group's id. AWS provided template groups have ids that start with `aws-`" + }, "Id": { "shape": "__stringMin7Max11PatternAws097", "locationName": "id", - "documentation": "A cloudwatch alarm template group's id. AWS provided template groups have ids that start with `aws-`" + "documentation": "An eventbridge rule template's id. AWS provided templates have ids that start with `aws-`" }, "ModifiedAt": { "shape": "__timestampIso8601", @@ -21054,15 +24727,15 @@ "locationName": "tags" } }, - "documentation": "Placeholder documentation for GetCloudWatchAlarmTemplateGroupResponse" + "documentation": "Placeholder documentation for UpdateEventBridgeRuleTemplateResponse" }, - "GetCloudWatchAlarmTemplateGroupResponseContent": { + "UpdateEventBridgeRuleTemplateResponseContent": { "type": "structure", "members": { "Arn": { - "shape": "__stringPatternArnMedialiveCloudwatchAlarmTemplateGroup", + "shape": "__stringPatternArnMedialiveEventbridgeRuleTemplate", "locationName": "arn", - "documentation": "A cloudwatch alarm template group's ARN (Amazon Resource Name)" + "documentation": "An eventbridge rule template's ARN (Amazon Resource Name)" }, "CreatedAt": { "shape": "__timestampIso8601", @@ -21073,10 +24746,23 @@ "locationName": "description", "documentation": "A resource's optional description." }, + "EventTargets": { + "shape": "__listOfEventBridgeRuleTemplateTarget", + "locationName": "eventTargets" + }, + "EventType": { + "shape": "EventBridgeRuleTemplateEventType", + "locationName": "eventType" + }, + "GroupId": { + "shape": "__stringMin7Max11PatternAws097", + "locationName": "groupId", + "documentation": "An eventbridge rule template group's id. AWS provided template groups have ids that start with `aws-`" + }, "Id": { "shape": "__stringMin7Max11PatternAws097", "locationName": "id", - "documentation": "A cloudwatch alarm template group's id. AWS provided template groups have ids that start with `aws-`" + "documentation": "An eventbridge rule template's id. AWS provided templates have ids that start with `aws-`" }, "ModifiedAt": { "shape": "__timestampIso8601", @@ -21092,2833 +24778,3172 @@ "locationName": "tags" } }, - "required": [ - "CreatedAt", - "Id", - "Arn", - "Name" - ], - "documentation": "Placeholder documentation for GetCloudWatchAlarmTemplateGroupResponseContent" + "required": [ + "EventType", + "CreatedAt", + "Id", + "Arn", + "Name", + "GroupId" + ], + "documentation": "Placeholder documentation for UpdateEventBridgeRuleTemplateResponseContent" + }, + "__integerMax5": { + "type": "integer", + "max": 5, + "documentation": "Placeholder documentation for __integerMax5" + }, + "__integerMin10Max86400": { + "type": "integer", + "min": 10, + "max": 86400, + "documentation": "Placeholder documentation for __integerMin10Max86400" + }, + "__listOfCloudWatchAlarmTemplateGroupSummary": { + "type": "list", + "member": { + "shape": "CloudWatchAlarmTemplateGroupSummary" + }, + "documentation": "Placeholder documentation for __listOfCloudWatchAlarmTemplateGroupSummary" + }, + "__listOfCloudWatchAlarmTemplateSummary": { + "type": "list", + "member": { + "shape": "CloudWatchAlarmTemplateSummary" + }, + "documentation": "Placeholder documentation for __listOfCloudWatchAlarmTemplateSummary" + }, + "__listOfEventBridgeRuleTemplateGroupSummary": { + "type": "list", + "member": { + "shape": "EventBridgeRuleTemplateGroupSummary" + }, + "documentation": "Placeholder documentation for __listOfEventBridgeRuleTemplateGroupSummary" + }, + "__listOfEventBridgeRuleTemplateSummary": { + "type": "list", + "member": { + "shape": "EventBridgeRuleTemplateSummary" + }, + "documentation": "Placeholder documentation for __listOfEventBridgeRuleTemplateSummary" + }, + "__listOfEventBridgeRuleTemplateTarget": { + "type": "list", + "member": { + "shape": "EventBridgeRuleTemplateTarget" + }, + "documentation": "Placeholder documentation for __listOfEventBridgeRuleTemplateTarget" + }, + "__listOfMediaResourceNeighbor": { + "type": "list", + "member": { + "shape": "MediaResourceNeighbor" + }, + "documentation": "Placeholder documentation for __listOfMediaResourceNeighbor" + }, + "__listOfSignalMapSummary": { + "type": "list", + "member": { + "shape": "SignalMapSummary" + }, + "documentation": "Placeholder documentation for __listOfSignalMapSummary" + }, + "__listOf__stringMin7Max11PatternAws097": { + "type": "list", + "member": { + "shape": "__stringMin7Max11PatternAws097" + }, + "documentation": "Placeholder documentation for __listOf__stringMin7Max11PatternAws097" + }, + "__listOf__stringPatternS": { + "type": "list", + "member": { + "shape": "__stringPatternS" + }, + "documentation": "Placeholder documentation for __listOf__stringPatternS" + }, + "__stringMax64": { + "type": "string", + "max": 64, + "documentation": "Placeholder documentation for __stringMax64" + }, + "__stringMin0Max1024": { + "type": "string", + "min": 0, + "max": 1024, + "documentation": "Placeholder documentation for __stringMin0Max1024" + }, + "__stringMin1Max2048": { + "type": "string", + "min": 1, + "max": 2048, + "documentation": "Placeholder documentation for __stringMin1Max2048" + }, + "__stringMin1Max2048PatternArn": { + "type": "string", + "min": 1, + "max": 2048, + "pattern": "^arn.+$", + "documentation": "Placeholder documentation for __stringMin1Max2048PatternArn" + }, + "__stringMin1Max255PatternS": { + "type": "string", + "min": 1, + "max": 255, + "pattern": "^[^\\s]+$", + "documentation": "Placeholder documentation for __stringMin1Max255PatternS" + }, + "__stringMin7Max11PatternAws097": { + "type": "string", + "min": 7, + "max": 11, + "pattern": "^(aws-)?[0-9]{7}$", + "documentation": "Placeholder documentation for __stringMin7Max11PatternAws097" + }, + "__stringPatternArnMedialiveCloudwatchAlarmTemplate": { + "type": "string", + "pattern": "^arn:.+:medialive:.+:cloudwatch-alarm-template:.+$", + "documentation": "Placeholder documentation for __stringPatternArnMedialiveCloudwatchAlarmTemplate" + }, + "__stringPatternArnMedialiveCloudwatchAlarmTemplateGroup": { + "type": "string", + "pattern": "^arn:.+:medialive:.+:cloudwatch-alarm-template-group:.+$", + "documentation": "Placeholder documentation for __stringPatternArnMedialiveCloudwatchAlarmTemplateGroup" + }, + "__stringPatternArnMedialiveEventbridgeRuleTemplate": { + "type": "string", + "pattern": "^arn:.+:medialive:.+:eventbridge-rule-template:.+$", + "documentation": "Placeholder documentation for __stringPatternArnMedialiveEventbridgeRuleTemplate" + }, + "__stringPatternArnMedialiveEventbridgeRuleTemplateGroup": { + "type": "string", + "pattern": "^arn:.+:medialive:.+:eventbridge-rule-template-group:.+$", + "documentation": "Placeholder documentation for __stringPatternArnMedialiveEventbridgeRuleTemplateGroup" + }, + "__stringPatternArnMedialiveSignalMap": { + "type": "string", + "pattern": "^arn:.+:medialive:.+:signal-map:.+$", + "documentation": "Placeholder documentation for __stringPatternArnMedialiveSignalMap" + }, + "__stringPatternS": { + "type": "string", + "pattern": "^[^\\s]+$", + "documentation": "Placeholder documentation for __stringPatternS" + }, + "Scte35SegmentationScope": { + "type": "string", + "documentation": "Scte35 Segmentation Scope", + "enum": [ + "ALL_OUTPUT_GROUPS", + "SCTE35_ENABLED_OUTPUT_GROUPS" + ] + }, + "Algorithm": { + "type": "string", + "enum": [ + "AES128", + "AES192", + "AES256" + ], + "documentation": "Placeholder documentation for Algorithm" + }, + "SrtCallerDecryption": { + "type": "structure", + "members": { + "Algorithm": { + "shape": "Algorithm", + "locationName": "algorithm", + "documentation": "The algorithm used to encrypt content." + }, + "PassphraseSecretArn": { + "shape": "__string", + "locationName": "passphraseSecretArn", + "documentation": "The ARN for the secret in Secrets Manager. Someone in your organization must create a secret and provide you with its ARN. The secret holds the passphrase that MediaLive uses to decrypt the source content." + } + }, + "documentation": "The decryption settings for the SRT caller source. Present only if the source has decryption enabled." }, - "GetCloudWatchAlarmTemplateRequest": { + "SrtCallerDecryptionRequest": { "type": "structure", "members": { - "Identifier": { + "Algorithm": { + "shape": "Algorithm", + "locationName": "algorithm", + "documentation": "The algorithm used to encrypt content." + }, + "PassphraseSecretArn": { "shape": "__string", - "location": "uri", - "locationName": "identifier", - "documentation": "A cloudwatch alarm template's identifier. Can be either be its id or current name." + "locationName": "passphraseSecretArn", + "documentation": "The ARN for the secret in Secrets Manager. Someone in your organization must create a secret and provide you with its ARN. This secret holds the passphrase that MediaLive will use to decrypt the source content." } }, - "required": [ - "Identifier" - ], - "documentation": "Placeholder documentation for GetCloudWatchAlarmTemplateRequest" + "documentation": "Complete these parameters only if the content is encrypted." }, - "GetCloudWatchAlarmTemplateResponse": { + "SrtCallerSource": { "type": "structure", "members": { - "Arn": { - "shape": "__stringPatternArnMedialiveCloudwatchAlarmTemplate", - "locationName": "arn", - "documentation": "A cloudwatch alarm template's ARN (Amazon Resource Name)" - }, - "ComparisonOperator": { - "shape": "CloudWatchAlarmTemplateComparisonOperator", - "locationName": "comparisonOperator" - }, - "CreatedAt": { - "shape": "__timestampIso8601", - "locationName": "createdAt" - }, - "DatapointsToAlarm": { - "shape": "__integerMin1", - "locationName": "datapointsToAlarm", - "documentation": "The number of datapoints within the evaluation period that must be breaching to trigger the alarm." - }, - "Description": { - "shape": "__stringMin0Max1024", - "locationName": "description", - "documentation": "A resource's optional description." - }, - "EvaluationPeriods": { - "shape": "__integerMin1", - "locationName": "evaluationPeriods", - "documentation": "The number of periods over which data is compared to the specified threshold." - }, - "GroupId": { - "shape": "__stringMin7Max11PatternAws097", - "locationName": "groupId", - "documentation": "A cloudwatch alarm template group's id. AWS provided template groups have ids that start with `aws-`" - }, - "Id": { - "shape": "__stringMin7Max11PatternAws097", - "locationName": "id", - "documentation": "A cloudwatch alarm template's id. AWS provided templates have ids that start with `aws-`" - }, - "MetricName": { - "shape": "__stringMax64", - "locationName": "metricName", - "documentation": "The name of the metric associated with the alarm. Must be compatible with targetResourceType." - }, - "ModifiedAt": { - "shape": "__timestampIso8601", - "locationName": "modifiedAt" - }, - "Name": { - "shape": "__stringMin1Max255PatternS", - "locationName": "name", - "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." - }, - "Period": { - "shape": "__integerMin10Max86400", - "locationName": "period", - "documentation": "The period, in seconds, over which the specified statistic is applied." - }, - "Statistic": { - "shape": "CloudWatchAlarmTemplateStatistic", - "locationName": "statistic" + "Decryption": { + "shape": "SrtCallerDecryption", + "locationName": "decryption" }, - "Tags": { - "shape": "TagMap", - "locationName": "tags" + "MinimumLatency": { + "shape": "__integer", + "locationName": "minimumLatency", + "documentation": "The preferred latency (in milliseconds) for implementing packet loss and recovery. Packet recovery is a key feature of SRT." }, - "TargetResourceType": { - "shape": "CloudWatchAlarmTemplateTargetResourceType", - "locationName": "targetResourceType" + "SrtListenerAddress": { + "shape": "__string", + "locationName": "srtListenerAddress", + "documentation": "The IP address at the upstream system (the listener) that MediaLive (the caller) connects to." }, - "Threshold": { - "shape": "__double", - "locationName": "threshold", - "documentation": "The threshold value to compare with the specified statistic." + "SrtListenerPort": { + "shape": "__string", + "locationName": "srtListenerPort", + "documentation": "The port at the upstream system (the listener) that MediaLive (the caller) connects to." }, - "TreatMissingData": { - "shape": "CloudWatchAlarmTemplateTreatMissingData", - "locationName": "treatMissingData" + "StreamId": { + "shape": "__string", + "locationName": "streamId", + "documentation": "The stream ID, if the upstream system uses this identifier." } }, - "documentation": "Placeholder documentation for GetCloudWatchAlarmTemplateResponse" + "documentation": "The configuration for a source that uses SRT as the connection protocol. In terms of establishing the connection, MediaLive is always caller and the upstream system is always the listener. In terms of transmission of the source content, MediaLive is always the receiver and the upstream system is always the sender." }, - "GetCloudWatchAlarmTemplateResponseContent": { + "SrtCallerSourceRequest": { "type": "structure", "members": { - "Arn": { - "shape": "__stringPatternArnMedialiveCloudwatchAlarmTemplate", - "locationName": "arn", - "documentation": "A cloudwatch alarm template's ARN (Amazon Resource Name)" - }, - "ComparisonOperator": { - "shape": "CloudWatchAlarmTemplateComparisonOperator", - "locationName": "comparisonOperator" - }, - "CreatedAt": { - "shape": "__timestampIso8601", - "locationName": "createdAt" - }, - "DatapointsToAlarm": { - "shape": "__integerMin1", - "locationName": "datapointsToAlarm", - "documentation": "The number of datapoints within the evaluation period that must be breaching to trigger the alarm." - }, - "Description": { - "shape": "__stringMin0Max1024", - "locationName": "description", - "documentation": "A resource's optional description." - }, - "EvaluationPeriods": { - "shape": "__integerMin1", - "locationName": "evaluationPeriods", - "documentation": "The number of periods over which data is compared to the specified threshold." - }, - "GroupId": { - "shape": "__stringMin7Max11PatternAws097", - "locationName": "groupId", - "documentation": "A cloudwatch alarm template group's id. AWS provided template groups have ids that start with `aws-`" - }, - "Id": { - "shape": "__stringMin7Max11PatternAws097", - "locationName": "id", - "documentation": "A cloudwatch alarm template's id. AWS provided templates have ids that start with `aws-`" - }, - "MetricName": { - "shape": "__stringMax64", - "locationName": "metricName", - "documentation": "The name of the metric associated with the alarm. Must be compatible with targetResourceType." - }, - "ModifiedAt": { - "shape": "__timestampIso8601", - "locationName": "modifiedAt" - }, - "Name": { - "shape": "__stringMin1Max255PatternS", - "locationName": "name", - "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." - }, - "Period": { - "shape": "__integerMin10Max86400", - "locationName": "period", - "documentation": "The period, in seconds, over which the specified statistic is applied." - }, - "Statistic": { - "shape": "CloudWatchAlarmTemplateStatistic", - "locationName": "statistic" + "Decryption": { + "shape": "SrtCallerDecryptionRequest", + "locationName": "decryption" }, - "Tags": { - "shape": "TagMap", - "locationName": "tags" + "MinimumLatency": { + "shape": "__integer", + "locationName": "minimumLatency", + "documentation": "The preferred latency (in milliseconds) for implementing packet loss and recovery. Packet recovery is a key feature of SRT. Obtain this value from the operator at the upstream system." }, - "TargetResourceType": { - "shape": "CloudWatchAlarmTemplateTargetResourceType", - "locationName": "targetResourceType" + "SrtListenerAddress": { + "shape": "__string", + "locationName": "srtListenerAddress", + "documentation": "The IP address at the upstream system (the listener) that MediaLive (the caller) will connect to." }, - "Threshold": { - "shape": "__double", - "locationName": "threshold", - "documentation": "The threshold value to compare with the specified statistic." + "SrtListenerPort": { + "shape": "__string", + "locationName": "srtListenerPort", + "documentation": "The port at the upstream system (the listener) that MediaLive (the caller) will connect to." }, - "TreatMissingData": { - "shape": "CloudWatchAlarmTemplateTreatMissingData", - "locationName": "treatMissingData" + "StreamId": { + "shape": "__string", + "locationName": "streamId", + "documentation": "This value is required if the upstream system uses this identifier because without it, the SRT handshake between MediaLive (the caller) and the upstream system (the listener) might fail." + } + }, + "documentation": "Configures the connection for a source that uses SRT as the connection protocol. In terms of establishing the connection, MediaLive is always the caller and the upstream system is always the listener. In terms of transmission of the source content, MediaLive is always the receiver and the upstream system is always the sender." + }, + "SrtSettings": { + "type": "structure", + "members": { + "SrtCallerSources": { + "shape": "__listOfSrtCallerSource", + "locationName": "srtCallerSources" + } + }, + "documentation": "The configured sources for this SRT input." + }, + "SrtSettingsRequest": { + "type": "structure", + "members": { + "SrtCallerSources": { + "shape": "__listOfSrtCallerSourceRequest", + "locationName": "srtCallerSources" } }, - "required": [ - "TargetResourceType", - "TreatMissingData", - "ComparisonOperator", - "CreatedAt", - "Period", - "EvaluationPeriods", - "Name", - "GroupId", - "MetricName", - "Statistic", - "Id", - "Arn", - "Threshold" - ], - "documentation": "Placeholder documentation for GetCloudWatchAlarmTemplateResponseContent" + "documentation": "Configures the sources for this SRT input. For a single-pipeline input, include one srtCallerSource in the array. For a standard-pipeline input, include two srtCallerSource." + }, + "__listOfSrtCallerSource": { + "type": "list", + "member": { + "shape": "SrtCallerSource" + }, + "documentation": "Placeholder documentation for __listOfSrtCallerSource" + }, + "__listOfSrtCallerSourceRequest": { + "type": "list", + "member": { + "shape": "SrtCallerSourceRequest" + }, + "documentation": "Placeholder documentation for __listOfSrtCallerSourceRequest" + }, + "MultiplexPacketIdentifiersMapping": { + "type": "map", + "key": { + "shape": "__string" + }, + "value": { + "shape": "MultiplexProgramPacketIdentifiersMap" + }, + "documentation": "Placeholder documentation for MultiplexPacketIdentifiersMapping" }, - "GetEventBridgeRuleTemplateGroupRequest": { + "__integerMin1Max51": { + "type": "integer", + "min": 1, + "max": 51, + "documentation": "Placeholder documentation for __integerMin1Max51" + }, + "AnywhereSettings": { "type": "structure", "members": { - "Identifier": { + "ChannelPlacementGroupId": { "shape": "__string", - "location": "uri", - "locationName": "identifier", - "documentation": "An eventbridge rule template group's identifier. Can be either be its id or current name." + "locationName": "channelPlacementGroupId", + "documentation": "The ID of the channel placement group for the channel." + }, + "ClusterId": { + "shape": "__string", + "locationName": "clusterId", + "documentation": "The ID of the cluster for the channel." } }, - "required": [ - "Identifier" - ], - "documentation": "Placeholder documentation for GetEventBridgeRuleTemplateGroupRequest" + "documentation": "Elemental anywhere settings" }, - "GetEventBridgeRuleTemplateGroupResponse": { + "Av1ColorSpaceSettings": { "type": "structure", "members": { - "Arn": { - "shape": "__stringPatternArnMedialiveEventbridgeRuleTemplateGroup", - "locationName": "arn", - "documentation": "An eventbridge rule template group's ARN (Amazon Resource Name)" - }, - "CreatedAt": { - "shape": "__timestampIso8601", - "locationName": "createdAt" - }, - "Description": { - "shape": "__stringMin0Max1024", - "locationName": "description", - "documentation": "A resource's optional description." - }, - "Id": { - "shape": "__stringMin7Max11PatternAws097", - "locationName": "id", - "documentation": "An eventbridge rule template group's id. AWS provided template groups have ids that start with `aws-`" + "ColorSpacePassthroughSettings": { + "shape": "ColorSpacePassthroughSettings", + "locationName": "colorSpacePassthroughSettings" }, - "ModifiedAt": { - "shape": "__timestampIso8601", - "locationName": "modifiedAt" + "Hdr10Settings": { + "shape": "Hdr10Settings", + "locationName": "hdr10Settings" }, - "Name": { - "shape": "__stringMin1Max255PatternS", - "locationName": "name", - "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + "Rec601Settings": { + "shape": "Rec601Settings", + "locationName": "rec601Settings" }, - "Tags": { - "shape": "TagMap", - "locationName": "tags" + "Rec709Settings": { + "shape": "Rec709Settings", + "locationName": "rec709Settings" } }, - "documentation": "Placeholder documentation for GetEventBridgeRuleTemplateGroupResponse" + "documentation": "Av1 Color Space Settings" }, - "GetEventBridgeRuleTemplateGroupResponseContent": { + "Av1GopSizeUnits": { + "type": "string", + "documentation": "Av1 Gop Size Units", + "enum": [ + "FRAMES", + "SECONDS" + ] + }, + "Av1Level": { + "type": "string", + "documentation": "Av1 Level", + "enum": [ + "AV1_LEVEL_2", + "AV1_LEVEL_2_1", + "AV1_LEVEL_3", + "AV1_LEVEL_3_1", + "AV1_LEVEL_4", + "AV1_LEVEL_4_1", + "AV1_LEVEL_5", + "AV1_LEVEL_5_1", + "AV1_LEVEL_5_2", + "AV1_LEVEL_5_3", + "AV1_LEVEL_6", + "AV1_LEVEL_6_1", + "AV1_LEVEL_6_2", + "AV1_LEVEL_6_3", + "AV1_LEVEL_AUTO" + ] + }, + "Av1LookAheadRateControl": { + "type": "string", + "documentation": "Av1 Look Ahead Rate Control", + "enum": [ + "HIGH", + "LOW", + "MEDIUM" + ] + }, + "Av1SceneChangeDetect": { + "type": "string", + "documentation": "Av1 Scene Change Detect", + "enum": [ + "DISABLED", + "ENABLED" + ] + }, + "Av1Settings": { "type": "structure", "members": { - "Arn": { - "shape": "__stringPatternArnMedialiveEventbridgeRuleTemplateGroup", - "locationName": "arn", - "documentation": "An eventbridge rule template group's ARN (Amazon Resource Name)" + "AfdSignaling": { + "shape": "AfdSignaling", + "locationName": "afdSignaling", + "documentation": "Configures whether MediaLive will write AFD values into the video.\nAUTO: MediaLive will try to preserve the input AFD value (in cases where multiple AFD values are valid).\nFIXED: the AFD value will be the value configured in the fixedAfd parameter.\nNONE: MediaLive won't write AFD into the video" }, - "CreatedAt": { - "shape": "__timestampIso8601", - "locationName": "createdAt" + "BufSize": { + "shape": "__integerMin50000Max16000000", + "locationName": "bufSize", + "documentation": "The size of the buffer (HRD buffer model) in bits." }, - "Description": { - "shape": "__stringMin0Max1024", - "locationName": "description", - "documentation": "A resource's optional description." + "ColorSpaceSettings": { + "shape": "Av1ColorSpaceSettings", + "locationName": "colorSpaceSettings", + "documentation": "Color Space settings" }, - "Id": { - "shape": "__stringMin7Max11PatternAws097", - "locationName": "id", - "documentation": "An eventbridge rule template group's id. AWS provided template groups have ids that start with `aws-`" + "FixedAfd": { + "shape": "FixedAfd", + "locationName": "fixedAfd", + "documentation": "Complete this property only if you set the afdSignaling property to FIXED. Choose the AFD value (4 bits) to write on all frames of the video encode." }, - "ModifiedAt": { - "shape": "__timestampIso8601", - "locationName": "modifiedAt" + "FramerateDenominator": { + "shape": "__integerMin1Max3003", + "locationName": "framerateDenominator", + "documentation": "The denominator for the framerate. Framerate is a fraction, for example, 24000 / 1001." }, - "Name": { - "shape": "__stringMin1Max255PatternS", - "locationName": "name", - "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + "FramerateNumerator": { + "shape": "__integerMin1", + "locationName": "framerateNumerator", + "documentation": "The numerator for the framerate. Framerate is a fraction, for example, 24000 / 1001." }, - "Tags": { - "shape": "TagMap", - "locationName": "tags" + "GopSize": { + "shape": "__doubleMin0", + "locationName": "gopSize", + "documentation": "The GOP size (keyframe interval).\nIf GopSizeUnits is frames, GopSize must be a whole number and must be greater than or equal to 1.\nIf GopSizeUnits is seconds, GopSize must be greater than 0, but it can be a decimal." + }, + "GopSizeUnits": { + "shape": "Av1GopSizeUnits", + "locationName": "gopSizeUnits", + "documentation": "Choose the units for the GOP size: FRAMES or SECONDS. For SECONDS, MediaLive converts the size into a frame count at run time." + }, + "Level": { + "shape": "Av1Level", + "locationName": "level", + "documentation": "Sets the level. This parameter is one of the properties of the encoding scheme for AV1." + }, + "LookAheadRateControl": { + "shape": "Av1LookAheadRateControl", + "locationName": "lookAheadRateControl", + "documentation": "Sets the amount of lookahead. A value of LOW can decrease latency and memory usage. A value of HIGH can produce better quality for certain content." + }, + "MaxBitrate": { + "shape": "__integerMin50000Max8000000", + "locationName": "maxBitrate", + "documentation": "The maximum bitrate to assign.\nFor recommendations, see the description for qvbrQualityLevel." + }, + "MinIInterval": { + "shape": "__integerMin0Max30", + "locationName": "minIInterval", + "documentation": "Applies only if you enable SceneChangeDetect. Sets the interval between frames. This property ensures a minimum separation between repeated (cadence) I-frames and any I-frames inserted by scene change detection (SCD frames).\nEnter a number for the interval, measured in number of frames.\nIf an SCD frame and a cadence frame are closer than the specified number of frames, MediaLive shrinks or stretches the GOP to include the SCD frame. Then normal cadence resumes in the next GOP. For GOP stretch to succeed, you must enable LookAheadRateControl.\nNote that the maximum GOP stretch = (GOP size) + (Minimum I-interval) - 1" + }, + "ParDenominator": { + "shape": "__integerMin1", + "locationName": "parDenominator", + "documentation": "The denominator for the output pixel aspect ratio (PAR)." + }, + "ParNumerator": { + "shape": "__integerMin1", + "locationName": "parNumerator", + "documentation": "The numerator for the output pixel aspect ratio (PAR)." + }, + "QvbrQualityLevel": { + "shape": "__integerMin1Max10", + "locationName": "qvbrQualityLevel", + "documentation": "Controls the target quality for the video encode. With QVBR rate control mode, the final quality is the target quality, constrained by the maxBitrate.\nSet values for the qvbrQualityLevel property and maxBitrate property that suit your most important viewing devices.\nTo let MediaLive set the quality level (AUTO mode), leave the qvbrQualityLevel field empty. In this case, MediaLive uses the maximum bitrate, and the quality follows from that: more complex content might have a lower quality.\nOr set a target quality level and a maximum bitrate. With more complex content, MediaLive will try to achieve the target quality, but it won't exceed the maximum bitrate. With less complex content, This option will use only the bitrate needed to reach the target quality.\nRecommended values are:\nPrimary screen: qvbrQualityLevel: Leave empty. maxBitrate: 4,000,000\nPC or tablet: qvbrQualityLevel: Leave empty. maxBitrate: 1,500,000 to 3,000,000\nSmartphone: qvbrQualityLevel: Leave empty. maxBitrate: 1,000,000 to 1,500,000" + }, + "SceneChangeDetect": { + "shape": "Av1SceneChangeDetect", + "locationName": "sceneChangeDetect", + "documentation": "Controls whether MediaLive inserts I-frames when it detects a scene change. ENABLED or DISABLED." + }, + "TimecodeBurninSettings": { + "shape": "TimecodeBurninSettings", + "locationName": "timecodeBurninSettings", + "documentation": "Configures the timecode burn-in feature. If you enable this feature, the timecode will become part of the video." } }, + "documentation": "Av1 Settings", "required": [ - "CreatedAt", - "Id", - "Arn", - "Name" - ], - "documentation": "Placeholder documentation for GetEventBridgeRuleTemplateGroupResponseContent" + "FramerateNumerator", + "FramerateDenominator" + ] }, - "GetEventBridgeRuleTemplateRequest": { + "ChannelPlacementGroupState": { + "type": "string", + "documentation": "Used in DescribeChannelPlacementGroupResult", + "enum": [ + "UNASSIGNED", + "ASSIGNING", + "ASSIGNED", + "DELETING", + "DELETE_FAILED", + "DELETED", + "UNASSIGNING" + ] + }, + "ClusterNetworkSettings": { "type": "structure", "members": { - "Identifier": { + "DefaultRoute": { "shape": "__string", - "location": "uri", - "locationName": "identifier", - "documentation": "An eventbridge rule template's identifier. Can be either be its id or current name." + "locationName": "defaultRoute", + "documentation": "The network interface that is the default route for traffic to and from the node. MediaLive Anywhere uses this default when the destination for the traffic isn't covered by the route table for any of the networks. Specify the value of the appropriate logicalInterfaceName parameter that you create in the interfaceMappings." + }, + "InterfaceMappings": { + "shape": "__listOfInterfaceMapping", + "locationName": "interfaceMappings", + "documentation": "An array of interfaceMapping objects for this Cluster. Each mapping logically connects one interface on the nodes with one Network. You need only one mapping for each interface because all the Nodes share the mapping." } }, - "required": [ - "Identifier" - ], - "documentation": "Placeholder documentation for GetEventBridgeRuleTemplateRequest" + "documentation": "Used in DescribeClusterResult, DescribeClusterSummary, UpdateClusterResult." }, - "GetEventBridgeRuleTemplateResponse": { + "ClusterNetworkSettingsCreateRequest": { "type": "structure", "members": { - "Arn": { - "shape": "__stringPatternArnMedialiveEventbridgeRuleTemplate", - "locationName": "arn", - "documentation": "An eventbridge rule template's ARN (Amazon Resource Name)" - }, - "CreatedAt": { - "shape": "__timestampIso8601", - "locationName": "createdAt" - }, - "Description": { - "shape": "__stringMin0Max1024", - "locationName": "description", - "documentation": "A resource's optional description." - }, - "EventTargets": { - "shape": "__listOfEventBridgeRuleTemplateTarget", - "locationName": "eventTargets" - }, - "EventType": { - "shape": "EventBridgeRuleTemplateEventType", - "locationName": "eventType" - }, - "GroupId": { - "shape": "__stringMin7Max11PatternAws097", - "locationName": "groupId", - "documentation": "An eventbridge rule template group's id. AWS provided template groups have ids that start with `aws-`" - }, - "Id": { - "shape": "__stringMin7Max11PatternAws097", - "locationName": "id", - "documentation": "An eventbridge rule template's id. AWS provided templates have ids that start with `aws-`" - }, - "ModifiedAt": { - "shape": "__timestampIso8601", - "locationName": "modifiedAt" - }, - "Name": { - "shape": "__stringMin1Max255PatternS", - "locationName": "name", - "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + "DefaultRoute": { + "shape": "__string", + "locationName": "defaultRoute", + "documentation": "Specify one network interface as the default route for traffic to and from the Node. MediaLive Anywhere uses this default when the destination for the traffic isn't covered by the route table for any of the networks. Specify the value of the appropriate logicalInterfaceName parameter that you create in the interfaceMappings." }, - "Tags": { - "shape": "TagMap", - "locationName": "tags" + "InterfaceMappings": { + "shape": "__listOfInterfaceMappingCreateRequest", + "locationName": "interfaceMappings", + "documentation": "An array of interfaceMapping objects for this Cluster. You must create a mapping for node interfaces that you plan to use for encoding traffic. You typically don't create a mapping for the management interface. You define this mapping in the Cluster so that the mapping can be used by all the Nodes. Each mapping logically connects one interface on the nodes with one Network. Each mapping consists of a pair of parameters. The logicalInterfaceName parameter creates a logical name for the Node interface that handles a specific type of traffic. For example, my-Inputs-Interface. The networkID parameter refers to the ID of the network. When you create the Nodes in this Cluster, you will associate the logicalInterfaceName with the appropriate physical interface." } }, - "documentation": "Placeholder documentation for GetEventBridgeRuleTemplateResponse" + "documentation": "Used in a CreateClusterRequest." }, - "GetEventBridgeRuleTemplateResponseContent": { + "ClusterNetworkSettingsUpdateRequest": { "type": "structure", "members": { - "Arn": { - "shape": "__stringPatternArnMedialiveEventbridgeRuleTemplate", - "locationName": "arn", - "documentation": "An eventbridge rule template's ARN (Amazon Resource Name)" - }, - "CreatedAt": { - "shape": "__timestampIso8601", - "locationName": "createdAt" - }, - "Description": { - "shape": "__stringMin0Max1024", - "locationName": "description", - "documentation": "A resource's optional description." - }, - "EventTargets": { - "shape": "__listOfEventBridgeRuleTemplateTarget", - "locationName": "eventTargets" - }, - "EventType": { - "shape": "EventBridgeRuleTemplateEventType", - "locationName": "eventType" - }, - "GroupId": { - "shape": "__stringMin7Max11PatternAws097", - "locationName": "groupId", - "documentation": "An eventbridge rule template group's id. AWS provided template groups have ids that start with `aws-`" - }, - "Id": { - "shape": "__stringMin7Max11PatternAws097", - "locationName": "id", - "documentation": "An eventbridge rule template's id. AWS provided templates have ids that start with `aws-`" - }, - "ModifiedAt": { - "shape": "__timestampIso8601", - "locationName": "modifiedAt" - }, - "Name": { - "shape": "__stringMin1Max255PatternS", - "locationName": "name", - "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + "DefaultRoute": { + "shape": "__string", + "locationName": "defaultRoute", + "documentation": "Include this parameter only if you want to change the default route for the Cluster. Specify one network interface as the default route for traffic to and from the node. MediaLive Anywhere uses this default when the destination for the traffic isn't covered by the route table for any of the networks. Specify the value of the appropriate logicalInterfaceName parameter that you create in the interfaceMappings." }, - "Tags": { - "shape": "TagMap", - "locationName": "tags" + "InterfaceMappings": { + "shape": "__listOfInterfaceMappingUpdateRequest", + "locationName": "interfaceMappings", + "documentation": "An array of interfaceMapping objects for this Cluster. Include this parameter only if you want to change the interface mappings for the Cluster. Typically, you change the interface mappings only to fix an error you made when creating the mapping. In an update request, make sure that you enter the entire set of mappings again, not just the mappings that you want to add or change. You define this mapping so that the mapping can be used by all the Nodes. Each mapping logically connects one interface on the nodes with one Network. Each mapping consists of a pair of parameters. The logicalInterfaceName parameter creates a logical name for the Node interface that handles a specific type of traffic. For example, my-Inputs-Interface. The networkID parameter refers to the ID of the network. When you create the Nodes in this Cluster, you will associate the logicalInterfaceName with the appropriate physical interface." } }, - "required": [ - "EventType", - "CreatedAt", - "Id", - "Arn", - "Name", - "GroupId" - ], - "documentation": "Placeholder documentation for GetEventBridgeRuleTemplateResponseContent" + "documentation": "Placeholder documentation for ClusterNetworkSettingsUpdateRequest" }, - "GetSignalMapRequest": { + "ClusterState": { + "type": "string", + "documentation": "Used in DescribeClusterSummary, DescribeClusterResult, UpdateClusterResult.", + "enum": [ + "CREATING", + "CREATE_FAILED", + "ACTIVE", + "DELETING", + "DELETE_FAILED", + "DELETED" + ] + }, + "ClusterType": { + "type": "string", + "documentation": "Used in CreateClusterSummary, DescribeClusterSummary, DescribeClusterResult, UpdateClusterResult.", + "enum": [ + "ON_PREMISES" + ] + }, + "CreateChannelPlacementGroupRequest": { "type": "structure", "members": { - "Identifier": { + "ClusterId": { "shape": "__string", "location": "uri", - "locationName": "identifier", - "documentation": "A signal map's identifier. Can be either be its id or current name." + "locationName": "clusterId", + "documentation": "The ID of the cluster." + }, + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "Specify a name that is unique in the Cluster. You can't change the name. Names are case-sensitive." + }, + "Nodes": { + "shape": "__listOf__string", + "locationName": "nodes", + "documentation": "An array of one ID for the Node that you want to associate with the ChannelPlacementGroup. (You can't associate more than one Node with the ChannelPlacementGroup.) The Node and the ChannelPlacementGroup must be in the same Cluster." + }, + "RequestId": { + "shape": "__string", + "locationName": "requestId", + "documentation": "An ID that you assign to a create request. This ID ensures idempotency when creating resources. the request.", + "idempotencyToken": true + }, + "Tags": { + "shape": "Tags", + "locationName": "tags", + "documentation": "A collection of key-value pairs." } }, + "documentation": "A request to create a channel placement group.", "required": [ - "Identifier" - ], - "documentation": "Placeholder documentation for GetSignalMapRequest" + "ClusterId" + ] }, - "GetSignalMapResponse": { + "CreateChannelPlacementGroupResponse": { "type": "structure", "members": { "Arn": { - "shape": "__stringPatternArnMedialiveSignalMap", + "shape": "__string", "locationName": "arn", - "documentation": "A signal map's ARN (Amazon Resource Name)" - }, - "CloudWatchAlarmTemplateGroupIds": { - "shape": "__listOf__stringMin7Max11PatternAws097", - "locationName": "cloudWatchAlarmTemplateGroupIds" - }, - "CreatedAt": { - "shape": "__timestampIso8601", - "locationName": "createdAt" - }, - "Description": { - "shape": "__stringMin0Max1024", - "locationName": "description", - "documentation": "A resource's optional description." - }, - "DiscoveryEntryPointArn": { - "shape": "__stringMin1Max2048", - "locationName": "discoveryEntryPointArn", - "documentation": "A top-level supported AWS resource ARN to discovery a signal map from." - }, - "ErrorMessage": { - "shape": "__stringMin1Max2048", - "locationName": "errorMessage", - "documentation": "Error message associated with a failed creation or failed update attempt of a signal map." + "documentation": "The ARN of this ChannelPlacementGroup. It is automatically assigned when the ChannelPlacementGroup is created." }, - "EventBridgeRuleTemplateGroupIds": { - "shape": "__listOf__stringMin7Max11PatternAws097", - "locationName": "eventBridgeRuleTemplateGroupIds" + "Channels": { + "shape": "__listOf__string", + "locationName": "channels", + "documentation": "Used in ListChannelPlacementGroupsResult" }, - "FailedMediaResourceMap": { - "shape": "FailedMediaResourceMap", - "locationName": "failedMediaResourceMap" + "ClusterId": { + "shape": "__string", + "locationName": "clusterId", + "documentation": "The ID of the Cluster that the Node belongs to." }, "Id": { - "shape": "__stringMin7Max11PatternAws097", + "shape": "__string", "locationName": "id", - "documentation": "A signal map's id." - }, - "LastDiscoveredAt": { - "shape": "__timestampIso8601", - "locationName": "lastDiscoveredAt" + "documentation": "The ID of the ChannelPlacementGroup. Unique in the AWS account. The ID is the resource-id portion of the ARN." }, - "LastSuccessfulMonitorDeployment": { - "shape": "SuccessfulMonitorDeployment", - "locationName": "lastSuccessfulMonitorDeployment" - }, - "MediaResourceMap": { - "shape": "MediaResourceMap", - "locationName": "mediaResourceMap" + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "The name that you specified for the ChannelPlacementGroup." }, - "ModifiedAt": { - "shape": "__timestampIso8601", - "locationName": "modifiedAt" + "Nodes": { + "shape": "__listOf__string", + "locationName": "nodes", + "documentation": "An array with one item, which is the signle Node that is associated with the ChannelPlacementGroup." }, - "MonitorChangesPendingDeployment": { - "shape": "__boolean", - "locationName": "monitorChangesPendingDeployment", - "documentation": "If true, there are pending monitor changes for this signal map that can be deployed." + "State": { + "shape": "ChannelPlacementGroupState", + "locationName": "state", + "documentation": "The current state of the ChannelPlacementGroup." + } + }, + "documentation": "Placeholder documentation for CreateChannelPlacementGroupResponse" + }, + "CreateClusterRequest": { + "type": "structure", + "members": { + "ClusterType": { + "shape": "ClusterType", + "locationName": "clusterType", + "documentation": "Specify a type. All the Nodes that you later add to this Cluster must be this type of hardware. One Cluster instance can't contain different hardware types. You won't be able to change this parameter after you create the Cluster." }, - "MonitorDeployment": { - "shape": "MonitorDeployment", - "locationName": "monitorDeployment" + "InstanceRoleArn": { + "shape": "__string", + "locationName": "instanceRoleArn", + "documentation": "The ARN of the IAM role for the Node in this Cluster. The role must include all the operations that you expect these Node to perform. If necessary, create a role in IAM, then attach it here." }, "Name": { - "shape": "__stringMin1Max255PatternS", + "shape": "__string", "locationName": "name", - "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + "documentation": "Specify a name that is unique in the AWS account. We recommend that you assign a name that hints at the types of Nodes in the Cluster. Names are case-sensitive." }, - "Status": { - "shape": "SignalMapStatus", - "locationName": "status" + "NetworkSettings": { + "shape": "ClusterNetworkSettingsCreateRequest", + "locationName": "networkSettings", + "documentation": "Network settings that connect the Nodes in the Cluster to one or more of the Networks that the Cluster is associated with." + }, + "RequestId": { + "shape": "__string", + "locationName": "requestId", + "documentation": "The unique ID of the request.", + "idempotencyToken": true }, "Tags": { - "shape": "TagMap", - "locationName": "tags" + "shape": "Tags", + "locationName": "tags", + "documentation": "A collection of key-value pairs." } }, - "documentation": "Placeholder documentation for GetSignalMapResponse" + "documentation": "Create as many Clusters as you want, but create at least one. Each Cluster groups together Nodes that you want to treat as a collection. Within the Cluster, you will set up some Nodes as active Nodes, and some as backup Nodes, for Node failover purposes. Each Node can belong to only one Cluster." }, - "GetSignalMapResponseContent": { + "CreateClusterResponse": { "type": "structure", "members": { "Arn": { - "shape": "__stringPatternArnMedialiveSignalMap", + "shape": "__string", "locationName": "arn", - "documentation": "A signal map's ARN (Amazon Resource Name)" - }, - "CloudWatchAlarmTemplateGroupIds": { - "shape": "__listOf__stringMin7Max11PatternAws097", - "locationName": "cloudWatchAlarmTemplateGroupIds" + "documentation": "The ARN of this Cluster. It is automatically assigned when the Cluster is created." }, - "CreatedAt": { - "shape": "__timestampIso8601", - "locationName": "createdAt" - }, - "Description": { - "shape": "__stringMin0Max1024", - "locationName": "description", - "documentation": "A resource's optional description." - }, - "DiscoveryEntryPointArn": { - "shape": "__stringMin1Max2048", - "locationName": "discoveryEntryPointArn", - "documentation": "A top-level supported AWS resource ARN to discovery a signal map from." - }, - "ErrorMessage": { - "shape": "__stringMin1Max2048", - "locationName": "errorMessage", - "documentation": "Error message associated with a failed creation or failed update attempt of a signal map." - }, - "EventBridgeRuleTemplateGroupIds": { - "shape": "__listOf__stringMin7Max11PatternAws097", - "locationName": "eventBridgeRuleTemplateGroupIds" + "ChannelIds": { + "shape": "__listOf__string", + "locationName": "channelIds" }, - "FailedMediaResourceMap": { - "shape": "FailedMediaResourceMap", - "locationName": "failedMediaResourceMap" + "ClusterType": { + "shape": "ClusterType", + "locationName": "clusterType", + "documentation": "The hardware type for the Cluster" }, "Id": { - "shape": "__stringMin7Max11PatternAws097", + "shape": "__string", "locationName": "id", - "documentation": "A signal map's id." - }, - "LastDiscoveredAt": { - "shape": "__timestampIso8601", - "locationName": "lastDiscoveredAt" - }, - "LastSuccessfulMonitorDeployment": { - "shape": "SuccessfulMonitorDeployment", - "locationName": "lastSuccessfulMonitorDeployment" + "documentation": "The ID of the Cluster. Unique in the AWS account. The ID is the resource-id portion of the ARN." }, - "MediaResourceMap": { - "shape": "MediaResourceMap", - "locationName": "mediaResourceMap" + "InstanceRoleArn": { + "shape": "__string", + "locationName": "instanceRoleArn", + "documentation": "The ARN of the IAM role for the Node in this Cluster. Any Nodes that are associated with this Cluster assume this role. The role gives permissions to the operations that you expect these Node to perform." }, - "ModifiedAt": { - "shape": "__timestampIso8601", - "locationName": "modifiedAt" + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "The name that you specified for the Cluster." }, - "MonitorChangesPendingDeployment": { - "shape": "__boolean", - "locationName": "monitorChangesPendingDeployment", - "documentation": "If true, there are pending monitor changes for this signal map that can be deployed." + "NetworkSettings": { + "shape": "ClusterNetworkSettings", + "locationName": "networkSettings", + "documentation": "Network settings that connect the Nodes in the Cluster to one or more of the Networks that the Cluster is associated with." }, - "MonitorDeployment": { - "shape": "MonitorDeployment", - "locationName": "monitorDeployment" + "State": { + "shape": "ClusterState", + "locationName": "state", + "documentation": "The current state of the Cluster." + } + }, + "documentation": "Placeholder documentation for CreateClusterResponse" + }, + "CreateNetworkRequest": { + "type": "structure", + "members": { + "IpPools": { + "shape": "__listOfIpPoolCreateRequest", + "locationName": "ipPools", + "documentation": "An array of IpPoolCreateRequests that identify a collection of IP addresses in your network that you want to reserve for use in MediaLive Anywhere. MediaLiveAnywhere uses these IP addresses for Push inputs (in both Bridge and NATnetworks) and for output destinations (only in Bridge networks). EachIpPoolUpdateRequest specifies one CIDR block." }, "Name": { - "shape": "__stringMin1Max255PatternS", + "shape": "__string", "locationName": "name", - "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + "documentation": "Specify a name that is unique in the AWS account. We recommend that you assign a name that hints at the type of traffic on the network. Names are case-sensitive." }, - "Status": { - "shape": "SignalMapStatus", - "locationName": "status" + "RequestId": { + "shape": "__string", + "locationName": "requestId", + "documentation": "An ID that you assign to a create request. This ID ensures idempotency when creating resources.", + "idempotencyToken": true + }, + "Routes": { + "shape": "__listOfRouteCreateRequest", + "locationName": "routes", + "documentation": "An array of routes that MediaLive Anywhere needs to know about in order to route encoding traffic." }, "Tags": { - "shape": "TagMap", - "locationName": "tags" + "shape": "Tags", + "locationName": "tags", + "documentation": "A collection of key-value pairs." } }, - "required": [ - "Status", - "CreatedAt", - "Name", - "Id", - "Arn", - "DiscoveryEntryPointArn", - "MonitorChangesPendingDeployment" - ], - "documentation": "Placeholder documentation for GetSignalMapResponseContent" + "documentation": "A request to create a Network." }, - "InternalServerErrorExceptionResponseContent": { + "CreateNetworkResponse": { "type": "structure", "members": { - "Message": { + "Arn": { "shape": "__string", - "locationName": "message", - "documentation": "Exception error message." + "locationName": "arn", + "documentation": "The ARN of this Network. It is automatically assigned when the Network is created." + }, + "AssociatedClusterIds": { + "shape": "__listOf__string", + "locationName": "associatedClusterIds" + }, + "Id": { + "shape": "__string", + "locationName": "id", + "documentation": "The ID of the Network. Unique in the AWS account. The ID is the resource-id portion of the ARN." + }, + "IpPools": { + "shape": "__listOfIpPool", + "locationName": "ipPools", + "documentation": "An array of IpPools in your organization's network that identify a collection of IP addresses in this network that are reserved for use in MediaLive Anywhere. MediaLive Anywhere uses these IP addresses for Push inputs (in both Bridge and NAT networks) and for output destinations (only in Bridge networks). Each IpPool specifies one CIDR block." + }, + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "The name that you specified for the Network." + }, + "Routes": { + "shape": "__listOfRoute", + "locationName": "routes", + "documentation": "An array of routes that MediaLive Anywhere needs to know about in order to route encoding traffic." + }, + "State": { + "shape": "NetworkState", + "locationName": "state", + "documentation": "The current state of the Network. Only MediaLive Anywhere can change the state." } }, - "documentation": "Unexpected error during processing of request." + "documentation": "Placeholder documentation for CreateNetworkResponse" }, - "ListCloudWatchAlarmTemplateGroupsRequest": { + "CreateNodeRegistrationScriptRequest": { "type": "structure", "members": { - "MaxResults": { - "shape": "MaxResults", - "location": "querystring", - "locationName": "maxResults" + "ClusterId": { + "shape": "__string", + "location": "uri", + "locationName": "clusterId", + "documentation": "The ID of the cluster" }, - "NextToken": { + "Id": { "shape": "__string", - "location": "querystring", - "locationName": "nextToken", - "documentation": "A token used to retrieve the next set of results in paginated list responses." + "locationName": "id", + "documentation": "If you're generating a re-registration script for an already existing node, this is where you provide the id." }, - "Scope": { + "Name": { "shape": "__string", - "location": "querystring", - "locationName": "scope", - "documentation": "Represents the scope of a resource, with options for all scopes, AWS provided resources, or local resources." + "locationName": "name", + "documentation": "Specify a pattern for MediaLive Anywhere to use to assign a name to each Node in the Cluster. The pattern can include the variables $hn (hostname of the node hardware) and $ts for the date and time that the Node is created, in UTC (for example, 2024-08-20T23:35:12Z)." }, - "SignalMapIdentifier": { + "NodeInterfaceMappings": { + "shape": "__listOfNodeInterfaceMapping", + "locationName": "nodeInterfaceMappings", + "documentation": "Documentation update needed" + }, + "RequestId": { "shape": "__string", - "location": "querystring", - "locationName": "signalMapIdentifier", - "documentation": "A signal map's identifier. Can be either be its id or current name." + "locationName": "requestId", + "documentation": "An ID that you assign to a create request. This ID ensures idempotency when creating resources.", + "idempotencyToken": true + }, + "Role": { + "shape": "NodeRole", + "locationName": "role", + "documentation": "The initial role of the Node in the Cluster. ACTIVE means the Node is available for encoding. BACKUP means the Node is a redundant Node and might get used if an ACTIVE Node fails." } }, - "documentation": "Placeholder documentation for ListCloudWatchAlarmTemplateGroupsRequest" + "documentation": "A request to create a new node registration script.", + "required": [ + "ClusterId" + ] }, - "ListCloudWatchAlarmTemplateGroupsResponse": { + "CreateNodeRegistrationScriptResponse": { "type": "structure", "members": { - "CloudWatchAlarmTemplateGroups": { - "shape": "__listOfCloudWatchAlarmTemplateGroupSummary", - "locationName": "cloudWatchAlarmTemplateGroups" - }, - "NextToken": { - "shape": "__stringMin1Max2048", - "locationName": "nextToken", - "documentation": "A token used to retrieve the next set of results in paginated list responses." + "NodeRegistrationScript": { + "shape": "__string", + "locationName": "nodeRegistrationScript", + "documentation": "A script that can be run on a Bring Your Own Device Elemental Anywhere system to create a node in a cluster." } }, - "documentation": "Placeholder documentation for ListCloudWatchAlarmTemplateGroupsResponse" + "documentation": "Placeholder documentation for CreateNodeRegistrationScriptResponse" }, - "ListCloudWatchAlarmTemplateGroupsResponseContent": { + "CreateNodeRegistrationScriptResult": { "type": "structure", "members": { - "CloudWatchAlarmTemplateGroups": { - "shape": "__listOfCloudWatchAlarmTemplateGroupSummary", - "locationName": "cloudWatchAlarmTemplateGroups" - }, - "NextToken": { - "shape": "__stringMin1Max2048", - "locationName": "nextToken", - "documentation": "A token used to retrieve the next set of results in paginated list responses." + "NodeRegistrationScript": { + "shape": "__string", + "locationName": "nodeRegistrationScript", + "documentation": "A script that can be run on a Bring Your Own Device Elemental Anywhere system to create a node in a cluster." } }, - "required": [ - "CloudWatchAlarmTemplateGroups" - ], - "documentation": "Placeholder documentation for ListCloudWatchAlarmTemplateGroupsResponseContent" + "documentation": "Contains the response for CreateNodeRegistrationScript." }, - "ListCloudWatchAlarmTemplatesRequest": { + "CreateNodeRequest": { "type": "structure", "members": { - "GroupIdentifier": { + "ClusterId": { "shape": "__string", - "location": "querystring", - "locationName": "groupIdentifier", - "documentation": "A cloudwatch alarm template group's identifier. Can be either be its id or current name." - }, - "MaxResults": { - "shape": "MaxResults", - "location": "querystring", - "locationName": "maxResults" + "location": "uri", + "locationName": "clusterId", + "documentation": "The ID of the cluster." }, - "NextToken": { + "Name": { "shape": "__string", - "location": "querystring", - "locationName": "nextToken", - "documentation": "A token used to retrieve the next set of results in paginated list responses." + "locationName": "name", + "documentation": "The user-specified name of the Node to be created." }, - "Scope": { - "shape": "__string", - "location": "querystring", - "locationName": "scope", - "documentation": "Represents the scope of a resource, with options for all scopes, AWS provided resources, or local resources." + "NodeInterfaceMappings": { + "shape": "__listOfNodeInterfaceMappingCreateRequest", + "locationName": "nodeInterfaceMappings", + "documentation": "Documentation update needed" }, - "SignalMapIdentifier": { + "RequestId": { "shape": "__string", - "location": "querystring", - "locationName": "signalMapIdentifier", - "documentation": "A signal map's identifier. Can be either be its id or current name." + "locationName": "requestId", + "documentation": "An ID that you assign to a create request. This ID ensures idempotency when creating resources.", + "idempotencyToken": true + }, + "Role": { + "shape": "NodeRole", + "locationName": "role", + "documentation": "The initial role of the Node in the Cluster. ACTIVE means the Node is available for encoding. BACKUP means the Node is a redundant Node and might get used if an ACTIVE Node fails." + }, + "Tags": { + "shape": "Tags", + "locationName": "tags", + "documentation": "A collection of key-value pairs." } }, - "documentation": "Placeholder documentation for ListCloudWatchAlarmTemplatesRequest" + "documentation": "A request to create a node", + "required": [ + "ClusterId" + ] }, - "ListCloudWatchAlarmTemplatesResponse": { + "CreateNodeResponse": { "type": "structure", "members": { - "CloudWatchAlarmTemplates": { - "shape": "__listOfCloudWatchAlarmTemplateSummary", - "locationName": "cloudWatchAlarmTemplates" + "Arn": { + "shape": "__string", + "locationName": "arn", + "documentation": "The ARN of the Node. It is automatically assigned when the Node is created." }, - "NextToken": { - "shape": "__stringMin1Max2048", - "locationName": "nextToken", - "documentation": "A token used to retrieve the next set of results in paginated list responses." + "ChannelPlacementGroups": { + "shape": "__listOf__string", + "locationName": "channelPlacementGroups", + "documentation": "An array of IDs. Each ID is one ChannelPlacementGroup that is associated with this Node. Empty if the Node is not yet associated with any groups." + }, + "ClusterId": { + "shape": "__string", + "locationName": "clusterId", + "documentation": "The ID of the Cluster that the Node belongs to." + }, + "ConnectionState": { + "shape": "NodeConnectionState", + "locationName": "connectionState", + "documentation": "The current connection state of the Node." + }, + "Id": { + "shape": "__string", + "locationName": "id", + "documentation": "The unique ID of the Node. Unique in the Cluster. The ID is the resource-id portion of the ARN." + }, + "InstanceArn": { + "shape": "__string", + "locationName": "instanceArn", + "documentation": "The ARN of the EC2 instance hosting the Node." + }, + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "The name that you specified for the Node." + }, + "NodeInterfaceMappings": { + "shape": "__listOfNodeInterfaceMapping", + "locationName": "nodeInterfaceMappings", + "documentation": "Documentation update needed" + }, + "Role": { + "shape": "NodeRole", + "locationName": "role", + "documentation": "The initial role current role of the Node in the Cluster. ACTIVE means the Node is available for encoding. BACKUP means the Node is a redundant Node and might get used if an ACTIVE Node fails." + }, + "State": { + "shape": "NodeState", + "locationName": "state", + "documentation": "The current state of the Node." } }, - "documentation": "Placeholder documentation for ListCloudWatchAlarmTemplatesResponse" + "documentation": "Placeholder documentation for CreateNodeResponse" }, - "ListCloudWatchAlarmTemplatesResponseContent": { + "DeleteChannelPlacementGroupRequest": { "type": "structure", "members": { - "CloudWatchAlarmTemplates": { - "shape": "__listOfCloudWatchAlarmTemplateSummary", - "locationName": "cloudWatchAlarmTemplates" + "ChannelPlacementGroupId": { + "shape": "__string", + "location": "uri", + "locationName": "channelPlacementGroupId", + "documentation": "The ID of the channel placement group." }, - "NextToken": { - "shape": "__stringMin1Max2048", - "locationName": "nextToken", - "documentation": "A token used to retrieve the next set of results in paginated list responses." + "ClusterId": { + "shape": "__string", + "location": "uri", + "locationName": "clusterId", + "documentation": "The ID of the cluster." } }, "required": [ - "CloudWatchAlarmTemplates" + "ClusterId", + "ChannelPlacementGroupId" ], - "documentation": "Placeholder documentation for ListCloudWatchAlarmTemplatesResponseContent" + "documentation": "Placeholder documentation for DeleteChannelPlacementGroupRequest" }, - "ListEventBridgeRuleTemplateGroupsRequest": { + "DeleteChannelPlacementGroupResponse": { "type": "structure", "members": { - "MaxResults": { - "shape": "MaxResults", - "location": "querystring", - "locationName": "maxResults" + "Arn": { + "shape": "__string", + "locationName": "arn", + "documentation": "The ARN of this ChannelPlacementGroup. It is automatically assigned when the ChannelPlacementGroup is created." }, - "NextToken": { + "Channels": { + "shape": "__listOf__string", + "locationName": "channels", + "documentation": "Used in ListChannelPlacementGroupsResult" + }, + "ClusterId": { "shape": "__string", - "location": "querystring", - "locationName": "nextToken", - "documentation": "A token used to retrieve the next set of results in paginated list responses." + "locationName": "clusterId", + "documentation": "The ID of the Cluster that the Node belongs to." }, - "SignalMapIdentifier": { + "Id": { "shape": "__string", - "location": "querystring", - "locationName": "signalMapIdentifier", - "documentation": "A signal map's identifier. Can be either be its id or current name." + "locationName": "id", + "documentation": "The ID of the ChannelPlacementGroup. Unique in the AWS account. The ID is the resource-id portion of the ARN." + }, + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "The name that you specified for the ChannelPlacementGroup." + }, + "Nodes": { + "shape": "__listOf__string", + "locationName": "nodes", + "documentation": "An array with one item, which is the signle Node that is associated with the ChannelPlacementGroup." + }, + "State": { + "shape": "ChannelPlacementGroupState", + "locationName": "state", + "documentation": "The current state of the ChannelPlacementGroup." } }, - "documentation": "Placeholder documentation for ListEventBridgeRuleTemplateGroupsRequest" + "documentation": "Placeholder documentation for DeleteChannelPlacementGroupResponse" }, - "ListEventBridgeRuleTemplateGroupsResponse": { + "DeleteClusterRequest": { "type": "structure", "members": { - "EventBridgeRuleTemplateGroups": { - "shape": "__listOfEventBridgeRuleTemplateGroupSummary", - "locationName": "eventBridgeRuleTemplateGroups" + "ClusterId": { + "shape": "__string", + "location": "uri", + "locationName": "clusterId", + "documentation": "The ID of the cluster." + } + }, + "required": [ + "ClusterId" + ], + "documentation": "Placeholder documentation for DeleteClusterRequest" + }, + "DeleteClusterResponse": { + "type": "structure", + "members": { + "Arn": { + "shape": "__string", + "locationName": "arn", + "documentation": "The ARN of this Cluster. It is automatically assigned when the Cluster is created." + }, + "ChannelIds": { + "shape": "__listOf__string", + "locationName": "channelIds" + }, + "ClusterType": { + "shape": "ClusterType", + "locationName": "clusterType", + "documentation": "The hardware type for the Cluster" + }, + "Id": { + "shape": "__string", + "locationName": "id", + "documentation": "The ID of the Cluster. Unique in the AWS account. The ID is the resource-id portion of the ARN." + }, + "InstanceRoleArn": { + "shape": "__string", + "locationName": "instanceRoleArn", + "documentation": "The ARN of the IAM role for the Node in this Cluster. Any Nodes that are associated with this Cluster assume this role. The role gives permissions to the operations that you expect these Node to perform." + }, + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "The name that you specified for the Cluster." + }, + "NetworkSettings": { + "shape": "ClusterNetworkSettings", + "locationName": "networkSettings", + "documentation": "Network settings that connect the Nodes in the Cluster to one or more of the Networks that the Cluster is associated with." }, - "NextToken": { - "shape": "__stringMin1Max2048", - "locationName": "nextToken", - "documentation": "A token used to retrieve the next set of results in paginated list responses." + "State": { + "shape": "ClusterState", + "locationName": "state", + "documentation": "The current state of the Cluster." } }, - "documentation": "Placeholder documentation for ListEventBridgeRuleTemplateGroupsResponse" + "documentation": "Placeholder documentation for DeleteClusterResponse" }, - "ListEventBridgeRuleTemplateGroupsResponseContent": { + "DeleteNetworkRequest": { "type": "structure", "members": { - "EventBridgeRuleTemplateGroups": { - "shape": "__listOfEventBridgeRuleTemplateGroupSummary", - "locationName": "eventBridgeRuleTemplateGroups" - }, - "NextToken": { - "shape": "__stringMin1Max2048", - "locationName": "nextToken", - "documentation": "A token used to retrieve the next set of results in paginated list responses." + "NetworkId": { + "shape": "__string", + "location": "uri", + "locationName": "networkId", + "documentation": "The ID of the network." } }, "required": [ - "EventBridgeRuleTemplateGroups" + "NetworkId" ], - "documentation": "Placeholder documentation for ListEventBridgeRuleTemplateGroupsResponseContent" + "documentation": "Placeholder documentation for DeleteNetworkRequest" }, - "ListEventBridgeRuleTemplatesRequest": { + "DeleteNetworkResponse": { "type": "structure", "members": { - "GroupIdentifier": { + "Arn": { "shape": "__string", - "location": "querystring", - "locationName": "groupIdentifier", - "documentation": "An eventbridge rule template group's identifier. Can be either be its id or current name." + "locationName": "arn", + "documentation": "The ARN of this Network. It is automatically assigned when the Network is created." }, - "MaxResults": { - "shape": "MaxResults", - "location": "querystring", - "locationName": "maxResults" + "AssociatedClusterIds": { + "shape": "__listOf__string", + "locationName": "associatedClusterIds" }, - "NextToken": { + "Id": { "shape": "__string", - "location": "querystring", - "locationName": "nextToken", - "documentation": "A token used to retrieve the next set of results in paginated list responses." + "locationName": "id", + "documentation": "The ID of the Network. Unique in the AWS account. The ID is the resource-id portion of the ARN." }, - "SignalMapIdentifier": { + "IpPools": { + "shape": "__listOfIpPool", + "locationName": "ipPools", + "documentation": "An array of IpPools in your organization's network that identify a collection of IP addresses in this network that are reserved for use in MediaLive Anywhere. MediaLive Anywhere uses these IP addresses for Push inputs (in both Bridge and NAT networks) and for output destinations (only in Bridge networks). Each IpPool specifies one CIDR block." + }, + "Name": { "shape": "__string", - "location": "querystring", - "locationName": "signalMapIdentifier", - "documentation": "A signal map's identifier. Can be either be its id or current name." - } - }, - "documentation": "Placeholder documentation for ListEventBridgeRuleTemplatesRequest" - }, - "ListEventBridgeRuleTemplatesResponse": { - "type": "structure", - "members": { - "EventBridgeRuleTemplates": { - "shape": "__listOfEventBridgeRuleTemplateSummary", - "locationName": "eventBridgeRuleTemplates" + "locationName": "name", + "documentation": "The name that you specified for the Network." }, - "NextToken": { - "shape": "__stringMin1Max2048", - "locationName": "nextToken", - "documentation": "A token used to retrieve the next set of results in paginated list responses." + "Routes": { + "shape": "__listOfRoute", + "locationName": "routes", + "documentation": "An array of routes that MediaLive Anywhere needs to know about in order to route encoding traffic." + }, + "State": { + "shape": "NetworkState", + "locationName": "state", + "documentation": "The current state of the Network. Only MediaLive Anywhere can change the state." } }, - "documentation": "Placeholder documentation for ListEventBridgeRuleTemplatesResponse" + "documentation": "Placeholder documentation for DeleteNetworkResponse" }, - "ListEventBridgeRuleTemplatesResponseContent": { + "DeleteNodeRequest": { "type": "structure", "members": { - "EventBridgeRuleTemplates": { - "shape": "__listOfEventBridgeRuleTemplateSummary", - "locationName": "eventBridgeRuleTemplates" + "ClusterId": { + "shape": "__string", + "location": "uri", + "locationName": "clusterId", + "documentation": "The ID of the cluster" }, - "NextToken": { - "shape": "__stringMin1Max2048", - "locationName": "nextToken", - "documentation": "A token used to retrieve the next set of results in paginated list responses." + "NodeId": { + "shape": "__string", + "location": "uri", + "locationName": "nodeId", + "documentation": "The ID of the node." } }, "required": [ - "EventBridgeRuleTemplates" + "NodeId", + "ClusterId" ], - "documentation": "Placeholder documentation for ListEventBridgeRuleTemplatesResponseContent" + "documentation": "Placeholder documentation for DeleteNodeRequest" }, - "ListSignalMapsRequest": { + "DeleteNodeResponse": { "type": "structure", "members": { - "CloudWatchAlarmTemplateGroupIdentifier": { + "Arn": { "shape": "__string", - "location": "querystring", - "locationName": "cloudWatchAlarmTemplateGroupIdentifier", - "documentation": "A cloudwatch alarm template group's identifier. Can be either be its id or current name." + "locationName": "arn", + "documentation": "The ARN of the Node. It is automatically assigned when the Node is created." }, - "EventBridgeRuleTemplateGroupIdentifier": { + "ChannelPlacementGroups": { + "shape": "__listOf__string", + "locationName": "channelPlacementGroups", + "documentation": "An array of IDs. Each ID is one ChannelPlacementGroup that is associated with this Node. Empty if the Node is not yet associated with any groups." + }, + "ClusterId": { "shape": "__string", - "location": "querystring", - "locationName": "eventBridgeRuleTemplateGroupIdentifier", - "documentation": "An eventbridge rule template group's identifier. Can be either be its id or current name." + "locationName": "clusterId", + "documentation": "The ID of the Cluster that the Node belongs to." }, - "MaxResults": { - "shape": "MaxResults", - "location": "querystring", - "locationName": "maxResults" + "ConnectionState": { + "shape": "NodeConnectionState", + "locationName": "connectionState", + "documentation": "The current connection state of the Node." }, - "NextToken": { + "Id": { "shape": "__string", - "location": "querystring", - "locationName": "nextToken", - "documentation": "A token used to retrieve the next set of results in paginated list responses." + "locationName": "id", + "documentation": "The unique ID of the Node. Unique in the Cluster. The ID is the resource-id portion of the ARN." + }, + "InstanceArn": { + "shape": "__string", + "locationName": "instanceArn", + "documentation": "The ARN of the EC2 instance hosting the Node." + }, + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "The name that you specified for the Node." + }, + "NodeInterfaceMappings": { + "shape": "__listOfNodeInterfaceMapping", + "locationName": "nodeInterfaceMappings", + "documentation": "Documentation update needed" + }, + "Role": { + "shape": "NodeRole", + "locationName": "role", + "documentation": "The initial role current role of the Node in the Cluster. ACTIVE means the Node is available for encoding. BACKUP means the Node is a redundant Node and might get used if an ACTIVE Node fails." + }, + "State": { + "shape": "NodeState", + "locationName": "state", + "documentation": "The current state of the Node." } }, - "documentation": "Placeholder documentation for ListSignalMapsRequest" + "documentation": "Placeholder documentation for DeleteNodeResponse" }, - "ListSignalMapsResponse": { + "DescribeAnywhereSettings": { "type": "structure", "members": { - "NextToken": { - "shape": "__stringMin1Max2048", - "locationName": "nextToken", - "documentation": "A token used to retrieve the next set of results in paginated list responses." + "ChannelPlacementGroupId": { + "shape": "__string", + "locationName": "channelPlacementGroupId", + "documentation": "The ID of the channel placement group for the channel." }, - "SignalMaps": { - "shape": "__listOfSignalMapSummary", - "locationName": "signalMaps" + "ClusterId": { + "shape": "__string", + "locationName": "clusterId", + "documentation": "The ID of the cluster for the channel." } }, - "documentation": "Placeholder documentation for ListSignalMapsResponse" + "documentation": "Elemental anywhere settings" }, - "ListSignalMapsResponseContent": { + "DescribeChannelPlacementGroupRequest": { "type": "structure", "members": { - "NextToken": { - "shape": "__stringMin1Max2048", - "locationName": "nextToken", - "documentation": "A token used to retrieve the next set of results in paginated list responses." + "ChannelPlacementGroupId": { + "shape": "__string", + "location": "uri", + "locationName": "channelPlacementGroupId", + "documentation": "The ID of the channel placement group." }, - "SignalMaps": { - "shape": "__listOfSignalMapSummary", - "locationName": "signalMaps" + "ClusterId": { + "shape": "__string", + "location": "uri", + "locationName": "clusterId", + "documentation": "The ID of the cluster." } }, "required": [ - "SignalMaps" + "ClusterId", + "ChannelPlacementGroupId" ], - "documentation": "Placeholder documentation for ListSignalMapsResponseContent" - }, - "MediaResource": { - "type": "structure", - "members": { - "Destinations": { - "shape": "__listOfMediaResourceNeighbor", - "locationName": "destinations" - }, - "Name": { - "shape": "__stringMin1Max256", - "locationName": "name", - "documentation": "The logical name of an AWS media resource." - }, - "Sources": { - "shape": "__listOfMediaResourceNeighbor", - "locationName": "sources" - } - }, - "documentation": "An AWS resource used in media workflows." - }, - "MediaResourceMap": { - "type": "map", - "documentation": "A map representing an AWS media workflow as a graph.", - "key": { - "shape": "__string" - }, - "value": { - "shape": "MediaResource" - } + "documentation": "Placeholder documentation for DescribeChannelPlacementGroupRequest" }, - "MediaResourceNeighbor": { + "DescribeChannelPlacementGroupResponse": { "type": "structure", "members": { "Arn": { - "shape": "__stringMin1Max2048PatternArn", + "shape": "__string", "locationName": "arn", - "documentation": "The ARN of a resource used in AWS media workflows." + "documentation": "The ARN of this ChannelPlacementGroup. It is automatically assigned when the ChannelPlacementGroup is created." + }, + "Channels": { + "shape": "__listOf__string", + "locationName": "channels", + "documentation": "Used in ListChannelPlacementGroupsResult" + }, + "ClusterId": { + "shape": "__string", + "locationName": "clusterId", + "documentation": "The ID of the Cluster that the Node belongs to." + }, + "Id": { + "shape": "__string", + "locationName": "id", + "documentation": "The ID of the ChannelPlacementGroup. Unique in the AWS account. The ID is the resource-id portion of the ARN." }, "Name": { - "shape": "__stringMin1Max256", + "shape": "__string", "locationName": "name", - "documentation": "The logical name of an AWS media resource." - } - }, - "documentation": "A direct source or destination neighbor to an AWS media resource.", - "required": [ - "Arn" - ] - }, - "MonitorDeployment": { - "type": "structure", - "members": { - "DetailsUri": { - "shape": "__stringMin1Max2048", - "locationName": "detailsUri", - "documentation": "URI associated with a signal map's monitor deployment." + "documentation": "The name that you specified for the ChannelPlacementGroup." }, - "ErrorMessage": { - "shape": "__stringMin1Max2048", - "locationName": "errorMessage", - "documentation": "Error message associated with a failed monitor deployment of a signal map." + "Nodes": { + "shape": "__listOf__string", + "locationName": "nodes", + "documentation": "An array with one item, which is the signle Node that is associated with the ChannelPlacementGroup." }, - "Status": { - "shape": "SignalMapMonitorDeploymentStatus", - "locationName": "status" + "State": { + "shape": "ChannelPlacementGroupState", + "locationName": "state", + "documentation": "The current state of the ChannelPlacementGroup." } }, - "documentation": "Represents the latest monitor deployment of a signal map.", - "required": [ - "Status" - ] + "documentation": "Placeholder documentation for DescribeChannelPlacementGroupResponse" }, - "NotFoundExceptionResponseContent": { + "DescribeChannelPlacementGroupResult": { "type": "structure", "members": { - "Message": { + "Arn": { "shape": "__string", - "locationName": "message", - "documentation": "Exception error message." - } - }, - "documentation": "Request references a resource which does not exist." - }, - "SignalMapMonitorDeploymentStatus": { - "type": "string", - "documentation": "A signal map's monitor deployment status.", - "enum": [ - "NOT_DEPLOYED", - "DRY_RUN_DEPLOYMENT_COMPLETE", - "DRY_RUN_DEPLOYMENT_FAILED", - "DRY_RUN_DEPLOYMENT_IN_PROGRESS", - "DEPLOYMENT_COMPLETE", - "DEPLOYMENT_FAILED", - "DEPLOYMENT_IN_PROGRESS", - "DELETE_COMPLETE", - "DELETE_FAILED", - "DELETE_IN_PROGRESS" - ] - }, - "SignalMapStatus": { - "type": "string", - "documentation": "A signal map's current status which is dependent on its lifecycle actions or associated jobs.", - "enum": [ - "CREATE_IN_PROGRESS", - "CREATE_COMPLETE", - "CREATE_FAILED", - "UPDATE_IN_PROGRESS", - "UPDATE_COMPLETE", - "UPDATE_REVERTED", - "UPDATE_FAILED", - "READY", - "NOT_READY" - ] + "locationName": "arn", + "documentation": "The ARN of this ChannelPlacementGroup. It is automatically assigned when the ChannelPlacementGroup is created." + }, + "Channels": { + "shape": "__listOf__string", + "locationName": "channels", + "documentation": "Used in ListChannelPlacementGroupsResult" + }, + "ClusterId": { + "shape": "__string", + "locationName": "clusterId", + "documentation": "The ID of the Cluster that the Node belongs to." + }, + "Id": { + "shape": "__string", + "locationName": "id", + "documentation": "The ID of the ChannelPlacementGroup. Unique in the AWS account. The ID is the resource-id portion of the ARN." + }, + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "The name that you specified for the ChannelPlacementGroup." + }, + "Nodes": { + "shape": "__listOf__string", + "locationName": "nodes", + "documentation": "An array with one item, which is the signle Node that is associated with the ChannelPlacementGroup." + }, + "State": { + "shape": "ChannelPlacementGroupState", + "locationName": "state", + "documentation": "The current state of the ChannelPlacementGroup." + } + }, + "documentation": "Contains the response for CreateChannelPlacementGroup, DescribeChannelPlacementGroup, DeleteChannelPlacementGroup, UpdateChannelPlacementGroup" }, - "SignalMapSummary": { + "DescribeChannelPlacementGroupSummary": { "type": "structure", "members": { "Arn": { - "shape": "__stringPatternArnMedialiveSignalMap", + "shape": "__string", "locationName": "arn", - "documentation": "A signal map's ARN (Amazon Resource Name)" + "documentation": "The ARN of this ChannelPlacementGroup. It is automatically assigned when the ChannelPlacementGroup is created." }, - "CreatedAt": { - "shape": "__timestampIso8601", - "locationName": "createdAt" + "Channels": { + "shape": "__listOf__string", + "locationName": "channels", + "documentation": "Used in ListChannelPlacementGroupsResult" }, - "Description": { - "shape": "__stringMin0Max1024", - "locationName": "description", - "documentation": "A resource's optional description." + "ClusterId": { + "shape": "__string", + "locationName": "clusterId", + "documentation": "The ID of the Cluster that the Node belongs to." }, "Id": { - "shape": "__stringMin7Max11PatternAws097", + "shape": "__string", "locationName": "id", - "documentation": "A signal map's id." - }, - "ModifiedAt": { - "shape": "__timestampIso8601", - "locationName": "modifiedAt" - }, - "MonitorDeploymentStatus": { - "shape": "SignalMapMonitorDeploymentStatus", - "locationName": "monitorDeploymentStatus" + "documentation": "The ID of the ChannelPlacementGroup. Unique in the AWS account. The ID is the resource-id portion of the ARN." }, "Name": { - "shape": "__stringMin1Max255PatternS", + "shape": "__string", "locationName": "name", - "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + "documentation": "The name that you specified for the ChannelPlacementGroup." }, - "Status": { - "shape": "SignalMapStatus", - "locationName": "status" + "Nodes": { + "shape": "__listOf__string", + "locationName": "nodes", + "documentation": "An array with one item, which is the signle Node that is associated with the ChannelPlacementGroup." }, - "Tags": { - "shape": "TagMap", - "locationName": "tags" + "State": { + "shape": "ChannelPlacementGroupState", + "locationName": "state", + "documentation": "The current state of the ChannelPlacementGroup." } }, - "required": [ - "Status", - "MonitorDeploymentStatus", - "CreatedAt", - "Id", - "Arn", - "Name" - ], - "documentation": "Placeholder documentation for SignalMapSummary" + "documentation": "Contains the response for ListChannelPlacementGroups" }, - "StartDeleteMonitorDeploymentRequest": { + "DescribeClusterRequest": { "type": "structure", "members": { - "Identifier": { + "ClusterId": { "shape": "__string", "location": "uri", - "locationName": "identifier", - "documentation": "A signal map's identifier. Can be either be its id or current name." + "locationName": "clusterId", + "documentation": "The ID of the cluster." } }, "required": [ - "Identifier" + "ClusterId" ], - "documentation": "Placeholder documentation for StartDeleteMonitorDeploymentRequest" + "documentation": "Placeholder documentation for DescribeClusterRequest" }, - "StartDeleteMonitorDeploymentResponse": { + "DescribeClusterResponse": { "type": "structure", "members": { "Arn": { - "shape": "__stringPatternArnMedialiveSignalMap", + "shape": "__string", "locationName": "arn", - "documentation": "A signal map's ARN (Amazon Resource Name)" - }, - "CloudWatchAlarmTemplateGroupIds": { - "shape": "__listOf__stringMin7Max11PatternAws097", - "locationName": "cloudWatchAlarmTemplateGroupIds" - }, - "CreatedAt": { - "shape": "__timestampIso8601", - "locationName": "createdAt" - }, - "Description": { - "shape": "__stringMin0Max1024", - "locationName": "description", - "documentation": "A resource's optional description." - }, - "DiscoveryEntryPointArn": { - "shape": "__stringMin1Max2048", - "locationName": "discoveryEntryPointArn", - "documentation": "A top-level supported AWS resource ARN to discovery a signal map from." - }, - "ErrorMessage": { - "shape": "__stringMin1Max2048", - "locationName": "errorMessage", - "documentation": "Error message associated with a failed creation or failed update attempt of a signal map." + "documentation": "The ARN of this Cluster. It is automatically assigned when the Cluster is created." }, - "EventBridgeRuleTemplateGroupIds": { - "shape": "__listOf__stringMin7Max11PatternAws097", - "locationName": "eventBridgeRuleTemplateGroupIds" + "ChannelIds": { + "shape": "__listOf__string", + "locationName": "channelIds" }, - "FailedMediaResourceMap": { - "shape": "FailedMediaResourceMap", - "locationName": "failedMediaResourceMap" + "ClusterType": { + "shape": "ClusterType", + "locationName": "clusterType", + "documentation": "The hardware type for the Cluster" }, "Id": { - "shape": "__stringMin7Max11PatternAws097", + "shape": "__string", "locationName": "id", - "documentation": "A signal map's id." - }, - "LastDiscoveredAt": { - "shape": "__timestampIso8601", - "locationName": "lastDiscoveredAt" - }, - "LastSuccessfulMonitorDeployment": { - "shape": "SuccessfulMonitorDeployment", - "locationName": "lastSuccessfulMonitorDeployment" - }, - "MediaResourceMap": { - "shape": "MediaResourceMap", - "locationName": "mediaResourceMap" - }, - "ModifiedAt": { - "shape": "__timestampIso8601", - "locationName": "modifiedAt" - }, - "MonitorChangesPendingDeployment": { - "shape": "__boolean", - "locationName": "monitorChangesPendingDeployment", - "documentation": "If true, there are pending monitor changes for this signal map that can be deployed." + "documentation": "The ID of the Cluster. Unique in the AWS account. The ID is the resource-id portion of the ARN." }, - "MonitorDeployment": { - "shape": "MonitorDeployment", - "locationName": "monitorDeployment" + "InstanceRoleArn": { + "shape": "__string", + "locationName": "instanceRoleArn", + "documentation": "The ARN of the IAM role for the Node in this Cluster. Any Nodes that are associated with this Cluster assume this role. The role gives permissions to the operations that you expect these Node to perform." }, "Name": { - "shape": "__stringMin1Max255PatternS", + "shape": "__string", "locationName": "name", - "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + "documentation": "The name that you specified for the Cluster." }, - "Status": { - "shape": "SignalMapStatus", - "locationName": "status" + "NetworkSettings": { + "shape": "ClusterNetworkSettings", + "locationName": "networkSettings", + "documentation": "Network settings that connect the Nodes in the Cluster to one or more of the Networks that the Cluster is associated with." }, - "Tags": { - "shape": "TagMap", - "locationName": "tags" + "State": { + "shape": "ClusterState", + "locationName": "state", + "documentation": "The current state of the Cluster." } }, - "documentation": "Placeholder documentation for StartDeleteMonitorDeploymentResponse" + "documentation": "Placeholder documentation for DescribeClusterResponse" }, - "StartDeleteMonitorDeploymentResponseContent": { + "DescribeClusterResult": { "type": "structure", "members": { "Arn": { - "shape": "__stringPatternArnMedialiveSignalMap", + "shape": "__string", "locationName": "arn", - "documentation": "A signal map's ARN (Amazon Resource Name)" - }, - "CloudWatchAlarmTemplateGroupIds": { - "shape": "__listOf__stringMin7Max11PatternAws097", - "locationName": "cloudWatchAlarmTemplateGroupIds" - }, - "CreatedAt": { - "shape": "__timestampIso8601", - "locationName": "createdAt" - }, - "Description": { - "shape": "__stringMin0Max1024", - "locationName": "description", - "documentation": "A resource's optional description." - }, - "DiscoveryEntryPointArn": { - "shape": "__stringMin1Max2048", - "locationName": "discoveryEntryPointArn", - "documentation": "A top-level supported AWS resource ARN to discovery a signal map from." - }, - "ErrorMessage": { - "shape": "__stringMin1Max2048", - "locationName": "errorMessage", - "documentation": "Error message associated with a failed creation or failed update attempt of a signal map." + "documentation": "The ARN of this Cluster. It is automatically assigned when the Cluster is created." }, - "EventBridgeRuleTemplateGroupIds": { - "shape": "__listOf__stringMin7Max11PatternAws097", - "locationName": "eventBridgeRuleTemplateGroupIds" + "ChannelIds": { + "shape": "__listOf__string", + "locationName": "channelIds" }, - "FailedMediaResourceMap": { - "shape": "FailedMediaResourceMap", - "locationName": "failedMediaResourceMap" + "ClusterType": { + "shape": "ClusterType", + "locationName": "clusterType", + "documentation": "The hardware type for the Cluster" }, "Id": { - "shape": "__stringMin7Max11PatternAws097", + "shape": "__string", "locationName": "id", - "documentation": "A signal map's id." + "documentation": "The ID of the Cluster. Unique in the AWS account. The ID is the resource-id portion of the ARN." }, - "LastDiscoveredAt": { - "shape": "__timestampIso8601", - "locationName": "lastDiscoveredAt" + "InstanceRoleArn": { + "shape": "__string", + "locationName": "instanceRoleArn", + "documentation": "The ARN of the IAM role for the Node in this Cluster. Any Nodes that are associated with this Cluster assume this role. The role gives permissions to the operations that you expect these Node to perform." }, - "LastSuccessfulMonitorDeployment": { - "shape": "SuccessfulMonitorDeployment", - "locationName": "lastSuccessfulMonitorDeployment" + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "The name that you specified for the Cluster." }, - "MediaResourceMap": { - "shape": "MediaResourceMap", - "locationName": "mediaResourceMap" + "NetworkSettings": { + "shape": "ClusterNetworkSettings", + "locationName": "networkSettings", + "documentation": "Network settings that connect the Nodes in the Cluster to one or more of the Networks that the Cluster is associated with." }, - "ModifiedAt": { - "shape": "__timestampIso8601", - "locationName": "modifiedAt" + "State": { + "shape": "ClusterState", + "locationName": "state", + "documentation": "The current state of the Cluster." + } + }, + "documentation": "Contains the response for CreateCluster, DescribeCluster, DeleteCluster, UpdateCluster" + }, + "DescribeClusterSummary": { + "type": "structure", + "members": { + "Arn": { + "shape": "__string", + "locationName": "arn", + "documentation": "The ARN of this Cluster. It is automatically assigned when the Cluster is created." }, - "MonitorChangesPendingDeployment": { - "shape": "__boolean", - "locationName": "monitorChangesPendingDeployment", - "documentation": "If true, there are pending monitor changes for this signal map that can be deployed." + "ChannelIds": { + "shape": "__listOf__string", + "locationName": "channelIds", + "documentation": "An array of the IDs of the Channels that are associated with this Cluster. One Channel is associated with the Cluster as follows: A Channel belongs to a ChannelPlacementGroup. A ChannelPlacementGroup is attached to a Node. A Node belongs to a Cluster." }, - "MonitorDeployment": { - "shape": "MonitorDeployment", - "locationName": "monitorDeployment" + "ClusterType": { + "shape": "ClusterType", + "locationName": "clusterType", + "documentation": "The hardware type for the Cluster." + }, + "Id": { + "shape": "__string", + "locationName": "id", + "documentation": "The ID of the Cluster. Unique in the AWS account. The ID is the resource-id portion of the ARN." + }, + "InstanceRoleArn": { + "shape": "__string", + "locationName": "instanceRoleArn", + "documentation": "The ARN of the IAM role for the Node in this Cluster. Any Nodes that are associated with this Cluster assume this role. The role gives permissions to the operations that you expect these Node to perform." }, "Name": { - "shape": "__stringMin1Max255PatternS", + "shape": "__string", "locationName": "name", - "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + "documentation": "The name that you specified for the Cluster." }, - "Status": { - "shape": "SignalMapStatus", - "locationName": "status" + "NetworkSettings": { + "shape": "ClusterNetworkSettings", + "locationName": "networkSettings", + "documentation": "Network settings that connect the Nodes in the Cluster to one or more of the Networks that the Cluster is associated with." }, - "Tags": { - "shape": "TagMap", - "locationName": "tags" - } - }, - "required": [ - "Status", - "CreatedAt", - "Name", - "Id", - "Arn", - "DiscoveryEntryPointArn", - "MonitorChangesPendingDeployment" - ], - "documentation": "Placeholder documentation for StartDeleteMonitorDeploymentResponseContent" + "State": { + "shape": "ClusterState", + "locationName": "state", + "documentation": "The current state of the Cluster." + } + }, + "documentation": "Used in ListClustersResult." }, - "StartMonitorDeploymentRequest": { + "DescribeNetworkRequest": { "type": "structure", "members": { - "DryRun": { - "shape": "__boolean", - "locationName": "dryRun" - }, - "Identifier": { + "NetworkId": { "shape": "__string", "location": "uri", - "locationName": "identifier", - "documentation": "A signal map's identifier. Can be either be its id or current name." + "locationName": "networkId", + "documentation": "The ID of the network." } }, "required": [ - "Identifier" + "NetworkId" ], - "documentation": "Placeholder documentation for StartMonitorDeploymentRequest" - }, - "StartMonitorDeploymentRequestContent": { - "type": "structure", - "members": { - "DryRun": { - "shape": "__boolean", - "locationName": "dryRun" - } - }, - "documentation": "Placeholder documentation for StartMonitorDeploymentRequestContent" + "documentation": "Placeholder documentation for DescribeNetworkRequest" }, - "StartMonitorDeploymentResponse": { + "DescribeNetworkResponse": { "type": "structure", "members": { "Arn": { - "shape": "__stringPatternArnMedialiveSignalMap", + "shape": "__string", "locationName": "arn", - "documentation": "A signal map's ARN (Amazon Resource Name)" - }, - "CloudWatchAlarmTemplateGroupIds": { - "shape": "__listOf__stringMin7Max11PatternAws097", - "locationName": "cloudWatchAlarmTemplateGroupIds" - }, - "CreatedAt": { - "shape": "__timestampIso8601", - "locationName": "createdAt" - }, - "Description": { - "shape": "__stringMin0Max1024", - "locationName": "description", - "documentation": "A resource's optional description." - }, - "DiscoveryEntryPointArn": { - "shape": "__stringMin1Max2048", - "locationName": "discoveryEntryPointArn", - "documentation": "A top-level supported AWS resource ARN to discovery a signal map from." - }, - "ErrorMessage": { - "shape": "__stringMin1Max2048", - "locationName": "errorMessage", - "documentation": "Error message associated with a failed creation or failed update attempt of a signal map." - }, - "EventBridgeRuleTemplateGroupIds": { - "shape": "__listOf__stringMin7Max11PatternAws097", - "locationName": "eventBridgeRuleTemplateGroupIds" + "documentation": "The ARN of this Network. It is automatically assigned when the Network is created." }, - "FailedMediaResourceMap": { - "shape": "FailedMediaResourceMap", - "locationName": "failedMediaResourceMap" + "AssociatedClusterIds": { + "shape": "__listOf__string", + "locationName": "associatedClusterIds" }, "Id": { - "shape": "__stringMin7Max11PatternAws097", + "shape": "__string", "locationName": "id", - "documentation": "A signal map's id." - }, - "LastDiscoveredAt": { - "shape": "__timestampIso8601", - "locationName": "lastDiscoveredAt" - }, - "LastSuccessfulMonitorDeployment": { - "shape": "SuccessfulMonitorDeployment", - "locationName": "lastSuccessfulMonitorDeployment" - }, - "MediaResourceMap": { - "shape": "MediaResourceMap", - "locationName": "mediaResourceMap" - }, - "ModifiedAt": { - "shape": "__timestampIso8601", - "locationName": "modifiedAt" - }, - "MonitorChangesPendingDeployment": { - "shape": "__boolean", - "locationName": "monitorChangesPendingDeployment", - "documentation": "If true, there are pending monitor changes for this signal map that can be deployed." + "documentation": "The ID of the Network. Unique in the AWS account. The ID is the resource-id portion of the ARN." }, - "MonitorDeployment": { - "shape": "MonitorDeployment", - "locationName": "monitorDeployment" + "IpPools": { + "shape": "__listOfIpPool", + "locationName": "ipPools", + "documentation": "An array of IpPools in your organization's network that identify a collection of IP addresses in this network that are reserved for use in MediaLive Anywhere. MediaLive Anywhere uses these IP addresses for Push inputs (in both Bridge and NAT networks) and for output destinations (only in Bridge networks). Each IpPool specifies one CIDR block." }, "Name": { - "shape": "__stringMin1Max255PatternS", + "shape": "__string", "locationName": "name", - "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + "documentation": "The name that you specified for the Network." }, - "Status": { - "shape": "SignalMapStatus", - "locationName": "status" + "Routes": { + "shape": "__listOfRoute", + "locationName": "routes", + "documentation": "An array of routes that MediaLive Anywhere needs to know about in order to route encoding traffic." }, - "Tags": { - "shape": "TagMap", - "locationName": "tags" + "State": { + "shape": "NetworkState", + "locationName": "state", + "documentation": "The current state of the Network. Only MediaLive Anywhere can change the state." } }, - "documentation": "Placeholder documentation for StartMonitorDeploymentResponse" + "documentation": "Placeholder documentation for DescribeNetworkResponse" }, - "StartMonitorDeploymentResponseContent": { + "DescribeNetworkResult": { "type": "structure", "members": { "Arn": { - "shape": "__stringPatternArnMedialiveSignalMap", + "shape": "__string", "locationName": "arn", - "documentation": "A signal map's ARN (Amazon Resource Name)" + "documentation": "The ARN of this Network. It is automatically assigned when the Network is created." }, - "CloudWatchAlarmTemplateGroupIds": { - "shape": "__listOf__stringMin7Max11PatternAws097", - "locationName": "cloudWatchAlarmTemplateGroupIds" + "AssociatedClusterIds": { + "shape": "__listOf__string", + "locationName": "associatedClusterIds" }, - "CreatedAt": { - "shape": "__timestampIso8601", - "locationName": "createdAt" + "Id": { + "shape": "__string", + "locationName": "id", + "documentation": "The ID of the Network. Unique in the AWS account. The ID is the resource-id portion of the ARN." }, - "Description": { - "shape": "__stringMin0Max1024", - "locationName": "description", - "documentation": "A resource's optional description." + "IpPools": { + "shape": "__listOfIpPool", + "locationName": "ipPools", + "documentation": "An array of IpPools in your organization's network that identify a collection of IP addresses in this network that are reserved for use in MediaLive Anywhere. MediaLive Anywhere uses these IP addresses for Push inputs (in both Bridge and NAT networks) and for output destinations (only in Bridge networks). Each IpPool specifies one CIDR block." }, - "DiscoveryEntryPointArn": { - "shape": "__stringMin1Max2048", - "locationName": "discoveryEntryPointArn", - "documentation": "A top-level supported AWS resource ARN to discovery a signal map from." + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "The name that you specified for the Network." }, - "ErrorMessage": { - "shape": "__stringMin1Max2048", - "locationName": "errorMessage", - "documentation": "Error message associated with a failed creation or failed update attempt of a signal map." + "Routes": { + "shape": "__listOfRoute", + "locationName": "routes", + "documentation": "An array of routes that MediaLive Anywhere needs to know about in order to route encoding traffic." }, - "EventBridgeRuleTemplateGroupIds": { - "shape": "__listOf__stringMin7Max11PatternAws097", - "locationName": "eventBridgeRuleTemplateGroupIds" + "State": { + "shape": "NetworkState", + "locationName": "state", + "documentation": "The current state of the Network. Only MediaLive Anywhere can change the state." + } + }, + "documentation": "Contains the response for CreateNetwork, DescribeNetwork, DeleteNetwork, UpdateNetwork." + }, + "DescribeNetworkSummary": { + "type": "structure", + "members": { + "Arn": { + "shape": "__string", + "locationName": "arn", + "documentation": "The ARN of this Network. It is automatically assigned when the Network is created." }, - "FailedMediaResourceMap": { - "shape": "FailedMediaResourceMap", - "locationName": "failedMediaResourceMap" + "AssociatedClusterIds": { + "shape": "__listOf__string", + "locationName": "associatedClusterIds" }, "Id": { - "shape": "__stringMin7Max11PatternAws097", + "shape": "__string", "locationName": "id", - "documentation": "A signal map's id." - }, - "LastDiscoveredAt": { - "shape": "__timestampIso8601", - "locationName": "lastDiscoveredAt" - }, - "LastSuccessfulMonitorDeployment": { - "shape": "SuccessfulMonitorDeployment", - "locationName": "lastSuccessfulMonitorDeployment" - }, - "MediaResourceMap": { - "shape": "MediaResourceMap", - "locationName": "mediaResourceMap" + "documentation": "The ID of the Network. Unique in the AWS account. The ID is the resource-id portion of the ARN." }, - "ModifiedAt": { - "shape": "__timestampIso8601", - "locationName": "modifiedAt" - }, - "MonitorChangesPendingDeployment": { - "shape": "__boolean", - "locationName": "monitorChangesPendingDeployment", - "documentation": "If true, there are pending monitor changes for this signal map that can be deployed." - }, - "MonitorDeployment": { - "shape": "MonitorDeployment", - "locationName": "monitorDeployment" + "IpPools": { + "shape": "__listOfIpPool", + "locationName": "ipPools", + "documentation": "An array of IpPools in your organization's network that identify a collection of IP addresses in your organization's network that are reserved for use in MediaLive Anywhere. MediaLive Anywhere uses these IP addresses for Push inputs (in both Bridge and NAT networks) and for output destinations (only in Bridge networks). Each IpPool specifies one CIDR block." }, "Name": { - "shape": "__stringMin1Max255PatternS", + "shape": "__string", "locationName": "name", - "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + "documentation": "The name that you specified for this Network." }, - "Status": { - "shape": "SignalMapStatus", - "locationName": "status" + "Routes": { + "shape": "__listOfRoute", + "locationName": "routes", + "documentation": "An array of routes that MediaLive Anywhere needs to know about in order to route encoding traffic." }, - "Tags": { - "shape": "TagMap", - "locationName": "tags" + "State": { + "shape": "NetworkState", + "locationName": "state", + "documentation": "The current state of the Network. Only MediaLive Anywhere can change the state." + } + }, + "documentation": "Used in ListNetworksResult." + }, + "DescribeNodeRequest": { + "type": "structure", + "members": { + "ClusterId": { + "shape": "__string", + "location": "uri", + "locationName": "clusterId", + "documentation": "The ID of the cluster" + }, + "NodeId": { + "shape": "__string", + "location": "uri", + "locationName": "nodeId", + "documentation": "The ID of the node." } }, "required": [ - "Status", - "CreatedAt", - "Name", - "Id", - "Arn", - "DiscoveryEntryPointArn", - "MonitorChangesPendingDeployment" + "NodeId", + "ClusterId" ], - "documentation": "Placeholder documentation for StartMonitorDeploymentResponseContent" + "documentation": "Placeholder documentation for DescribeNodeRequest" }, - "StartUpdateSignalMapRequest": { + "DescribeNodeResponse": { "type": "structure", "members": { - "CloudWatchAlarmTemplateGroupIdentifiers": { - "shape": "__listOf__stringPatternS", - "locationName": "cloudWatchAlarmTemplateGroupIdentifiers" + "Arn": { + "shape": "__string", + "locationName": "arn", + "documentation": "The ARN of the Node. It is automatically assigned when the Node is created." }, - "Description": { - "shape": "__stringMin0Max1024", - "locationName": "description", - "documentation": "A resource's optional description." + "ChannelPlacementGroups": { + "shape": "__listOf__string", + "locationName": "channelPlacementGroups", + "documentation": "An array of IDs. Each ID is one ChannelPlacementGroup that is associated with this Node. Empty if the Node is not yet associated with any groups." }, - "DiscoveryEntryPointArn": { - "shape": "__stringMin1Max2048", - "locationName": "discoveryEntryPointArn", - "documentation": "A top-level supported AWS resource ARN to discovery a signal map from." + "ClusterId": { + "shape": "__string", + "locationName": "clusterId", + "documentation": "The ID of the Cluster that the Node belongs to." }, - "EventBridgeRuleTemplateGroupIdentifiers": { - "shape": "__listOf__stringPatternS", - "locationName": "eventBridgeRuleTemplateGroupIdentifiers" + "ConnectionState": { + "shape": "NodeConnectionState", + "locationName": "connectionState", + "documentation": "The current connection state of the Node." }, - "ForceRediscovery": { - "shape": "__boolean", - "locationName": "forceRediscovery", - "documentation": "If true, will force a rediscovery of a signal map if an unchanged discoveryEntryPointArn is provided." + "Id": { + "shape": "__string", + "locationName": "id", + "documentation": "The unique ID of the Node. Unique in the Cluster. The ID is the resource-id portion of the ARN." }, - "Identifier": { + "InstanceArn": { "shape": "__string", - "location": "uri", - "locationName": "identifier", - "documentation": "A signal map's identifier. Can be either be its id or current name." + "locationName": "instanceArn", + "documentation": "The ARN of the EC2 instance hosting the Node." }, "Name": { - "shape": "__stringMin1Max255PatternS", + "shape": "__string", "locationName": "name", - "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + "documentation": "The name that you specified for the Node." + }, + "NodeInterfaceMappings": { + "shape": "__listOfNodeInterfaceMapping", + "locationName": "nodeInterfaceMappings", + "documentation": "Documentation update needed" + }, + "Role": { + "shape": "NodeRole", + "locationName": "role", + "documentation": "The initial role current role of the Node in the Cluster. ACTIVE means the Node is available for encoding. BACKUP means the Node is a redundant Node and might get used if an ACTIVE Node fails." + }, + "State": { + "shape": "NodeState", + "locationName": "state", + "documentation": "The current state of the Node." } }, - "required": [ - "Identifier" - ], - "documentation": "Placeholder documentation for StartUpdateSignalMapRequest" + "documentation": "Placeholder documentation for DescribeNodeResponse" }, - "StartUpdateSignalMapRequestContent": { + "DescribeNodeResult": { "type": "structure", "members": { - "CloudWatchAlarmTemplateGroupIdentifiers": { - "shape": "__listOf__stringPatternS", - "locationName": "cloudWatchAlarmTemplateGroupIdentifiers" + "Arn": { + "shape": "__string", + "locationName": "arn", + "documentation": "The ARN of the Node. It is automatically assigned when the Node is created." + }, + "ChannelPlacementGroups": { + "shape": "__listOf__string", + "locationName": "channelPlacementGroups", + "documentation": "An array of IDs. Each ID is one ChannelPlacementGroup that is associated with this Node. Empty if the Node is not yet associated with any groups." }, - "Description": { - "shape": "__stringMin0Max1024", - "locationName": "description", - "documentation": "A resource's optional description." + "ClusterId": { + "shape": "__string", + "locationName": "clusterId", + "documentation": "The ID of the Cluster that the Node belongs to." }, - "DiscoveryEntryPointArn": { - "shape": "__stringMin1Max2048", - "locationName": "discoveryEntryPointArn", - "documentation": "A top-level supported AWS resource ARN to discovery a signal map from." + "ConnectionState": { + "shape": "NodeConnectionState", + "locationName": "connectionState", + "documentation": "The current connection state of the Node." }, - "EventBridgeRuleTemplateGroupIdentifiers": { - "shape": "__listOf__stringPatternS", - "locationName": "eventBridgeRuleTemplateGroupIdentifiers" + "Id": { + "shape": "__string", + "locationName": "id", + "documentation": "The unique ID of the Node. Unique in the Cluster. The ID is the resource-id portion of the ARN." }, - "ForceRediscovery": { - "shape": "__boolean", - "locationName": "forceRediscovery", - "documentation": "If true, will force a rediscovery of a signal map if an unchanged discoveryEntryPointArn is provided." + "InstanceArn": { + "shape": "__string", + "locationName": "instanceArn", + "documentation": "The ARN of the EC2 instance hosting the Node." }, "Name": { - "shape": "__stringMin1Max255PatternS", + "shape": "__string", "locationName": "name", - "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + "documentation": "The name that you specified for the Node." + }, + "NodeInterfaceMappings": { + "shape": "__listOfNodeInterfaceMapping", + "locationName": "nodeInterfaceMappings", + "documentation": "Documentation update needed" + }, + "Role": { + "shape": "NodeRole", + "locationName": "role", + "documentation": "The initial role current role of the Node in the Cluster. ACTIVE means the Node is available for encoding. BACKUP means the Node is a redundant Node and might get used if an ACTIVE Node fails." + }, + "State": { + "shape": "NodeState", + "locationName": "state", + "documentation": "The current state of the Node." } }, - "documentation": "Placeholder documentation for StartUpdateSignalMapRequestContent" + "documentation": "Contains the response for CreateNode, DescribeNode, DeleteNode, UpdateNode" }, - "StartUpdateSignalMapResponse": { + "DescribeNodeSummary": { "type": "structure", "members": { "Arn": { - "shape": "__stringPatternArnMedialiveSignalMap", + "shape": "__string", "locationName": "arn", - "documentation": "A signal map's ARN (Amazon Resource Name)" + "documentation": "The ARN of the Node. It is automatically assigned when the Node is created." }, - "CloudWatchAlarmTemplateGroupIds": { - "shape": "__listOf__stringMin7Max11PatternAws097", - "locationName": "cloudWatchAlarmTemplateGroupIds" + "ChannelPlacementGroups": { + "shape": "__listOf__string", + "locationName": "channelPlacementGroups", + "documentation": "An array of IDs. Each ID is one ChannelPlacementGroup that is associated with this Node. Empty if the Node is not yet associated with any groups." }, - "CreatedAt": { - "shape": "__timestampIso8601", - "locationName": "createdAt" + "ClusterId": { + "shape": "__string", + "locationName": "clusterId", + "documentation": "The ID of the Cluster that the Node belongs to." }, - "Description": { - "shape": "__stringMin0Max1024", - "locationName": "description", - "documentation": "A resource's optional description." + "ConnectionState": { + "shape": "NodeConnectionState", + "locationName": "connectionState", + "documentation": "The current connection state of the Node." }, - "DiscoveryEntryPointArn": { - "shape": "__stringMin1Max2048", - "locationName": "discoveryEntryPointArn", - "documentation": "A top-level supported AWS resource ARN to discovery a signal map from." + "Id": { + "shape": "__string", + "locationName": "id", + "documentation": "The unique ID of the Node. Unique in the Cluster. The ID is the resource-id portion of the ARN." }, - "ErrorMessage": { - "shape": "__stringMin1Max2048", - "locationName": "errorMessage", - "documentation": "Error message associated with a failed creation or failed update attempt of a signal map." + "InstanceArn": { + "shape": "__string", + "locationName": "instanceArn", + "documentation": "The EC2 ARN of the Instance associated with the Node." }, - "EventBridgeRuleTemplateGroupIds": { - "shape": "__listOf__stringMin7Max11PatternAws097", - "locationName": "eventBridgeRuleTemplateGroupIds" + "ManagedInstanceId": { + "shape": "__string", + "locationName": "managedInstanceId", + "documentation": "At the routing layer will get it from the callerId/context for use with bring your own device." }, - "FailedMediaResourceMap": { - "shape": "FailedMediaResourceMap", - "locationName": "failedMediaResourceMap" + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "The name that you specified for the Node." }, - "Id": { - "shape": "__stringMin7Max11PatternAws097", - "locationName": "id", - "documentation": "A signal map's id." + "NodeInterfaceMappings": { + "shape": "__listOfNodeInterfaceMapping", + "locationName": "nodeInterfaceMappings", + "documentation": "Documentation update needed" }, - "LastDiscoveredAt": { - "shape": "__timestampIso8601", - "locationName": "lastDiscoveredAt" + "Role": { + "shape": "NodeRole", + "locationName": "role", + "documentation": "The initial role current role of the Node in the Cluster. ACTIVE means the Node is available for encoding. BACKUP means the Node is a redundant Node and might get used if an ACTIVE Node fails." }, - "LastSuccessfulMonitorDeployment": { - "shape": "SuccessfulMonitorDeployment", - "locationName": "lastSuccessfulMonitorDeployment" + "State": { + "shape": "NodeState", + "locationName": "state", + "documentation": "The current state of the Node." + } + }, + "documentation": "Placeholder documentation for DescribeNodeSummary" + }, + "InputDestinationRoute": { + "type": "structure", + "members": { + "Cidr": { + "shape": "__string", + "locationName": "cidr", + "documentation": "The CIDR of the route." }, - "MediaResourceMap": { - "shape": "MediaResourceMap", - "locationName": "mediaResourceMap" + "Gateway": { + "shape": "__string", + "locationName": "gateway", + "documentation": "An optional gateway for the route." + } + }, + "documentation": "A network route configuration." + }, + "InputNetworkLocation": { + "type": "string", + "documentation": "With the introduction of MediaLive OnPrem, a MediaLive input can now exist in two different places: AWS or\ninside an on-premise datacenter. By default all inputs will continue to be AWS inputs.", + "enum": [ + "AWS", + "ON_PREMISE", + "ON_PREMISES" + ] + }, + "InputRequestDestinationRoute": { + "type": "structure", + "members": { + "Cidr": { + "shape": "__string", + "locationName": "cidr", + "documentation": "The CIDR of the route." }, - "ModifiedAt": { - "shape": "__timestampIso8601", - "locationName": "modifiedAt" + "Gateway": { + "shape": "__string", + "locationName": "gateway", + "documentation": "An optional gateway for the route." + } + }, + "documentation": "A network route configuration." + }, + "InterfaceMapping": { + "type": "structure", + "members": { + "LogicalInterfaceName": { + "shape": "__string", + "locationName": "logicalInterfaceName", + "documentation": "The logical name for one interface (on every Node) that handles a specific type of traffic. We recommend that the name hints at the physical interface it applies to. For example, it could refer to the traffic that the physical interface handles. For example, my-Inputs-Interface." }, - "MonitorChangesPendingDeployment": { - "shape": "__boolean", - "locationName": "monitorChangesPendingDeployment", - "documentation": "If true, there are pending monitor changes for this signal map that can be deployed." + "NetworkId": { + "shape": "__string", + "locationName": "networkId", + "documentation": "The ID of the network that you want to connect to the specified logicalInterfaceName." + } + }, + "documentation": "Used in ClusterNetworkSettings" + }, + "InterfaceMappingCreateRequest": { + "type": "structure", + "members": { + "LogicalInterfaceName": { + "shape": "__string", + "locationName": "logicalInterfaceName", + "documentation": "The logical name for one interface (on every Node) that handles a specific type of traffic. We recommend that the name hints at the physical interface it applies to. For example, it could refer to the traffic that the physical interface handles. For example, my-Inputs-Interface." }, - "MonitorDeployment": { - "shape": "MonitorDeployment", - "locationName": "monitorDeployment" + "NetworkId": { + "shape": "__string", + "locationName": "networkId", + "documentation": "The ID of the network that you want to connect to the specified logicalInterfaceName." + } + }, + "documentation": "Used in ClusterNetworkSettingsCreateRequest." + }, + "InterfaceMappingUpdateRequest": { + "type": "structure", + "members": { + "LogicalInterfaceName": { + "shape": "__string", + "locationName": "logicalInterfaceName", + "documentation": "The logical name for one interface (on every Node) that handles a specific type of traffic. We recommend that the name hints at the physical interface it applies to. For example, it could refer to the traffic that the physical interface handles. For example, my-Inputs-Interface." }, - "Name": { - "shape": "__stringMin1Max255PatternS", - "locationName": "name", - "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + "NetworkId": { + "shape": "__string", + "locationName": "networkId", + "documentation": "The ID of the network that you want to connect to the specified logicalInterfaceName. You can use the ListNetworks operation to discover all the IDs." + } + }, + "documentation": "Placeholder documentation for InterfaceMappingUpdateRequest" + }, + "IpPool": { + "type": "structure", + "members": { + "Cidr": { + "shape": "__string", + "locationName": "cidr", + "documentation": "A CIDR block of IP addresses that are reserved for MediaLive Anywhere." + } + }, + "documentation": "Used in DescribeNetworkResult, DescribeNetworkSummary, UpdateNetworkResult." + }, + "IpPoolCreateRequest": { + "type": "structure", + "members": { + "Cidr": { + "shape": "__string", + "locationName": "cidr", + "documentation": "A CIDR block of IP addresses to reserve for MediaLive Anywhere." + } + }, + "documentation": "Used in CreateNetworkRequest." + }, + "IpPoolUpdateRequest": { + "type": "structure", + "members": { + "Cidr": { + "shape": "__string", + "locationName": "cidr", + "documentation": "A CIDR block of IP addresses to reserve for MediaLive Anywhere." + } + }, + "documentation": "Used in UpdateNetworkRequest." + }, + "ListChannelPlacementGroupsRequest": { + "type": "structure", + "members": { + "ClusterId": { + "shape": "__string", + "location": "uri", + "locationName": "clusterId", + "documentation": "The ID of the cluster" }, - "Status": { - "shape": "SignalMapStatus", - "locationName": "status" + "MaxResults": { + "shape": "MaxResults", + "location": "querystring", + "locationName": "maxResults", + "documentation": "The maximum number of items to return." }, - "Tags": { - "shape": "TagMap", - "locationName": "tags" + "NextToken": { + "shape": "__string", + "location": "querystring", + "locationName": "nextToken", + "documentation": "The token to retrieve the next page of results." + } + }, + "required": [ + "ClusterId" + ], + "documentation": "Placeholder documentation for ListChannelPlacementGroupsRequest" + }, + "ListChannelPlacementGroupsResponse": { + "type": "structure", + "members": { + "ChannelPlacementGroups": { + "shape": "__listOfDescribeChannelPlacementGroupSummary", + "locationName": "channelPlacementGroups", + "documentation": "An array of ChannelPlacementGroups that exist in the Cluster." + }, + "NextToken": { + "shape": "__string", + "locationName": "nextToken", + "documentation": "Token for the next result." + } + }, + "documentation": "Placeholder documentation for ListChannelPlacementGroupsResponse" + }, + "ListChannelPlacementGroupsResult": { + "type": "structure", + "members": { + "ChannelPlacementGroups": { + "shape": "__listOfDescribeChannelPlacementGroupSummary", + "locationName": "channelPlacementGroups", + "documentation": "An array of ChannelPlacementGroups that exist in the Cluster." + }, + "NextToken": { + "shape": "__string", + "locationName": "nextToken", + "documentation": "Token for the next result." + } + }, + "documentation": "Contains the response for ListChannelPlacementGroups." + }, + "ListClustersRequest": { + "type": "structure", + "members": { + "MaxResults": { + "shape": "MaxResults", + "location": "querystring", + "locationName": "maxResults", + "documentation": "The maximum number of items to return." + }, + "NextToken": { + "shape": "__string", + "location": "querystring", + "locationName": "nextToken", + "documentation": "The token to retrieve the next page of results." + } + }, + "documentation": "Placeholder documentation for ListClustersRequest" + }, + "ListClustersResponse": { + "type": "structure", + "members": { + "Clusters": { + "shape": "__listOfDescribeClusterSummary", + "locationName": "clusters", + "documentation": "A list of the Clusters that exist in your AWS account." + }, + "NextToken": { + "shape": "__string", + "locationName": "nextToken", + "documentation": "Token for the next result." + } + }, + "documentation": "Placeholder documentation for ListClustersResponse" + }, + "ListClustersResult": { + "type": "structure", + "members": { + "Clusters": { + "shape": "__listOfDescribeClusterSummary", + "locationName": "clusters", + "documentation": "A list of the Clusters that exist in your AWS account." + }, + "NextToken": { + "shape": "__string", + "locationName": "nextToken", + "documentation": "Token for the next result." } }, - "documentation": "Placeholder documentation for StartUpdateSignalMapResponse" + "documentation": "Contains the response for ListClusters." }, - "StartUpdateSignalMapResponseContent": { + "ListNetworksRequest": { "type": "structure", "members": { - "Arn": { - "shape": "__stringPatternArnMedialiveSignalMap", - "locationName": "arn", - "documentation": "A signal map's ARN (Amazon Resource Name)" - }, - "CloudWatchAlarmTemplateGroupIds": { - "shape": "__listOf__stringMin7Max11PatternAws097", - "locationName": "cloudWatchAlarmTemplateGroupIds" - }, - "CreatedAt": { - "shape": "__timestampIso8601", - "locationName": "createdAt" - }, - "Description": { - "shape": "__stringMin0Max1024", - "locationName": "description", - "documentation": "A resource's optional description." - }, - "DiscoveryEntryPointArn": { - "shape": "__stringMin1Max2048", - "locationName": "discoveryEntryPointArn", - "documentation": "A top-level supported AWS resource ARN to discovery a signal map from." - }, - "ErrorMessage": { - "shape": "__stringMin1Max2048", - "locationName": "errorMessage", - "documentation": "Error message associated with a failed creation or failed update attempt of a signal map." - }, - "EventBridgeRuleTemplateGroupIds": { - "shape": "__listOf__stringMin7Max11PatternAws097", - "locationName": "eventBridgeRuleTemplateGroupIds" - }, - "FailedMediaResourceMap": { - "shape": "FailedMediaResourceMap", - "locationName": "failedMediaResourceMap" - }, - "Id": { - "shape": "__stringMin7Max11PatternAws097", - "locationName": "id", - "documentation": "A signal map's id." + "MaxResults": { + "shape": "MaxResults", + "location": "querystring", + "locationName": "maxResults", + "documentation": "The maximum number of items to return." }, - "LastDiscoveredAt": { - "shape": "__timestampIso8601", - "locationName": "lastDiscoveredAt" + "NextToken": { + "shape": "__string", + "location": "querystring", + "locationName": "nextToken", + "documentation": "The token to retrieve the next page of results." + } + }, + "documentation": "Placeholder documentation for ListNetworksRequest" + }, + "ListNetworksResponse": { + "type": "structure", + "members": { + "Networks": { + "shape": "__listOfDescribeNetworkSummary", + "locationName": "networks", + "documentation": "An array of networks that you have created." }, - "LastSuccessfulMonitorDeployment": { - "shape": "SuccessfulMonitorDeployment", - "locationName": "lastSuccessfulMonitorDeployment" + "NextToken": { + "shape": "__string", + "locationName": "nextToken", + "documentation": "Token for the next ListNetworks request." + } + }, + "documentation": "Placeholder documentation for ListNetworksResponse" + }, + "ListNetworksResult": { + "type": "structure", + "members": { + "Networks": { + "shape": "__listOfDescribeNetworkSummary", + "locationName": "networks", + "documentation": "An array of networks that you have created." }, - "MediaResourceMap": { - "shape": "MediaResourceMap", - "locationName": "mediaResourceMap" + "NextToken": { + "shape": "__string", + "locationName": "nextToken", + "documentation": "Token for the next ListNetworks request." + } + }, + "documentation": "Contains the response for ListNetworks" + }, + "ListNodesRequest": { + "type": "structure", + "members": { + "ClusterId": { + "shape": "__string", + "location": "uri", + "locationName": "clusterId", + "documentation": "The ID of the cluster" }, - "ModifiedAt": { - "shape": "__timestampIso8601", - "locationName": "modifiedAt" + "MaxResults": { + "shape": "MaxResults", + "location": "querystring", + "locationName": "maxResults", + "documentation": "The maximum number of items to return." }, - "MonitorChangesPendingDeployment": { - "shape": "__boolean", - "locationName": "monitorChangesPendingDeployment", - "documentation": "If true, there are pending monitor changes for this signal map that can be deployed." + "NextToken": { + "shape": "__string", + "location": "querystring", + "locationName": "nextToken", + "documentation": "The token to retrieve the next page of results." + } + }, + "required": [ + "ClusterId" + ], + "documentation": "Placeholder documentation for ListNodesRequest" + }, + "ListNodesResponse": { + "type": "structure", + "members": { + "NextToken": { + "shape": "__string", + "locationName": "nextToken", + "documentation": "Token for the next result." }, - "MonitorDeployment": { - "shape": "MonitorDeployment", - "locationName": "monitorDeployment" + "Nodes": { + "shape": "__listOfDescribeNodeSummary", + "locationName": "nodes", + "documentation": "An array of Nodes that exist in the Cluster." + } + }, + "documentation": "Placeholder documentation for ListNodesResponse" + }, + "ListNodesResult": { + "type": "structure", + "members": { + "NextToken": { + "shape": "__string", + "locationName": "nextToken", + "documentation": "Token for the next result." }, - "Name": { - "shape": "__stringMin1Max255PatternS", - "locationName": "name", - "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + "Nodes": { + "shape": "__listOfDescribeNodeSummary", + "locationName": "nodes", + "documentation": "An array of Nodes that exist in the Cluster." + } + }, + "documentation": "Contains the response for ListNodes." + }, + "MulticastInputSettings": { + "type": "structure", + "members": { + "SourceIpAddress": { + "shape": "__string", + "locationName": "sourceIpAddress", + "documentation": "Optionally, a source ip address to filter by for Source-specific Multicast (SSM)" + } + }, + "documentation": "Multicast-specific input settings." + }, + "MulticastSettings": { + "type": "structure", + "members": { + "Sources": { + "shape": "__listOfMulticastSource", + "locationName": "sources" + } + }, + "documentation": "Settings for a Multicast input. Contains a list of multicast Urls and optional source ip addresses." + }, + "MulticastSettingsCreateRequest": { + "type": "structure", + "members": { + "Sources": { + "shape": "__listOfMulticastSourceCreateRequest", + "locationName": "sources" + } + }, + "documentation": "Settings for a Multicast input. Contains a list of multicast Urls and optional source ip addresses." + }, + "MulticastSettingsUpdateRequest": { + "type": "structure", + "members": { + "Sources": { + "shape": "__listOfMulticastSourceUpdateRequest", + "locationName": "sources" + } + }, + "documentation": "Settings for a Multicast input. Contains a list of multicast Urls and optional source ip addresses." + }, + "MulticastSource": { + "type": "structure", + "members": { + "SourceIp": { + "shape": "__string", + "locationName": "sourceIp", + "documentation": "This represents the ip address of the device sending the multicast stream." }, - "Status": { - "shape": "SignalMapStatus", - "locationName": "status" + "Url": { + "shape": "__string", + "locationName": "url", + "documentation": "This represents the customer's source URL where multicast stream is pulled from." + } + }, + "documentation": "Pair of multicast url and source ip address (optional) that make up a multicast source.", + "required": [ + "Url" + ] + }, + "MulticastSourceCreateRequest": { + "type": "structure", + "members": { + "SourceIp": { + "shape": "__string", + "locationName": "sourceIp", + "documentation": "This represents the ip address of the device sending the multicast stream." }, - "Tags": { - "shape": "TagMap", - "locationName": "tags" + "Url": { + "shape": "__string", + "locationName": "url", + "documentation": "This represents the customer's source URL where multicast stream is pulled from." } }, + "documentation": "Pair of multicast url and source ip address (optional) that make up a multicast source.", "required": [ - "Status", - "CreatedAt", - "Name", - "Id", - "Arn", - "DiscoveryEntryPointArn", - "MonitorChangesPendingDeployment" - ], - "documentation": "Placeholder documentation for StartUpdateSignalMapResponseContent" + "Url" + ] }, - "SuccessfulMonitorDeployment": { + "MulticastSourceUpdateRequest": { "type": "structure", "members": { - "DetailsUri": { - "shape": "__stringMin1Max2048", - "locationName": "detailsUri", - "documentation": "URI associated with a signal map's monitor deployment." + "SourceIp": { + "shape": "__string", + "locationName": "sourceIp", + "documentation": "This represents the ip address of the device sending the multicast stream." }, - "Status": { - "shape": "SignalMapMonitorDeploymentStatus", - "locationName": "status" + "Url": { + "shape": "__string", + "locationName": "url", + "documentation": "This represents the customer's source URL where multicast stream is pulled from." } }, - "documentation": "Represents the latest successful monitor deployment of a signal map.", + "documentation": "Pair of multicast url and source ip address (optional) that make up a multicast source.", "required": [ - "DetailsUri", - "Status" + "Url" ] }, - "TagMap": { - "type": "map", - "documentation": "Represents the tags associated with a resource.", - "key": { - "shape": "__string" + "NetworkInterfaceMode": { + "type": "string", + "documentation": "Used in NodeInterfaceMapping and NodeInterfaceMappingCreateRequest", + "enum": [ + "NAT", + "BRIDGE" + ] + }, + "NetworkState": { + "type": "string", + "documentation": "Used in DescribeNetworkResult, DescribeNetworkSummary, UpdateNetworkResult.", + "enum": [ + "CREATING", + "CREATE_FAILED", + "ACTIVE", + "DELETING", + "IDLE", + "IN_USE", + "UPDATING", + "DELETE_FAILED", + "DELETED" + ] + }, + "NodeConfigurationValidationError": { + "type": "structure", + "members": { + "Message": { + "shape": "__string", + "locationName": "message", + "documentation": "The error message." + }, + "ValidationErrors": { + "shape": "__listOfValidationError", + "locationName": "validationErrors", + "documentation": "A collection of validation error responses." + } + }, + "documentation": "Details about a configuration error on the Node." + }, + "NodeConnectionState": { + "type": "string", + "documentation": "Used in DescribeNodeSummary.", + "enum": [ + "CONNECTED", + "DISCONNECTED" + ] + }, + "NodeInterfaceMapping": { + "type": "structure", + "members": { + "LogicalInterfaceName": { + "shape": "__string", + "locationName": "logicalInterfaceName", + "documentation": "A uniform logical interface name to address in a MediaLive channel configuration." + }, + "NetworkInterfaceMode": { + "shape": "NetworkInterfaceMode", + "locationName": "networkInterfaceMode" + }, + "PhysicalInterfaceName": { + "shape": "__string", + "locationName": "physicalInterfaceName", + "documentation": "The name of the physical interface on the hardware that will be running Elemental anywhere." + } }, - "value": { - "shape": "__string" - } + "documentation": "A mapping that's used to pair a logical network interface name on a Node with the physical interface name exposed in the operating system." }, - "TooManyRequestsExceptionResponseContent": { + "NodeInterfaceMappingCreateRequest": { "type": "structure", "members": { - "Message": { + "LogicalInterfaceName": { "shape": "__string", - "locationName": "message", - "documentation": "Exception error message." + "locationName": "logicalInterfaceName", + "documentation": "Specify one of the logicalInterfaceNames that you created in the Cluster that this node belongs to. For example, my-Inputs-Interface." + }, + "NetworkInterfaceMode": { + "shape": "NetworkInterfaceMode", + "locationName": "networkInterfaceMode", + "documentation": "The style of the network -- NAT or BRIDGE." + }, + "PhysicalInterfaceName": { + "shape": "__string", + "locationName": "physicalInterfaceName", + "documentation": "Specify the physical name that corresponds to the logicalInterfaceName that you specified in this interface mapping. For example, Eth1 or ENO1234EXAMPLE." } }, - "documentation": "Request was denied due to request throttling." + "documentation": "Used in CreateNodeRequest." }, - "UpdateCloudWatchAlarmTemplateGroupRequest": { + "NodeRole": { + "type": "string", + "documentation": "Used in CreateNodeRequest, CreateNodeRegistrationScriptRequest, DescribeNodeResult, DescribeNodeSummary, UpdateNodeRequest.", + "enum": [ + "BACKUP", + "ACTIVE" + ] + }, + "NodeState": { + "type": "string", + "documentation": "Used in DescribeNodeSummary.", + "enum": [ + "CREATED", + "REGISTERING", + "READY_TO_ACTIVATE", + "REGISTRATION_FAILED", + "ACTIVATION_FAILED", + "ACTIVE", + "READY", + "IN_USE", + "DEREGISTERING", + "DRAINING", + "DEREGISTRATION_FAILED", + "DEREGISTERED" + ] + }, + "Route": { "type": "structure", "members": { - "Description": { - "shape": "__stringMin0Max1024", - "locationName": "description", - "documentation": "A resource's optional description." + "Cidr": { + "shape": "__string", + "locationName": "cidr", + "documentation": "A CIDR block for one Route." }, - "Identifier": { + "Gateway": { "shape": "__string", - "location": "uri", - "locationName": "identifier", - "documentation": "A cloudwatch alarm template group's identifier. Can be either be its id or current name." + "locationName": "gateway", + "documentation": "The IP address of the Gateway for this route, if applicable." } }, - "required": [ - "Identifier" - ], - "documentation": "Placeholder documentation for UpdateCloudWatchAlarmTemplateGroupRequest" + "documentation": "Used in DescribeNetworkResult, DescribeNetworkSummary, UpdateNetworkResult." }, - "UpdateCloudWatchAlarmTemplateGroupRequestContent": { + "RouteCreateRequest": { "type": "structure", "members": { - "Description": { - "shape": "__stringMin0Max1024", - "locationName": "description", - "documentation": "A resource's optional description." + "Cidr": { + "shape": "__string", + "locationName": "cidr", + "documentation": "A CIDR block for one Route." + }, + "Gateway": { + "shape": "__string", + "locationName": "gateway", + "documentation": "The IP address of the Gateway for this route, if applicable." } }, - "documentation": "Placeholder documentation for UpdateCloudWatchAlarmTemplateGroupRequestContent" + "documentation": "Used in CreateNetworkRequest." }, - "UpdateCloudWatchAlarmTemplateGroupResponse": { + "RouteUpdateRequest": { "type": "structure", "members": { - "Arn": { - "shape": "__stringPatternArnMedialiveCloudwatchAlarmTemplateGroup", - "locationName": "arn", - "documentation": "A cloudwatch alarm template group's ARN (Amazon Resource Name)" - }, - "CreatedAt": { - "shape": "__timestampIso8601", - "locationName": "createdAt" - }, - "Description": { - "shape": "__stringMin0Max1024", - "locationName": "description", - "documentation": "A resource's optional description." - }, - "Id": { - "shape": "__stringMin7Max11PatternAws097", - "locationName": "id", - "documentation": "A cloudwatch alarm template group's id. AWS provided template groups have ids that start with `aws-`" - }, - "ModifiedAt": { - "shape": "__timestampIso8601", - "locationName": "modifiedAt" - }, - "Name": { - "shape": "__stringMin1Max255PatternS", - "locationName": "name", - "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + "Cidr": { + "shape": "__string", + "locationName": "cidr", + "documentation": "A CIDR block for one Route." }, - "Tags": { - "shape": "TagMap", - "locationName": "tags" + "Gateway": { + "shape": "__string", + "locationName": "gateway", + "documentation": "The IP address of the Gateway for this route, if applicable." } }, - "documentation": "Placeholder documentation for UpdateCloudWatchAlarmTemplateGroupResponse" + "documentation": "Used in UpdateNetworkRequest." }, - "UpdateCloudWatchAlarmTemplateGroupResponseContent": { + "SrtEncryptionType": { + "type": "string", + "documentation": "Srt Encryption Type", + "enum": [ + "AES128", + "AES192", + "AES256" + ] + }, + "SrtGroupSettings": { "type": "structure", "members": { - "Arn": { - "shape": "__stringPatternArnMedialiveCloudwatchAlarmTemplateGroup", - "locationName": "arn", - "documentation": "A cloudwatch alarm template group's ARN (Amazon Resource Name)" - }, - "CreatedAt": { - "shape": "__timestampIso8601", - "locationName": "createdAt" - }, - "Description": { - "shape": "__stringMin0Max1024", - "locationName": "description", - "documentation": "A resource's optional description." - }, - "Id": { - "shape": "__stringMin7Max11PatternAws097", - "locationName": "id", - "documentation": "A cloudwatch alarm template group's id. AWS provided template groups have ids that start with `aws-`" - }, - "ModifiedAt": { - "shape": "__timestampIso8601", - "locationName": "modifiedAt" - }, - "Name": { - "shape": "__stringMin1Max255PatternS", - "locationName": "name", - "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." - }, - "Tags": { - "shape": "TagMap", - "locationName": "tags" + "InputLossAction": { + "shape": "InputLossActionForUdpOut", + "locationName": "inputLossAction", + "documentation": "Specifies behavior of last resort when input video is lost, and no more backup inputs are available. When dropTs is selected the entire transport stream will stop being emitted. When dropProgram is selected the program can be dropped from the transport stream (and replaced with null packets to meet the TS bitrate requirement). Or, when emitProgram is chosen the transport stream will continue to be produced normally with repeat frames, black frames, or slate frames substituted for the absent input video." } }, - "required": [ - "CreatedAt", - "Id", - "Arn", - "Name" - ], - "documentation": "Placeholder documentation for UpdateCloudWatchAlarmTemplateGroupResponseContent" + "documentation": "Srt Group Settings" }, - "UpdateCloudWatchAlarmTemplateRequest": { + "SrtOutputDestinationSettings": { "type": "structure", "members": { - "ComparisonOperator": { - "shape": "CloudWatchAlarmTemplateComparisonOperator", - "locationName": "comparisonOperator" - }, - "DatapointsToAlarm": { - "shape": "__integerMin1", - "locationName": "datapointsToAlarm", - "documentation": "The number of datapoints within the evaluation period that must be breaching to trigger the alarm." - }, - "Description": { - "shape": "__stringMin0Max1024", - "locationName": "description", - "documentation": "A resource's optional description." - }, - "EvaluationPeriods": { - "shape": "__integerMin1", - "locationName": "evaluationPeriods", - "documentation": "The number of periods over which data is compared to the specified threshold." - }, - "GroupIdentifier": { - "shape": "__stringPatternS", - "locationName": "groupIdentifier", - "documentation": "A cloudwatch alarm template group's identifier. Can be either be its id or current name." - }, - "Identifier": { + "EncryptionPassphraseSecretArn": { "shape": "__string", - "location": "uri", - "locationName": "identifier", - "documentation": "A cloudwatch alarm template's identifier. Can be either be its id or current name." - }, - "MetricName": { - "shape": "__stringMax64", - "locationName": "metricName", - "documentation": "The name of the metric associated with the alarm. Must be compatible with targetResourceType." + "locationName": "encryptionPassphraseSecretArn", + "documentation": "Arn used to extract the password from Secrets Manager" }, - "Name": { - "shape": "__stringMin1Max255PatternS", - "locationName": "name", - "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + "StreamId": { + "shape": "__string", + "locationName": "streamId", + "documentation": "Stream id for SRT destinations (URLs of type srt://)" }, - "Period": { - "shape": "__integerMin10Max86400", - "locationName": "period", - "documentation": "The period, in seconds, over which the specified statistic is applied." + "Url": { + "shape": "__string", + "locationName": "url", + "documentation": "A URL specifying a destination" + } + }, + "documentation": "Placeholder documentation for SrtOutputDestinationSettings" + }, + "SrtOutputSettings": { + "type": "structure", + "members": { + "BufferMsec": { + "shape": "__integerMin0Max10000", + "locationName": "bufferMsec", + "documentation": "SRT output buffering in milliseconds. A higher value increases latency through the encoder. But the benefits are that it helps to maintain a constant, low-jitter SRT output, and it accommodates clock recovery, input switching, input disruptions, picture reordering, and so on. Range: 0-10000 milliseconds." }, - "Statistic": { - "shape": "CloudWatchAlarmTemplateStatistic", - "locationName": "statistic" + "ContainerSettings": { + "shape": "UdpContainerSettings", + "locationName": "containerSettings" }, - "TargetResourceType": { - "shape": "CloudWatchAlarmTemplateTargetResourceType", - "locationName": "targetResourceType" + "Destination": { + "shape": "OutputLocationRef", + "locationName": "destination" }, - "Threshold": { - "shape": "__double", - "locationName": "threshold", - "documentation": "The threshold value to compare with the specified statistic." + "EncryptionType": { + "shape": "SrtEncryptionType", + "locationName": "encryptionType", + "documentation": "The encryption level for the content. Valid values are AES128, AES192, AES256. You and the downstream system should plan how to set this field because the values must not conflict with each other." }, - "TreatMissingData": { - "shape": "CloudWatchAlarmTemplateTreatMissingData", - "locationName": "treatMissingData" + "Latency": { + "shape": "__integerMin40Max16000", + "locationName": "latency", + "documentation": "The latency value, in milliseconds, that is proposed during the SRT connection handshake. SRT will choose the maximum of the values proposed by the sender and receiver. On the sender side, latency is the amount of time a packet is held to give it a chance to be delivered successfully. On the receiver side, latency is the amount of time the packet is held before delivering to the application, aiding in packet recovery and matching as closely as possible the packet timing of the sender. Range: 40-16000 milliseconds." } }, + "documentation": "Srt Output Settings", "required": [ - "Identifier" - ], - "documentation": "Placeholder documentation for UpdateCloudWatchAlarmTemplateRequest" + "Destination", + "ContainerSettings" + ] }, - "UpdateCloudWatchAlarmTemplateRequestContent": { + "UpdateChannelPlacementGroupRequest": { "type": "structure", "members": { - "ComparisonOperator": { - "shape": "CloudWatchAlarmTemplateComparisonOperator", - "locationName": "comparisonOperator" - }, - "DatapointsToAlarm": { - "shape": "__integerMin1", - "locationName": "datapointsToAlarm", - "documentation": "The number of datapoints within the evaluation period that must be breaching to trigger the alarm." - }, - "Description": { - "shape": "__stringMin0Max1024", - "locationName": "description", - "documentation": "A resource's optional description." - }, - "EvaluationPeriods": { - "shape": "__integerMin1", - "locationName": "evaluationPeriods", - "documentation": "The number of periods over which data is compared to the specified threshold." - }, - "GroupIdentifier": { - "shape": "__stringPatternS", - "locationName": "groupIdentifier", - "documentation": "A cloudwatch alarm template group's identifier. Can be either be its id or current name." - }, - "MetricName": { - "shape": "__stringMax64", - "locationName": "metricName", - "documentation": "The name of the metric associated with the alarm. Must be compatible with targetResourceType." + "ChannelPlacementGroupId": { + "shape": "__string", + "location": "uri", + "locationName": "channelPlacementGroupId", + "documentation": "The ID of the channel placement group." + }, + "ClusterId": { + "shape": "__string", + "location": "uri", + "locationName": "clusterId", + "documentation": "The ID of the cluster." }, "Name": { - "shape": "__stringMin1Max255PatternS", + "shape": "__string", "locationName": "name", - "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." - }, - "Period": { - "shape": "__integerMin10Max86400", - "locationName": "period", - "documentation": "The period, in seconds, over which the specified statistic is applied." - }, - "Statistic": { - "shape": "CloudWatchAlarmTemplateStatistic", - "locationName": "statistic" - }, - "TargetResourceType": { - "shape": "CloudWatchAlarmTemplateTargetResourceType", - "locationName": "targetResourceType" - }, - "Threshold": { - "shape": "__double", - "locationName": "threshold", - "documentation": "The threshold value to compare with the specified statistic." + "documentation": "Include this parameter only if you want to change the current name of the ChannelPlacementGroup. Specify a name that is unique in the Cluster. You can't change the name. Names are case-sensitive." }, - "TreatMissingData": { - "shape": "CloudWatchAlarmTemplateTreatMissingData", - "locationName": "treatMissingData" + "Nodes": { + "shape": "__listOf__string", + "locationName": "nodes", + "documentation": "Include this parameter only if you want to change the list of Nodes that are associated with the ChannelPlacementGroup." } }, - "documentation": "Placeholder documentation for UpdateCloudWatchAlarmTemplateRequestContent" + "documentation": "A request to update the channel placement group", + "required": [ + "ClusterId", + "ChannelPlacementGroupId" + ] }, - "UpdateCloudWatchAlarmTemplateResponse": { + "UpdateChannelPlacementGroupResponse": { "type": "structure", "members": { "Arn": { - "shape": "__stringPatternArnMedialiveCloudwatchAlarmTemplate", + "shape": "__string", "locationName": "arn", - "documentation": "A cloudwatch alarm template's ARN (Amazon Resource Name)" - }, - "ComparisonOperator": { - "shape": "CloudWatchAlarmTemplateComparisonOperator", - "locationName": "comparisonOperator" - }, - "CreatedAt": { - "shape": "__timestampIso8601", - "locationName": "createdAt" - }, - "DatapointsToAlarm": { - "shape": "__integerMin1", - "locationName": "datapointsToAlarm", - "documentation": "The number of datapoints within the evaluation period that must be breaching to trigger the alarm." + "documentation": "The ARN of this ChannelPlacementGroup. It is automatically assigned when the ChannelPlacementGroup is created." }, - "Description": { - "shape": "__stringMin0Max1024", - "locationName": "description", - "documentation": "A resource's optional description." - }, - "EvaluationPeriods": { - "shape": "__integerMin1", - "locationName": "evaluationPeriods", - "documentation": "The number of periods over which data is compared to the specified threshold." + "Channels": { + "shape": "__listOf__string", + "locationName": "channels", + "documentation": "Used in ListChannelPlacementGroupsResult" }, - "GroupId": { - "shape": "__stringMin7Max11PatternAws097", - "locationName": "groupId", - "documentation": "A cloudwatch alarm template group's id. AWS provided template groups have ids that start with `aws-`" + "ClusterId": { + "shape": "__string", + "locationName": "clusterId", + "documentation": "The ID of the Cluster that the Node belongs to." }, "Id": { - "shape": "__stringMin7Max11PatternAws097", + "shape": "__string", "locationName": "id", - "documentation": "A cloudwatch alarm template's id. AWS provided templates have ids that start with `aws-`" - }, - "MetricName": { - "shape": "__stringMax64", - "locationName": "metricName", - "documentation": "The name of the metric associated with the alarm. Must be compatible with targetResourceType." - }, - "ModifiedAt": { - "shape": "__timestampIso8601", - "locationName": "modifiedAt" + "documentation": "The ID of the ChannelPlacementGroup. Unique in the AWS account. The ID is the resource-id portion of the ARN." }, "Name": { - "shape": "__stringMin1Max255PatternS", + "shape": "__string", "locationName": "name", - "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." - }, - "Period": { - "shape": "__integerMin10Max86400", - "locationName": "period", - "documentation": "The period, in seconds, over which the specified statistic is applied." - }, - "Statistic": { - "shape": "CloudWatchAlarmTemplateStatistic", - "locationName": "statistic" + "documentation": "The name that you specified for the ChannelPlacementGroup." }, - "Tags": { - "shape": "TagMap", - "locationName": "tags" + "Nodes": { + "shape": "__listOf__string", + "locationName": "nodes", + "documentation": "An array with one item, which is the signle Node that is associated with the ChannelPlacementGroup." }, - "TargetResourceType": { - "shape": "CloudWatchAlarmTemplateTargetResourceType", - "locationName": "targetResourceType" + "State": { + "shape": "ChannelPlacementGroupState", + "locationName": "state", + "documentation": "The current state of the ChannelPlacementGroup." + } + }, + "documentation": "Placeholder documentation for UpdateChannelPlacementGroupResponse" + }, + "UpdateClusterRequest": { + "type": "structure", + "members": { + "ClusterId": { + "shape": "__string", + "location": "uri", + "locationName": "clusterId", + "documentation": "The ID of the cluster" }, - "Threshold": { - "shape": "__double", - "locationName": "threshold", - "documentation": "The threshold value to compare with the specified statistic." + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "Include this parameter only if you want to change the current name of the Cluster. Specify a name that is unique in the AWS account. You can't change the name. Names are case-sensitive." }, - "TreatMissingData": { - "shape": "CloudWatchAlarmTemplateTreatMissingData", - "locationName": "treatMissingData" + "NetworkSettings": { + "shape": "ClusterNetworkSettingsUpdateRequest", + "locationName": "networkSettings", + "documentation": "Include this property only if you want to change the current connections between the Nodes in the Cluster and the Networks the Cluster is associated with." } }, - "documentation": "Placeholder documentation for UpdateCloudWatchAlarmTemplateResponse" + "documentation": "A request to update the cluster.", + "required": [ + "ClusterId" + ] }, - "UpdateCloudWatchAlarmTemplateResponseContent": { + "UpdateClusterResponse": { "type": "structure", "members": { "Arn": { - "shape": "__stringPatternArnMedialiveCloudwatchAlarmTemplate", + "shape": "__string", "locationName": "arn", - "documentation": "A cloudwatch alarm template's ARN (Amazon Resource Name)" - }, - "ComparisonOperator": { - "shape": "CloudWatchAlarmTemplateComparisonOperator", - "locationName": "comparisonOperator" - }, - "CreatedAt": { - "shape": "__timestampIso8601", - "locationName": "createdAt" - }, - "DatapointsToAlarm": { - "shape": "__integerMin1", - "locationName": "datapointsToAlarm", - "documentation": "The number of datapoints within the evaluation period that must be breaching to trigger the alarm." + "documentation": "The ARN of the Cluster." }, - "Description": { - "shape": "__stringMin0Max1024", - "locationName": "description", - "documentation": "A resource's optional description." - }, - "EvaluationPeriods": { - "shape": "__integerMin1", - "locationName": "evaluationPeriods", - "documentation": "The number of periods over which data is compared to the specified threshold." + "ChannelIds": { + "shape": "__listOf__string", + "locationName": "channelIds", + "documentation": "An array of the IDs of the Channels that are associated with this Cluster. One Channel is associated with the Cluster as follows: A Channel belongs to a ChannelPlacementGroup. A ChannelPlacementGroup is attached to a Node. A Node belongs to a Cluster." }, - "GroupId": { - "shape": "__stringMin7Max11PatternAws097", - "locationName": "groupId", - "documentation": "A cloudwatch alarm template group's id. AWS provided template groups have ids that start with `aws-`" + "ClusterType": { + "shape": "ClusterType", + "locationName": "clusterType", + "documentation": "The hardware type for the Cluster" }, "Id": { - "shape": "__stringMin7Max11PatternAws097", + "shape": "__string", "locationName": "id", - "documentation": "A cloudwatch alarm template's id. AWS provided templates have ids that start with `aws-`" - }, - "MetricName": { - "shape": "__stringMax64", - "locationName": "metricName", - "documentation": "The name of the metric associated with the alarm. Must be compatible with targetResourceType." - }, - "ModifiedAt": { - "shape": "__timestampIso8601", - "locationName": "modifiedAt" + "documentation": "The unique ID of the Cluster." }, "Name": { - "shape": "__stringMin1Max255PatternS", + "shape": "__string", "locationName": "name", - "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." - }, - "Period": { - "shape": "__integerMin10Max86400", - "locationName": "period", - "documentation": "The period, in seconds, over which the specified statistic is applied." - }, - "Statistic": { - "shape": "CloudWatchAlarmTemplateStatistic", - "locationName": "statistic" + "documentation": "The user-specified name of the Cluster." }, - "Tags": { - "shape": "TagMap", - "locationName": "tags" - }, - "TargetResourceType": { - "shape": "CloudWatchAlarmTemplateTargetResourceType", - "locationName": "targetResourceType" - }, - "Threshold": { - "shape": "__double", - "locationName": "threshold", - "documentation": "The threshold value to compare with the specified statistic." + "NetworkSettings": { + "shape": "ClusterNetworkSettings", + "locationName": "networkSettings", + "documentation": "Network settings that connect the Nodes in the Cluster to one or more of the Networks that the Cluster is associated with." }, - "TreatMissingData": { - "shape": "CloudWatchAlarmTemplateTreatMissingData", - "locationName": "treatMissingData" + "State": { + "shape": "ClusterState", + "locationName": "state", + "documentation": "The current state of the Cluster." } }, - "required": [ - "TargetResourceType", - "TreatMissingData", - "ComparisonOperator", - "CreatedAt", - "Period", - "EvaluationPeriods", - "Name", - "GroupId", - "MetricName", - "Statistic", - "Id", - "Arn", - "Threshold" - ], - "documentation": "Placeholder documentation for UpdateCloudWatchAlarmTemplateResponseContent" + "documentation": "Placeholder documentation for UpdateClusterResponse" }, - "UpdateEventBridgeRuleTemplateGroupRequest": { + "UpdateClusterResult": { "type": "structure", "members": { - "Description": { - "shape": "__stringMin0Max1024", - "locationName": "description", - "documentation": "A resource's optional description." + "Arn": { + "shape": "__string", + "locationName": "arn", + "documentation": "The ARN of the Cluster." }, - "Identifier": { + "ChannelIds": { + "shape": "__listOf__string", + "locationName": "channelIds", + "documentation": "An array of the IDs of the Channels that are associated with this Cluster. One Channel is associated with the Cluster as follows: A Channel belongs to a ChannelPlacementGroup. A ChannelPlacementGroup is attached to a Node. A Node belongs to a Cluster." + }, + "ClusterType": { + "shape": "ClusterType", + "locationName": "clusterType", + "documentation": "The hardware type for the Cluster" + }, + "Id": { "shape": "__string", - "location": "uri", - "locationName": "identifier", - "documentation": "An eventbridge rule template group's identifier. Can be either be its id or current name." + "locationName": "id", + "documentation": "The unique ID of the Cluster." + }, + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "The user-specified name of the Cluster." + }, + "NetworkSettings": { + "shape": "ClusterNetworkSettings", + "locationName": "networkSettings", + "documentation": "Network settings that connect the Nodes in the Cluster to one or more of the Networks that the Cluster is associated with." + }, + "State": { + "shape": "ClusterState", + "locationName": "state", + "documentation": "The current state of the Cluster." } }, - "required": [ - "Identifier" - ], - "documentation": "Placeholder documentation for UpdateEventBridgeRuleTemplateGroupRequest" + "documentation": "The name that you specified for the Cluster." }, - "UpdateEventBridgeRuleTemplateGroupRequestContent": { + "UpdateNetworkRequest": { "type": "structure", "members": { - "Description": { - "shape": "__stringMin0Max1024", - "locationName": "description", - "documentation": "A resource's optional description." + "IpPools": { + "shape": "__listOfIpPoolUpdateRequest", + "locationName": "ipPools", + "documentation": "Include this parameter only if you want to change the pool of IP addresses in the network. An array of IpPoolCreateRequests that identify a collection of IP addresses in this network that you want to reserve for use in MediaLive Anywhere. MediaLive Anywhere uses these IP addresses for Push inputs (in both Bridge and NAT networks) and for output destinations (only in Bridge networks). Each IpPoolUpdateRequest specifies one CIDR block." + }, + "Name": { + "shape": "__string", + "locationName": "name", + "documentation": "Include this parameter only if you want to change the name of the Network. Specify a name that is unique in the AWS account. Names are case-sensitive." + }, + "NetworkId": { + "shape": "__string", + "location": "uri", + "locationName": "networkId", + "documentation": "The ID of the network" + }, + "Routes": { + "shape": "__listOfRouteUpdateRequest", + "locationName": "routes", + "documentation": "Include this parameter only if you want to change or add routes in the Network. An array of Routes that MediaLive Anywhere needs to know about in order to route encoding traffic." } }, - "documentation": "Placeholder documentation for UpdateEventBridgeRuleTemplateGroupRequestContent" + "documentation": "A request to update the network.", + "required": [ + "NetworkId" + ] }, - "UpdateEventBridgeRuleTemplateGroupResponse": { + "UpdateNetworkResponse": { "type": "structure", "members": { "Arn": { - "shape": "__stringPatternArnMedialiveEventbridgeRuleTemplateGroup", + "shape": "__string", "locationName": "arn", - "documentation": "An eventbridge rule template group's ARN (Amazon Resource Name)" - }, - "CreatedAt": { - "shape": "__timestampIso8601", - "locationName": "createdAt" + "documentation": "The ARN of this Network. It is automatically assigned when the Network is created." }, - "Description": { - "shape": "__stringMin0Max1024", - "locationName": "description", - "documentation": "A resource's optional description." + "AssociatedClusterIds": { + "shape": "__listOf__string", + "locationName": "associatedClusterIds" }, "Id": { - "shape": "__stringMin7Max11PatternAws097", + "shape": "__string", "locationName": "id", - "documentation": "An eventbridge rule template group's id. AWS provided template groups have ids that start with `aws-`" + "documentation": "The ID of the Network. Unique in the AWS account. The ID is the resource-id portion of the ARN." }, - "ModifiedAt": { - "shape": "__timestampIso8601", - "locationName": "modifiedAt" + "IpPools": { + "shape": "__listOfIpPool", + "locationName": "ipPools", + "documentation": "An array of IpPools in your organization's network that identify a collection of IP addresses in this network that are reserved for use in MediaLive Anywhere. MediaLive Anywhere uses these IP addresses for Push inputs (in both Bridge and NAT networks) and for output destinations (only in Bridge networks). Each IpPool specifies one CIDR block." }, "Name": { - "shape": "__stringMin1Max255PatternS", + "shape": "__string", "locationName": "name", - "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + "documentation": "The name that you specified for the Network." }, - "Tags": { - "shape": "TagMap", - "locationName": "tags" + "Routes": { + "shape": "__listOfRoute", + "locationName": "routes", + "documentation": "An array of Routes that MediaLive Anywhere needs to know about in order to route encoding traffic." + }, + "State": { + "shape": "NetworkState", + "locationName": "state", + "documentation": "The current state of the Network. Only MediaLive Anywhere can change the state." } }, - "documentation": "Placeholder documentation for UpdateEventBridgeRuleTemplateGroupResponse" + "documentation": "Placeholder documentation for UpdateNetworkResponse" }, - "UpdateEventBridgeRuleTemplateGroupResponseContent": { + "UpdateNetworkResult": { "type": "structure", "members": { "Arn": { - "shape": "__stringPatternArnMedialiveEventbridgeRuleTemplateGroup", + "shape": "__string", "locationName": "arn", - "documentation": "An eventbridge rule template group's ARN (Amazon Resource Name)" + "documentation": "The ARN of this Network. It is automatically assigned when the Network is created." }, - "CreatedAt": { - "shape": "__timestampIso8601", - "locationName": "createdAt" - }, - "Description": { - "shape": "__stringMin0Max1024", - "locationName": "description", - "documentation": "A resource's optional description." + "AssociatedClusterIds": { + "shape": "__listOf__string", + "locationName": "associatedClusterIds" }, "Id": { - "shape": "__stringMin7Max11PatternAws097", + "shape": "__string", "locationName": "id", - "documentation": "An eventbridge rule template group's id. AWS provided template groups have ids that start with `aws-`" + "documentation": "The ID of the Network. Unique in the AWS account. The ID is the resource-id portion of the ARN." }, - "ModifiedAt": { - "shape": "__timestampIso8601", - "locationName": "modifiedAt" + "IpPools": { + "shape": "__listOfIpPool", + "locationName": "ipPools", + "documentation": "An array of IpPools in your organization's network that identify a collection of IP addresses in this network that are reserved for use in MediaLive Anywhere. MediaLive Anywhere uses these IP addresses for Push inputs (in both Bridge and NAT networks) and for output destinations (only in Bridge networks). Each IpPool specifies one CIDR block." }, "Name": { - "shape": "__stringMin1Max255PatternS", + "shape": "__string", "locationName": "name", - "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + "documentation": "The name that you specified for the Network." }, - "Tags": { - "shape": "TagMap", - "locationName": "tags" + "Routes": { + "shape": "__listOfRoute", + "locationName": "routes", + "documentation": "An array of Routes that MediaLive Anywhere needs to know about in order to route encoding traffic." + }, + "State": { + "shape": "NetworkState", + "locationName": "state", + "documentation": "The current state of the Network. Only MediaLive Anywhere can change the state." } }, - "required": [ - "CreatedAt", - "Id", - "Arn", - "Name" - ], - "documentation": "Placeholder documentation for UpdateEventBridgeRuleTemplateGroupResponseContent" + "documentation": "Contains the response for the UpdateNetwork" }, - "UpdateEventBridgeRuleTemplateRequest": { + "UpdateNodeRequest": { "type": "structure", "members": { - "Description": { - "shape": "__stringMin0Max1024", - "locationName": "description", - "documentation": "A resource's optional description." - }, - "EventTargets": { - "shape": "__listOfEventBridgeRuleTemplateTarget", - "locationName": "eventTargets" - }, - "EventType": { - "shape": "EventBridgeRuleTemplateEventType", - "locationName": "eventType" - }, - "GroupIdentifier": { - "shape": "__stringPatternS", - "locationName": "groupIdentifier", - "documentation": "An eventbridge rule template group's identifier. Can be either be its id or current name." - }, - "Identifier": { + "ClusterId": { "shape": "__string", "location": "uri", - "locationName": "identifier", - "documentation": "An eventbridge rule template's identifier. Can be either be its id or current name." + "locationName": "clusterId", + "documentation": "The ID of the cluster" }, "Name": { - "shape": "__stringMin1Max255PatternS", + "shape": "__string", "locationName": "name", - "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." - } - }, - "required": [ - "Identifier" - ], - "documentation": "Placeholder documentation for UpdateEventBridgeRuleTemplateRequest" - }, - "UpdateEventBridgeRuleTemplateRequestContent": { - "type": "structure", - "members": { - "Description": { - "shape": "__stringMin0Max1024", - "locationName": "description", - "documentation": "A resource's optional description." - }, - "EventTargets": { - "shape": "__listOfEventBridgeRuleTemplateTarget", - "locationName": "eventTargets" - }, - "EventType": { - "shape": "EventBridgeRuleTemplateEventType", - "locationName": "eventType" + "documentation": "Include this parameter only if you want to change the current name of the Node. Specify a name that is unique in the Cluster. You can't change the name. Names are case-sensitive." }, - "GroupIdentifier": { - "shape": "__stringPatternS", - "locationName": "groupIdentifier", - "documentation": "An eventbridge rule template group's identifier. Can be either be its id or current name." + "NodeId": { + "shape": "__string", + "location": "uri", + "locationName": "nodeId", + "documentation": "The ID of the node." }, - "Name": { - "shape": "__stringMin1Max255PatternS", - "locationName": "name", - "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + "Role": { + "shape": "NodeRole", + "locationName": "role", + "documentation": "The initial role of the Node in the Cluster. ACTIVE means the Node is available for encoding. BACKUP means the Node is a redundant Node and might get used if an ACTIVE Node fails." } }, - "documentation": "Placeholder documentation for UpdateEventBridgeRuleTemplateRequestContent" + "documentation": "A request to update the node.", + "required": [ + "NodeId", + "ClusterId" + ] }, - "UpdateEventBridgeRuleTemplateResponse": { + "UpdateNodeResponse": { "type": "structure", "members": { "Arn": { - "shape": "__stringPatternArnMedialiveEventbridgeRuleTemplate", + "shape": "__string", "locationName": "arn", - "documentation": "An eventbridge rule template's ARN (Amazon Resource Name)" - }, - "CreatedAt": { - "shape": "__timestampIso8601", - "locationName": "createdAt" - }, - "Description": { - "shape": "__stringMin0Max1024", - "locationName": "description", - "documentation": "A resource's optional description." + "documentation": "The ARN of the Node. It is automatically assigned when the Node is created." }, - "EventTargets": { - "shape": "__listOfEventBridgeRuleTemplateTarget", - "locationName": "eventTargets" + "ChannelPlacementGroups": { + "shape": "__listOf__string", + "locationName": "channelPlacementGroups", + "documentation": "An array of IDs. Each ID is one ChannelPlacementGroup that is associated with this Node. Empty if the Node is not yet associated with any groups." }, - "EventType": { - "shape": "EventBridgeRuleTemplateEventType", - "locationName": "eventType" + "ClusterId": { + "shape": "__string", + "locationName": "clusterId", + "documentation": "The ID of the Cluster that the Node belongs to." }, - "GroupId": { - "shape": "__stringMin7Max11PatternAws097", - "locationName": "groupId", - "documentation": "An eventbridge rule template group's id. AWS provided template groups have ids that start with `aws-`" + "ConnectionState": { + "shape": "NodeConnectionState", + "locationName": "connectionState", + "documentation": "The current connection state of the Node." }, "Id": { - "shape": "__stringMin7Max11PatternAws097", + "shape": "__string", "locationName": "id", - "documentation": "An eventbridge rule template's id. AWS provided templates have ids that start with `aws-`" + "documentation": "The unique ID of the Node. Unique in the Cluster. The ID is the resource-id portion of the ARN." }, - "ModifiedAt": { - "shape": "__timestampIso8601", - "locationName": "modifiedAt" + "InstanceArn": { + "shape": "__string", + "locationName": "instanceArn", + "documentation": "The ARN of the EC2 instance hosting the Node." }, "Name": { - "shape": "__stringMin1Max255PatternS", + "shape": "__string", "locationName": "name", - "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + "documentation": "The name that you specified for the Node." }, - "Tags": { - "shape": "TagMap", - "locationName": "tags" + "NodeInterfaceMappings": { + "shape": "__listOfNodeInterfaceMapping", + "locationName": "nodeInterfaceMappings", + "documentation": "Documentation update needed" + }, + "Role": { + "shape": "NodeRole", + "locationName": "role", + "documentation": "The initial role current role of the Node in the Cluster. ACTIVE means the Node is available for encoding. BACKUP means the Node is a redundant Node and might get used if an ACTIVE Node fails." + }, + "State": { + "shape": "NodeState", + "locationName": "state", + "documentation": "The current state of the Node." } }, - "documentation": "Placeholder documentation for UpdateEventBridgeRuleTemplateResponse" + "documentation": "Placeholder documentation for UpdateNodeResponse" }, - "UpdateEventBridgeRuleTemplateResponseContent": { + "UpdateNodeState": { + "type": "string", + "documentation": "Used in UpdateNodeStateRequest.", + "enum": [ + "ACTIVE", + "DRAINING" + ] + }, + "UpdateNodeStateRequest": { "type": "structure", "members": { - "Arn": { - "shape": "__stringPatternArnMedialiveEventbridgeRuleTemplate", - "locationName": "arn", - "documentation": "An eventbridge rule template's ARN (Amazon Resource Name)" + "ClusterId": { + "shape": "__string", + "location": "uri", + "locationName": "clusterId", + "documentation": "The ID of the cluster" }, - "CreatedAt": { - "shape": "__timestampIso8601", - "locationName": "createdAt" + "NodeId": { + "shape": "__string", + "location": "uri", + "locationName": "nodeId", + "documentation": "The ID of the node." }, - "Description": { - "shape": "__stringMin0Max1024", - "locationName": "description", - "documentation": "A resource's optional description." + "State": { + "shape": "UpdateNodeState", + "locationName": "state", + "documentation": "The state to apply to the Node. Set to ACTIVE (COMMISSIONED) to indicate that the Node is deployable. MediaLive Anywhere will consider this node it needs a Node to run a Channel on, or when it needs a Node to promote from a backup node to an active node. Set to DRAINING to isolate the Node so that MediaLive Anywhere won't use it." + } + }, + "documentation": "A request to update the state of a node.", + "required": [ + "NodeId", + "ClusterId" + ] + }, + "UpdateNodeStateResponse": { + "type": "structure", + "members": { + "Arn": { + "shape": "__string", + "locationName": "arn", + "documentation": "The ARN of the Node. It is automatically assigned when the Node is created." }, - "EventTargets": { - "shape": "__listOfEventBridgeRuleTemplateTarget", - "locationName": "eventTargets" + "ChannelPlacementGroups": { + "shape": "__listOf__string", + "locationName": "channelPlacementGroups", + "documentation": "An array of IDs. Each ID is one ChannelPlacementGroup that is associated with this Node. Empty if the Node is not yet associated with any groups." }, - "EventType": { - "shape": "EventBridgeRuleTemplateEventType", - "locationName": "eventType" + "ClusterId": { + "shape": "__string", + "locationName": "clusterId", + "documentation": "The ID of the Cluster that the Node belongs to." }, - "GroupId": { - "shape": "__stringMin7Max11PatternAws097", - "locationName": "groupId", - "documentation": "An eventbridge rule template group's id. AWS provided template groups have ids that start with `aws-`" + "ConnectionState": { + "shape": "NodeConnectionState", + "locationName": "connectionState", + "documentation": "The current connection state of the Node." }, "Id": { - "shape": "__stringMin7Max11PatternAws097", + "shape": "__string", "locationName": "id", - "documentation": "An eventbridge rule template's id. AWS provided templates have ids that start with `aws-`" + "documentation": "The unique ID of the Node. Unique in the Cluster. The ID is the resource-id portion of the ARN." }, - "ModifiedAt": { - "shape": "__timestampIso8601", - "locationName": "modifiedAt" + "InstanceArn": { + "shape": "__string", + "locationName": "instanceArn", + "documentation": "The ARN of the EC2 instance hosting the Node." }, "Name": { - "shape": "__stringMin1Max255PatternS", + "shape": "__string", "locationName": "name", - "documentation": "A resource's name. Names must be unique within the scope of a resource type in a specific region." + "documentation": "The name that you specified for the Node." }, - "Tags": { - "shape": "TagMap", - "locationName": "tags" + "NodeInterfaceMappings": { + "shape": "__listOfNodeInterfaceMapping", + "locationName": "nodeInterfaceMappings", + "documentation": "Documentation update needed" + }, + "Role": { + "shape": "NodeRole", + "locationName": "role", + "documentation": "The initial role current role of the Node in the Cluster. ACTIVE means the Node is available for encoding. BACKUP means the Node is a redundant Node and might get used if an ACTIVE Node fails." + }, + "State": { + "shape": "NodeState", + "locationName": "state", + "documentation": "The current state of the Node." } }, - "required": [ - "EventType", - "CreatedAt", - "Id", - "Arn", - "Name", - "GroupId" - ], - "documentation": "Placeholder documentation for UpdateEventBridgeRuleTemplateResponseContent" + "documentation": "Placeholder documentation for UpdateNodeStateResponse" }, - "__integerMax5": { + "__integerMin40Max16000": { "type": "integer", - "max": 5, - "documentation": "Placeholder documentation for __integerMax5" + "min": 40, + "max": 16000, + "documentation": "Placeholder documentation for __integerMin40Max16000" + }, + "__integerMin50000Max16000000": { + "type": "integer", + "min": 50000, + "max": 16000000, + "documentation": "Placeholder documentation for __integerMin50000Max16000000" }, - "__integerMin10Max86400": { + "__integerMin50000Max8000000": { "type": "integer", - "min": 10, - "max": 86400, - "documentation": "Placeholder documentation for __integerMin10Max86400" + "min": 50000, + "max": 8000000, + "documentation": "Placeholder documentation for __integerMin50000Max8000000" }, - "__listOfCloudWatchAlarmTemplateGroupSummary": { + "__listOfDescribeChannelPlacementGroupSummary": { "type": "list", "member": { - "shape": "CloudWatchAlarmTemplateGroupSummary" + "shape": "DescribeChannelPlacementGroupSummary" }, - "documentation": "Placeholder documentation for __listOfCloudWatchAlarmTemplateGroupSummary" + "documentation": "Placeholder documentation for __listOfDescribeChannelPlacementGroupSummary" }, - "__listOfCloudWatchAlarmTemplateSummary": { + "__listOfDescribeClusterSummary": { "type": "list", "member": { - "shape": "CloudWatchAlarmTemplateSummary" + "shape": "DescribeClusterSummary" }, - "documentation": "Placeholder documentation for __listOfCloudWatchAlarmTemplateSummary" + "documentation": "Placeholder documentation for __listOfDescribeClusterSummary" }, - "__listOfEventBridgeRuleTemplateGroupSummary": { + "__listOfDescribeNetworkSummary": { "type": "list", "member": { - "shape": "EventBridgeRuleTemplateGroupSummary" + "shape": "DescribeNetworkSummary" }, - "documentation": "Placeholder documentation for __listOfEventBridgeRuleTemplateGroupSummary" + "documentation": "Placeholder documentation for __listOfDescribeNetworkSummary" }, - "__listOfEventBridgeRuleTemplateSummary": { + "__listOfDescribeNodeSummary": { "type": "list", "member": { - "shape": "EventBridgeRuleTemplateSummary" + "shape": "DescribeNodeSummary" }, - "documentation": "Placeholder documentation for __listOfEventBridgeRuleTemplateSummary" + "documentation": "Placeholder documentation for __listOfDescribeNodeSummary" }, - "__listOfEventBridgeRuleTemplateTarget": { + "__listOfInputDestinationRoute": { "type": "list", "member": { - "shape": "EventBridgeRuleTemplateTarget" + "shape": "InputDestinationRoute" }, - "documentation": "Placeholder documentation for __listOfEventBridgeRuleTemplateTarget" + "documentation": "Placeholder documentation for __listOfInputDestinationRoute" }, - "__listOfMediaResourceNeighbor": { + "__listOfInputRequestDestinationRoute": { "type": "list", "member": { - "shape": "MediaResourceNeighbor" + "shape": "InputRequestDestinationRoute" }, - "documentation": "Placeholder documentation for __listOfMediaResourceNeighbor" + "documentation": "Placeholder documentation for __listOfInputRequestDestinationRoute" }, - "__listOfSignalMapSummary": { + "__listOfInterfaceMapping": { "type": "list", "member": { - "shape": "SignalMapSummary" + "shape": "InterfaceMapping" }, - "documentation": "Placeholder documentation for __listOfSignalMapSummary" + "documentation": "Placeholder documentation for __listOfInterfaceMapping" }, - "__listOf__stringMin7Max11PatternAws097": { + "__listOfInterfaceMappingCreateRequest": { "type": "list", "member": { - "shape": "__stringMin7Max11PatternAws097" + "shape": "InterfaceMappingCreateRequest" }, - "documentation": "Placeholder documentation for __listOf__stringMin7Max11PatternAws097" + "documentation": "Placeholder documentation for __listOfInterfaceMappingCreateRequest" }, - "__listOf__stringPatternS": { + "__listOfInterfaceMappingUpdateRequest": { "type": "list", "member": { - "shape": "__stringPatternS" + "shape": "InterfaceMappingUpdateRequest" }, - "documentation": "Placeholder documentation for __listOf__stringPatternS" - }, - "__stringMax64": { - "type": "string", - "max": 64, - "documentation": "Placeholder documentation for __stringMax64" - }, - "__stringMin0Max1024": { - "type": "string", - "min": 0, - "max": 1024, - "documentation": "Placeholder documentation for __stringMin0Max1024" - }, - "__stringMin1Max2048": { - "type": "string", - "min": 1, - "max": 2048, - "documentation": "Placeholder documentation for __stringMin1Max2048" - }, - "__stringMin1Max2048PatternArn": { - "type": "string", - "min": 1, - "max": 2048, - "pattern": "^arn.+$", - "documentation": "Placeholder documentation for __stringMin1Max2048PatternArn" - }, - "__stringMin1Max255PatternS": { - "type": "string", - "min": 1, - "max": 255, - "pattern": "^[^\\s]+$", - "documentation": "Placeholder documentation for __stringMin1Max255PatternS" - }, - "__stringMin7Max11PatternAws097": { - "type": "string", - "min": 7, - "max": 11, - "pattern": "^(aws-)?[0-9]{7}$", - "documentation": "Placeholder documentation for __stringMin7Max11PatternAws097" - }, - "__stringPatternArnMedialiveCloudwatchAlarmTemplate": { - "type": "string", - "pattern": "^arn:.+:medialive:.+:cloudwatch-alarm-template:.+$", - "documentation": "Placeholder documentation for __stringPatternArnMedialiveCloudwatchAlarmTemplate" - }, - "__stringPatternArnMedialiveCloudwatchAlarmTemplateGroup": { - "type": "string", - "pattern": "^arn:.+:medialive:.+:cloudwatch-alarm-template-group:.+$", - "documentation": "Placeholder documentation for __stringPatternArnMedialiveCloudwatchAlarmTemplateGroup" - }, - "__stringPatternArnMedialiveEventbridgeRuleTemplate": { - "type": "string", - "pattern": "^arn:.+:medialive:.+:eventbridge-rule-template:.+$", - "documentation": "Placeholder documentation for __stringPatternArnMedialiveEventbridgeRuleTemplate" - }, - "__stringPatternArnMedialiveEventbridgeRuleTemplateGroup": { - "type": "string", - "pattern": "^arn:.+:medialive:.+:eventbridge-rule-template-group:.+$", - "documentation": "Placeholder documentation for __stringPatternArnMedialiveEventbridgeRuleTemplateGroup" - }, - "__stringPatternArnMedialiveSignalMap": { - "type": "string", - "pattern": "^arn:.+:medialive:.+:signal-map:.+$", - "documentation": "Placeholder documentation for __stringPatternArnMedialiveSignalMap" - }, - "__stringPatternS": { - "type": "string", - "pattern": "^[^\\s]+$", - "documentation": "Placeholder documentation for __stringPatternS" - }, - "Scte35SegmentationScope": { - "type": "string", - "documentation": "Scte35 Segmentation Scope", - "enum": [ - "ALL_OUTPUT_GROUPS", - "SCTE35_ENABLED_OUTPUT_GROUPS" - ] + "documentation": "Placeholder documentation for __listOfInterfaceMappingUpdateRequest" }, - "Algorithm": { - "type": "string", - "enum": [ - "AES128", - "AES192", - "AES256" - ], - "documentation": "Placeholder documentation for Algorithm" + "__listOfIpPool": { + "type": "list", + "member": { + "shape": "IpPool" + }, + "documentation": "Placeholder documentation for __listOfIpPool" }, - "SrtCallerDecryption": { - "type": "structure", - "members": { - "Algorithm": { - "shape": "Algorithm", - "locationName": "algorithm", - "documentation": "The algorithm used to encrypt content." - }, - "PassphraseSecretArn": { - "shape": "__string", - "locationName": "passphraseSecretArn", - "documentation": "The ARN for the secret in Secrets Manager. Someone in your organization must create a secret and provide you with its ARN. The secret holds the passphrase that MediaLive uses to decrypt the source content." - } + "__listOfIpPoolCreateRequest": { + "type": "list", + "member": { + "shape": "IpPoolCreateRequest" }, - "documentation": "The decryption settings for the SRT caller source. Present only if the source has decryption enabled." + "documentation": "Placeholder documentation for __listOfIpPoolCreateRequest" }, - "SrtCallerDecryptionRequest": { - "type": "structure", - "members": { - "Algorithm": { - "shape": "Algorithm", - "locationName": "algorithm", - "documentation": "The algorithm used to encrypt content." - }, - "PassphraseSecretArn": { - "shape": "__string", - "locationName": "passphraseSecretArn", - "documentation": "The ARN for the secret in Secrets Manager. Someone in your organization must create a secret and provide you with its ARN. This secret holds the passphrase that MediaLive will use to decrypt the source content." - } + "__listOfIpPoolUpdateRequest": { + "type": "list", + "member": { + "shape": "IpPoolUpdateRequest" }, - "documentation": "Complete these parameters only if the content is encrypted." + "documentation": "Placeholder documentation for __listOfIpPoolUpdateRequest" }, - "SrtCallerSource": { - "type": "structure", - "members": { - "Decryption": { - "shape": "SrtCallerDecryption", - "locationName": "decryption" - }, - "MinimumLatency": { - "shape": "__integer", - "locationName": "minimumLatency", - "documentation": "The preferred latency (in milliseconds) for implementing packet loss and recovery. Packet recovery is a key feature of SRT." - }, - "SrtListenerAddress": { - "shape": "__string", - "locationName": "srtListenerAddress", - "documentation": "The IP address at the upstream system (the listener) that MediaLive (the caller) connects to." - }, - "SrtListenerPort": { - "shape": "__string", - "locationName": "srtListenerPort", - "documentation": "The port at the upstream system (the listener) that MediaLive (the caller) connects to." - }, - "StreamId": { - "shape": "__string", - "locationName": "streamId", - "documentation": "The stream ID, if the upstream system uses this identifier." - } + "__listOfMulticastSource": { + "type": "list", + "member": { + "shape": "MulticastSource" }, - "documentation": "The configuration for a source that uses SRT as the connection protocol. In terms of establishing the connection, MediaLive is always caller and the upstream system is always the listener. In terms of transmission of the source content, MediaLive is always the receiver and the upstream system is always the sender." + "documentation": "Placeholder documentation for __listOfMulticastSource" }, - "SrtCallerSourceRequest": { - "type": "structure", - "members": { - "Decryption": { - "shape": "SrtCallerDecryptionRequest", - "locationName": "decryption" - }, - "MinimumLatency": { - "shape": "__integer", - "locationName": "minimumLatency", - "documentation": "The preferred latency (in milliseconds) for implementing packet loss and recovery. Packet recovery is a key feature of SRT. Obtain this value from the operator at the upstream system." - }, - "SrtListenerAddress": { - "shape": "__string", - "locationName": "srtListenerAddress", - "documentation": "The IP address at the upstream system (the listener) that MediaLive (the caller) will connect to." - }, - "SrtListenerPort": { - "shape": "__string", - "locationName": "srtListenerPort", - "documentation": "The port at the upstream system (the listener) that MediaLive (the caller) will connect to." - }, - "StreamId": { - "shape": "__string", - "locationName": "streamId", - "documentation": "This value is required if the upstream system uses this identifier because without it, the SRT handshake between MediaLive (the caller) and the upstream system (the listener) might fail." - } + "__listOfMulticastSourceCreateRequest": { + "type": "list", + "member": { + "shape": "MulticastSourceCreateRequest" }, - "documentation": "Configures the connection for a source that uses SRT as the connection protocol. In terms of establishing the connection, MediaLive is always the caller and the upstream system is always the listener. In terms of transmission of the source content, MediaLive is always the receiver and the upstream system is always the sender." + "documentation": "Placeholder documentation for __listOfMulticastSourceCreateRequest" }, - "SrtSettings": { - "type": "structure", - "members": { - "SrtCallerSources": { - "shape": "__listOfSrtCallerSource", - "locationName": "srtCallerSources" - } + "__listOfMulticastSourceUpdateRequest": { + "type": "list", + "member": { + "shape": "MulticastSourceUpdateRequest" }, - "documentation": "The configured sources for this SRT input." + "documentation": "Placeholder documentation for __listOfMulticastSourceUpdateRequest" }, - "SrtSettingsRequest": { - "type": "structure", - "members": { - "SrtCallerSources": { - "shape": "__listOfSrtCallerSourceRequest", - "locationName": "srtCallerSources" - } + "__listOfNodeInterfaceMapping": { + "type": "list", + "member": { + "shape": "NodeInterfaceMapping" }, - "documentation": "Configures the sources for this SRT input. For a single-pipeline input, include one srtCallerSource in the array. For a standard-pipeline input, include two srtCallerSource." + "documentation": "Placeholder documentation for __listOfNodeInterfaceMapping" }, - "__listOfSrtCallerSource": { + "__listOfNodeInterfaceMappingCreateRequest": { "type": "list", "member": { - "shape": "SrtCallerSource" + "shape": "NodeInterfaceMappingCreateRequest" }, - "documentation": "Placeholder documentation for __listOfSrtCallerSource" + "documentation": "Placeholder documentation for __listOfNodeInterfaceMappingCreateRequest" }, - "__listOfSrtCallerSourceRequest": { + "__listOfRoute": { "type": "list", "member": { - "shape": "SrtCallerSourceRequest" + "shape": "Route" }, - "documentation": "Placeholder documentation for __listOfSrtCallerSourceRequest" + "documentation": "Placeholder documentation for __listOfRoute" }, - "MultiplexPacketIdentifiersMapping": { - "type": "map", - "key": { - "shape": "__string" + "__listOfRouteCreateRequest": { + "type": "list", + "member": { + "shape": "RouteCreateRequest" }, - "value": { - "shape": "MultiplexProgramPacketIdentifiersMap" + "documentation": "Placeholder documentation for __listOfRouteCreateRequest" + }, + "__listOfRouteUpdateRequest": { + "type": "list", + "member": { + "shape": "RouteUpdateRequest" }, - "documentation": "Placeholder documentation for MultiplexPacketIdentifiersMapping" + "documentation": "Placeholder documentation for __listOfRouteUpdateRequest" }, - "__integerMin1Max51": { - "type": "integer", - "min": 1, - "max": 51, - "documentation": "Placeholder documentation for __integerMin1Max51" + "__listOfSrtOutputDestinationSettings": { + "type": "list", + "member": { + "shape": "SrtOutputDestinationSettings" + }, + "documentation": "Placeholder documentation for __listOfSrtOutputDestinationSettings" } }, "documentation": "API for AWS Elemental MediaLive" diff --git a/services/medialive/src/main/resources/codegen-resources/waiters-2.json b/services/medialive/src/main/resources/codegen-resources/waiters-2.json index dcff01bb8d9a..d95e09abe9f2 100644 --- a/services/medialive/src/main/resources/codegen-resources/waiters-2.json +++ b/services/medialive/src/main/resources/codegen-resources/waiters-2.json @@ -421,6 +421,204 @@ "expected": "UPDATE_REVERTED" } ] + }, + "ClusterCreated": { + "description": "Wait until a cluster has been created", + "operation": "DescribeCluster", + "delay": 3, + "maxAttempts": 5, + "acceptors": [ + { + "state": "success", + "matcher": "path", + "argument": "State", + "expected": "ACTIVE" + }, + { + "state": "retry", + "matcher": "path", + "argument": "State", + "expected": "CREATING" + }, + { + "state": "retry", + "matcher": "status", + "expected": 500 + }, + { + "state": "failure", + "matcher": "path", + "argument": "State", + "expected": "CREATE_FAILED" + } + ] + }, + "ClusterDeleted": { + "description": "Wait until a cluster has been deleted", + "operation": "DescribeCluster", + "delay": 5, + "maxAttempts": 20, + "acceptors": [ + { + "state": "success", + "matcher": "path", + "argument": "State", + "expected": "DELETED" + }, + { + "state": "retry", + "matcher": "path", + "argument": "State", + "expected": "DELETING" + }, + { + "state": "retry", + "matcher": "status", + "expected": 500 + } + ] + }, + "NodeRegistered": { + "description": "Wait until a node has been registered", + "operation": "DescribeNode", + "delay": 3, + "maxAttempts": 5, + "acceptors": [ + { + "state": "success", + "matcher": "path", + "argument": "State", + "expected": "ACTIVE" + }, + { + "state": "retry", + "matcher": "path", + "argument": "State", + "expected": "REGISTERING" + }, + { + "state": "retry", + "matcher": "status", + "expected": 404 + }, + { + "state": "failure", + "matcher": "path", + "argument": "State", + "expected": "REGISTRATION_FAILED" + }, + { + "state": "retry", + "matcher": "status", + "expected": 500 + } + ] + }, + "NodeDeregistered": { + "description": "Wait until a node has been deregistered", + "operation": "DescribeNode", + "delay": 5, + "maxAttempts": 20, + "acceptors": [ + { + "state": "success", + "matcher": "path", + "argument": "State", + "expected": "DEREGISTERED" + }, + { + "state": "retry", + "matcher": "path", + "argument": "State", + "expected": "DEREGISTERING" + }, + { + "state": "retry", + "matcher": "path", + "argument": "State", + "expected": "DRAINING" + }, + { + "state": "retry", + "matcher": "status", + "expected": 500 + } + ] + }, + "ChannelPlacementGroupAssigned": { + "description": "Wait until the channel placement group has been assigned", + "operation": "DescribeChannelPlacementGroup", + "delay": 3, + "maxAttempts": 5, + "acceptors": [ + { + "state": "success", + "matcher": "path", + "argument": "State", + "expected": "ASSIGNED" + }, + { + "state": "retry", + "matcher": "path", + "argument": "State", + "expected": "ASSIGNING" + }, + { + "state": "retry", + "matcher": "status", + "expected": 500 + } + ] + }, + "ChannelPlacementGroupUnassigned": { + "description": "Wait until the channel placement group has been unassigned", + "operation": "DescribeChannelPlacementGroup", + "delay": 5, + "maxAttempts": 20, + "acceptors": [ + { + "state": "success", + "matcher": "path", + "argument": "State", + "expected": "UNASSIGNED" + }, + { + "state": "retry", + "matcher": "path", + "argument": "State", + "expected": "UNASSIGNING" + }, + { + "state": "retry", + "matcher": "status", + "expected": 500 + } + ] + }, + "ChannelPlacementGroupDeleted": { + "description": "Wait until the channel placement group has been deleted", + "operation": "DescribeChannelPlacementGroup", + "delay": 5, + "maxAttempts": 20, + "acceptors": [ + { + "state": "success", + "matcher": "path", + "argument": "State", + "expected": "DELETED" + }, + { + "state": "retry", + "matcher": "path", + "argument": "State", + "expected": "DELETING" + }, + { + "state": "retry", + "matcher": "status", + "expected": 500 + } + ] } } } From fc9dc2030e425e75f5ecdd15f4b3f3bf7a484abd Mon Sep 17 00:00:00 2001 From: AWS <> Date: Wed, 11 Sep 2024 18:16:54 +0000 Subject: [PATCH 059/108] Amazon GuardDuty Update: Add support for new statistic types in GetFindingsStatistics. --- .../feature-AmazonGuardDuty-3697b34.json | 6 + .../codegen-resources/service-2.json | 273 +++++++++++++++--- 2 files changed, 243 insertions(+), 36 deletions(-) create mode 100644 .changes/next-release/feature-AmazonGuardDuty-3697b34.json diff --git a/.changes/next-release/feature-AmazonGuardDuty-3697b34.json b/.changes/next-release/feature-AmazonGuardDuty-3697b34.json new file mode 100644 index 000000000000..6d9a226af4fe --- /dev/null +++ b/.changes/next-release/feature-AmazonGuardDuty-3697b34.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Amazon GuardDuty", + "contributor": "", + "description": "Add support for new statistic types in GetFindingsStatistics." +} diff --git a/services/guardduty/src/main/resources/codegen-resources/service-2.json b/services/guardduty/src/main/resources/codegen-resources/service-2.json index 8100522d2ca1..3d36f7a8c8e1 100644 --- a/services/guardduty/src/main/resources/codegen-resources/service-2.json +++ b/services/guardduty/src/main/resources/codegen-resources/service-2.json @@ -151,7 +151,7 @@ {"shape":"BadRequestException"}, {"shape":"InternalServerErrorException"} ], - "documentation":"

Creates a publishing destination to export findings to. The resource to export findings to must exist before you use this operation.

" + "documentation":"

Creates a publishing destination where you can export your GuardDuty findings. Before you start exporting the findings, the destination resource must exist.

" }, "CreateSampleFindings":{ "name":"CreateSampleFindings", @@ -484,7 +484,7 @@ {"shape":"BadRequestException"}, {"shape":"InternalServerErrorException"} ], - "documentation":"

Retrieves an Amazon GuardDuty detector specified by the detectorId.

There might be regional differences because some data sources might not be available in all the Amazon Web Services Regions where GuardDuty is presently supported. For more information, see Regions and endpoints.

" + "documentation":"

Retrieves a GuardDuty detector specified by the detectorId.

There might be regional differences because some data sources might not be available in all the Amazon Web Services Regions where GuardDuty is presently supported. For more information, see Regions and endpoints.

" }, "GetFilter":{ "name":"GetFilter", @@ -529,7 +529,7 @@ {"shape":"BadRequestException"}, {"shape":"InternalServerErrorException"} ], - "documentation":"

Lists Amazon GuardDuty findings statistics for the specified detector ID.

There might be regional differences because some flags might not be available in all the Regions where GuardDuty is currently supported. For more information, see Regions and endpoints.

" + "documentation":"

Lists GuardDuty findings statistics for the specified detector ID.

You must provide either findingStatisticTypes or groupBy parameter, and not both. You can use the maxResults and orderBy parameters only when using groupBy.

There might be regional differences because some flags might not be available in all the Regions where GuardDuty is currently supported. For more information, see Regions and endpoints.

" }, "GetIPSet":{ "name":"GetIPSet", @@ -1343,6 +1343,27 @@ }, "documentation":"

Contains information about the account level permissions on the S3 bucket.

" }, + "AccountStatistics":{ + "type":"structure", + "members":{ + "AccountId":{ + "shape":"String", + "documentation":"

The ID of the Amazon Web Services account.

", + "locationName":"accountId" + }, + "LastGeneratedAt":{ + "shape":"Timestamp", + "documentation":"

The timestamp at which the finding for this account was last generated.

", + "locationName":"lastGeneratedAt" + }, + "TotalFindings":{ + "shape":"Integer", + "documentation":"

The total number of findings associated with an account.

", + "locationName":"totalFindings" + } + }, + "documentation":"

Represents a list of map of accounts with the number of findings associated with each account.

" + }, "Action":{ "type":"structure", "members":{ @@ -2283,7 +2304,7 @@ "members":{ "DetectorId":{ "shape":"DetectorId", - "documentation":"

The ID of the detector belonging to the GuardDuty account that you want to create a filter for.

", + "documentation":"

The detector ID associated with the GuardDuty account for which you want to create a filter.

", "location":"uri", "locationName":"detectorId" }, @@ -2348,7 +2369,7 @@ "members":{ "DetectorId":{ "shape":"DetectorId", - "documentation":"

The unique ID of the detector of the GuardDuty account that you want to create an IPSet for.

", + "documentation":"

The unique ID of the detector of the GuardDuty account for which you want to create an IPSet.

", "location":"uri", "locationName":"detectorId" }, @@ -2411,7 +2432,7 @@ }, "Role":{ "shape":"String", - "documentation":"

IAM role with permissions required to scan and add tags to the associated protected resource.

", + "documentation":"

Amazon Resource Name (ARN) of the IAM role that has the permissions to scan and add tags to the associated protected resource.

", "locationName":"role" }, "ProtectedResource":{ @@ -2450,7 +2471,7 @@ "members":{ "DetectorId":{ "shape":"DetectorId", - "documentation":"

The unique ID of the detector of the GuardDuty account that you want to associate member accounts with.

", + "documentation":"

The unique ID of the detector of the GuardDuty account for which you want to associate member accounts.

", "location":"uri", "locationName":"detectorId" }, @@ -2548,7 +2569,7 @@ "members":{ "DetectorId":{ "shape":"DetectorId", - "documentation":"

The ID of the detector to create sample findings for.

", + "documentation":"

The ID of the detector for which you need to create sample findings.

", "location":"uri", "locationName":"detectorId" }, @@ -2576,7 +2597,7 @@ "members":{ "DetectorId":{ "shape":"DetectorId", - "documentation":"

The unique ID of the detector of the GuardDuty account that you want to create a threatIntelSet for.

", + "documentation":"

The unique ID of the detector of the GuardDuty account for which you want to create a ThreatIntelSet.

", "location":"uri", "locationName":"detectorId" }, @@ -2787,6 +2808,32 @@ }, "documentation":"

Contains information about which data sources are enabled for the GuardDuty member account.

" }, + "DateStatistics":{ + "type":"structure", + "members":{ + "Date":{ + "shape":"Timestamp", + "documentation":"

The timestamp when the total findings count is observed.

For example, Date would look like \"2024-09-05T17:00:00-07:00\" whereas LastGeneratedAt would look like 2024-09-05T17:12:29-07:00\".

", + "locationName":"date" + }, + "LastGeneratedAt":{ + "shape":"Timestamp", + "documentation":"

The timestamp at which the last finding in the findings count, was generated.

", + "locationName":"lastGeneratedAt" + }, + "Severity":{ + "shape":"Double", + "documentation":"

The severity of the findings generated on each date.

", + "locationName":"severity" + }, + "TotalFindings":{ + "shape":"Integer", + "documentation":"

The total number of findings that were generated per severity level on each date.

", + "locationName":"totalFindings" + } + }, + "documentation":"

Represents list a map of dates with a count of total findings generated on each date.

" + }, "DeclineInvitationsRequest":{ "type":"structure", "required":["AccountIds"], @@ -2851,7 +2898,7 @@ "members":{ "DetectorId":{ "shape":"DetectorId", - "documentation":"

The unique ID of the detector that the filter is associated with.

", + "documentation":"

The unique ID of the detector that is associated with the filter.

", "location":"uri", "locationName":"detectorId" }, @@ -2994,7 +3041,7 @@ "members":{ "DetectorId":{ "shape":"DetectorId", - "documentation":"

The unique ID of the detector that the threatIntelSet is associated with.

", + "documentation":"

The unique ID of the detector that is associated with the threatIntelSet.

", "location":"uri", "locationName":"detectorId" }, @@ -3065,7 +3112,7 @@ "members":{ "DetectorId":{ "shape":"DetectorId", - "documentation":"

The ID of the detector to retrieve information about the delegated administrator from.

", + "documentation":"

The detector ID of the delegated administrator for which you need to retrieve the information.

", "location":"uri", "locationName":"detectorId" }, @@ -4035,8 +4082,35 @@ "members":{ "CountBySeverity":{ "shape":"CountBySeverity", - "documentation":"

Represents a map of severity to count statistics for a set of findings.

", + "documentation":"

Represents a list of map of severity to count statistics for a set of findings.

", + "deprecated":true, + "deprecatedMessage":"This parameter is deprecated. Please set GroupBy to 'SEVERITY' to return GroupedBySeverity instead.", "locationName":"countBySeverity" + }, + "GroupedByAccount":{ + "shape":"GroupedByAccount", + "documentation":"

Represents a list of map of accounts with a findings count associated with each account.

", + "locationName":"groupedByAccount" + }, + "GroupedByDate":{ + "shape":"GroupedByDate", + "documentation":"

Represents a list of map of dates with a count of total findings generated on each date per severity level.

", + "locationName":"groupedByDate" + }, + "GroupedByFindingType":{ + "shape":"GroupedByFindingType", + "documentation":"

Represents a list of map of finding types with a count of total findings generated for each type.

Based on the orderBy parameter, this request returns either the most occurring finding types or the least occurring finding types. If the orderBy parameter is ASC, this will represent the least occurring finding types in your account; otherwise, this will represent the most occurring finding types. The default value of orderBy is DESC.

", + "locationName":"groupedByFindingType" + }, + "GroupedByResource":{ + "shape":"GroupedByResource", + "documentation":"

Represents a list of map of top resources with a count of total findings.

", + "locationName":"groupedByResource" + }, + "GroupedBySeverity":{ + "shape":"GroupedBySeverity", + "documentation":"

Represents a list of map of total findings for each severity level.

", + "locationName":"groupedBySeverity" } }, "documentation":"

Contains information about finding statistics.

" @@ -4046,6 +4120,27 @@ "max":50, "min":1 }, + "FindingTypeStatistics":{ + "type":"structure", + "members":{ + "FindingType":{ + "shape":"String", + "documentation":"

Name of the finding type.

", + "locationName":"findingType" + }, + "LastGeneratedAt":{ + "shape":"Timestamp", + "documentation":"

The timestamp at which this finding type was last generated in your environment.

", + "locationName":"lastGeneratedAt" + }, + "TotalFindings":{ + "shape":"Integer", + "documentation":"

The total number of findings associated with generated for each distinct finding type.

", + "locationName":"totalFindings" + } + }, + "documentation":"

Information about each finding type associated with the groupedByFindingType statistics.

" + }, "FindingTypes":{ "type":"list", "member":{"shape":"FindingType"}, @@ -4158,13 +4253,13 @@ "members":{ "DetectorId":{ "shape":"DetectorId", - "documentation":"

The unique ID of the GuardDuty detector associated to the coverage statistics.

", + "documentation":"

The unique ID of the GuardDuty detector.

", "location":"uri", "locationName":"detectorId" }, "FilterCriteria":{ "shape":"CoverageFilterCriteria", - "documentation":"

Represents the criteria used to filter the coverage statistics

", + "documentation":"

Represents the criteria used to filter the coverage statistics.

", "locationName":"filterCriteria" }, "StatisticsType":{ @@ -4256,7 +4351,7 @@ "members":{ "DetectorId":{ "shape":"DetectorId", - "documentation":"

The unique ID of the detector that the filter is associated with.

", + "documentation":"

The unique ID of the detector that is associated with this filter.

", "location":"uri", "locationName":"detectorId" }, @@ -4346,26 +4441,40 @@ }, "GetFindingsStatisticsRequest":{ "type":"structure", - "required":[ - "DetectorId", - "FindingStatisticTypes" - ], + "required":["DetectorId"], "members":{ "DetectorId":{ "shape":"DetectorId", - "documentation":"

The ID of the detector that specifies the GuardDuty service whose findings' statistics you want to retrieve.

", + "documentation":"

The ID of the detector whose findings statistics you want to retrieve.

", "location":"uri", "locationName":"detectorId" }, "FindingStatisticTypes":{ "shape":"FindingStatisticTypes", "documentation":"

The types of finding statistics to retrieve.

", + "deprecated":true, + "deprecatedMessage":"This parameter is deprecated, please use GroupBy instead", "locationName":"findingStatisticTypes" }, "FindingCriteria":{ "shape":"FindingCriteria", "documentation":"

Represents the criteria that is used for querying findings.

", "locationName":"findingCriteria" + }, + "GroupBy":{ + "shape":"GroupByType", + "documentation":"

Displays the findings statistics grouped by one of the listed valid values.

", + "locationName":"groupBy" + }, + "OrderBy":{ + "shape":"OrderBy", + "documentation":"

Displays the sorted findings in the requested order. The default value of orderBy is DESC.

You can use this parameter only with the groupBy parameter.

", + "locationName":"orderBy" + }, + "MaxResults":{ + "shape":"MaxResults100", + "documentation":"

The maximum number of results to be returned in the response. The default value is 25.

You can use this parameter only with the groupBy parameter.

", + "locationName":"maxResults" } } }, @@ -4377,6 +4486,11 @@ "shape":"FindingStatistics", "documentation":"

The finding statistics object.

", "locationName":"findingStatistics" + }, + "NextToken":{ + "shape":"String", + "documentation":"

The pagination parameter to be used on the next list operation to retrieve more items.

This parameter is currently not supported.

", + "locationName":"nextToken" } } }, @@ -4389,7 +4503,7 @@ "members":{ "DetectorId":{ "shape":"DetectorId", - "documentation":"

The unique ID of the detector that the IPSet is associated with.

", + "documentation":"

The unique ID of the detector that is associated with the IPSet.

", "location":"uri", "locationName":"detectorId" }, @@ -4474,7 +4588,7 @@ }, "Role":{ "shape":"String", - "documentation":"

IAM role that includes the permissions required to scan and add tags to the associated protected resource.

", + "documentation":"

Amazon Resource Name (ARN) of the IAM role that includes the permissions to scan and add tags to the associated protected resource.

", "locationName":"role" }, "ProtectedResource":{ @@ -4515,7 +4629,7 @@ "members":{ "DetectorId":{ "shape":"DetectorId", - "documentation":"

The unique ID of the detector that the scan setting is associated with.

", + "documentation":"

The unique ID of the detector that is associated with this scan.

", "location":"uri", "locationName":"detectorId" } @@ -4578,7 +4692,7 @@ }, "AccountIds":{ "shape":"AccountIds", - "documentation":"

The account ID of the member account.

", + "documentation":"

A list of member account IDs.

", "locationName":"accountIds" } } @@ -4692,7 +4806,7 @@ "members":{ "DetectorId":{ "shape":"DetectorId", - "documentation":"

The unique ID of the detector that the threatIntelSet is associated with.

", + "documentation":"

The unique ID of the detector that is associated with the threatIntelSet.

", "location":"uri", "locationName":"detectorId" }, @@ -4796,6 +4910,36 @@ } } }, + "GroupByType":{ + "type":"string", + "enum":[ + "ACCOUNT", + "DATE", + "FINDING_TYPE", + "RESOURCE", + "SEVERITY" + ] + }, + "GroupedByAccount":{ + "type":"list", + "member":{"shape":"AccountStatistics"} + }, + "GroupedByDate":{ + "type":"list", + "member":{"shape":"DateStatistics"} + }, + "GroupedByFindingType":{ + "type":"list", + "member":{"shape":"FindingTypeStatistics"} + }, + "GroupedByResource":{ + "type":"list", + "member":{"shape":"ResourceStatistics"} + }, + "GroupedBySeverity":{ + "type":"list", + "member":{"shape":"SeverityStatistics"} + }, "Groups":{ "type":"list", "member":{"shape":"String"} @@ -5008,7 +5152,7 @@ "members":{ "DetectorId":{ "shape":"DetectorId", - "documentation":"

The unique ID of the detector of the GuardDuty account that you want to invite members with.

", + "documentation":"

The unique ID of the detector of the GuardDuty account with which you want to invite members.

", "location":"uri", "locationName":"detectorId" }, @@ -5596,7 +5740,7 @@ "members":{ "DetectorId":{ "shape":"DetectorId", - "documentation":"

The unique ID of the detector that the filter is associated with.

", + "documentation":"

The unique ID of the detector that is associated with the filter.

", "location":"uri", "locationName":"detectorId" }, @@ -5642,7 +5786,7 @@ }, "FindingCriteria":{ "shape":"FindingCriteria", - "documentation":"

Represents the criteria used for querying findings. Valid values include:

  • JSON field name

  • accountId

  • region

  • confidence

  • id

  • resource.accessKeyDetails.accessKeyId

  • resource.accessKeyDetails.principalId

  • resource.accessKeyDetails.userName

  • resource.accessKeyDetails.userType

  • resource.instanceDetails.iamInstanceProfile.id

  • resource.instanceDetails.imageId

  • resource.instanceDetails.instanceId

  • resource.instanceDetails.networkInterfaces.ipv6Addresses

  • resource.instanceDetails.networkInterfaces.privateIpAddresses.privateIpAddress

  • resource.instanceDetails.networkInterfaces.publicDnsName

  • resource.instanceDetails.networkInterfaces.publicIp

  • resource.instanceDetails.networkInterfaces.securityGroups.groupId

  • resource.instanceDetails.networkInterfaces.securityGroups.groupName

  • resource.instanceDetails.networkInterfaces.subnetId

  • resource.instanceDetails.networkInterfaces.vpcId

  • resource.instanceDetails.tags.key

  • resource.instanceDetails.tags.value

  • resource.resourceType

  • service.action.actionType

  • service.action.awsApiCallAction.api

  • service.action.awsApiCallAction.callerType

  • service.action.awsApiCallAction.remoteIpDetails.city.cityName

  • service.action.awsApiCallAction.remoteIpDetails.country.countryName

  • service.action.awsApiCallAction.remoteIpDetails.ipAddressV4

  • service.action.awsApiCallAction.remoteIpDetails.organization.asn

  • service.action.awsApiCallAction.remoteIpDetails.organization.asnOrg

  • service.action.awsApiCallAction.serviceName

  • service.action.dnsRequestAction.domain

  • service.action.dnsRequestAction.domainWithSuffix

  • service.action.networkConnectionAction.blocked

  • service.action.networkConnectionAction.connectionDirection

  • service.action.networkConnectionAction.localPortDetails.port

  • service.action.networkConnectionAction.protocol

  • service.action.networkConnectionAction.remoteIpDetails.country.countryName

  • service.action.networkConnectionAction.remoteIpDetails.ipAddressV4

  • service.action.networkConnectionAction.remoteIpDetails.organization.asn

  • service.action.networkConnectionAction.remoteIpDetails.organization.asnOrg

  • service.action.networkConnectionAction.remotePortDetails.port

  • service.additionalInfo.threatListName

  • service.archived

    When this attribute is set to 'true', only archived findings are listed. When it's set to 'false', only unarchived findings are listed. When this attribute is not set, all existing findings are listed.

  • service.resourceRole

  • severity

  • type

  • updatedAt

    Type: Timestamp in Unix Epoch millisecond format: 1486685375000

", + "documentation":"

Represents the criteria used for querying findings. Valid values include:

  • JSON field name

  • accountId

  • region

  • confidence

  • id

  • resource.accessKeyDetails.accessKeyId

  • resource.accessKeyDetails.principalId

  • resource.accessKeyDetails.userName

  • resource.accessKeyDetails.userType

  • resource.instanceDetails.iamInstanceProfile.id

  • resource.instanceDetails.imageId

  • resource.instanceDetails.instanceId

  • resource.instanceDetails.networkInterfaces.ipv6Addresses

  • resource.instanceDetails.networkInterfaces.privateIpAddresses.privateIpAddress

  • resource.instanceDetails.networkInterfaces.publicDnsName

  • resource.instanceDetails.networkInterfaces.publicIp

  • resource.instanceDetails.networkInterfaces.securityGroups.groupId

  • resource.instanceDetails.networkInterfaces.securityGroups.groupName

  • resource.instanceDetails.networkInterfaces.subnetId

  • resource.instanceDetails.networkInterfaces.vpcId

  • resource.instanceDetails.tags.key

  • resource.instanceDetails.tags.value

  • resource.resourceType

  • service.action.actionType

  • service.action.awsApiCallAction.api

  • service.action.awsApiCallAction.callerType

  • service.action.awsApiCallAction.remoteIpDetails.city.cityName

  • service.action.awsApiCallAction.remoteIpDetails.country.countryName

  • service.action.awsApiCallAction.remoteIpDetails.ipAddressV4

  • service.action.awsApiCallAction.remoteIpDetails.organization.asn

  • service.action.awsApiCallAction.remoteIpDetails.organization.asnOrg

  • service.action.awsApiCallAction.serviceName

  • service.action.dnsRequestAction.domain

  • service.action.dnsRequestAction.domainWithSuffix

  • service.action.networkConnectionAction.blocked

  • service.action.networkConnectionAction.connectionDirection

  • service.action.networkConnectionAction.localPortDetails.port

  • service.action.networkConnectionAction.protocol

  • service.action.networkConnectionAction.remoteIpDetails.country.countryName

  • service.action.networkConnectionAction.remoteIpDetails.ipAddressV4

  • service.action.networkConnectionAction.remoteIpDetails.organization.asn

  • service.action.networkConnectionAction.remoteIpDetails.organization.asnOrg

  • service.action.networkConnectionAction.remotePortDetails.port

  • service.additionalInfo.threatListName

  • service.archived

    When this attribute is set to 'true', only archived findings are listed. When it's set to 'false', only unarchived findings are listed. When this attribute is not set, all existing findings are listed.

  • service.ebsVolumeScanDetails.scanId

  • service.resourceRole

  • severity

  • type

  • updatedAt

    Type: Timestamp in Unix Epoch millisecond format: 1486685375000

", "locationName":"findingCriteria" }, "SortCriteria":{ @@ -5684,7 +5828,7 @@ "members":{ "DetectorId":{ "shape":"DetectorId", - "documentation":"

The unique ID of the detector that the IPSet is associated with.

", + "documentation":"

The unique ID of the detector that is associated with IPSet.

", "location":"uri", "locationName":"detectorId" }, @@ -5782,7 +5926,7 @@ "members":{ "DetectorId":{ "shape":"DetectorId", - "documentation":"

The unique ID of the detector the member is associated with.

", + "documentation":"

The unique ID of the detector that is associated with the member.

", "location":"uri", "locationName":"detectorId" }, @@ -5859,7 +6003,7 @@ "members":{ "DetectorId":{ "shape":"DetectorId", - "documentation":"

The ID of the detector to retrieve publishing destinations for.

", + "documentation":"

The detector ID for which you want to retrieve the publishing destination.

", "location":"uri", "locationName":"detectorId" }, @@ -5921,7 +6065,7 @@ "members":{ "DetectorId":{ "shape":"DetectorId", - "documentation":"

The unique ID of the detector that the threatIntelSet is associated with.

", + "documentation":"

The unique ID of the detector that is associated with the threatIntelSet.

", "location":"uri", "locationName":"detectorId" }, @@ -6196,6 +6340,11 @@ "max":50, "min":1 }, + "MaxResults100":{ + "type":"integer", + "max":100, + "min":1 + }, "Member":{ "type":"structure", "required":[ @@ -7421,6 +7570,37 @@ "error":{"httpStatusCode":404}, "exception":true }, + "ResourceStatistics":{ + "type":"structure", + "members":{ + "AccountId":{ + "shape":"String", + "documentation":"

The ID of the Amazon Web Services account.

", + "locationName":"accountId" + }, + "LastGeneratedAt":{ + "shape":"Timestamp", + "documentation":"

The timestamp at which the statistics for this resource was last generated.

", + "locationName":"lastGeneratedAt" + }, + "ResourceId":{ + "shape":"String", + "documentation":"

ID associated with each resource. The following list provides the mapping of the resource type and resource ID.

Mapping of resource and resource ID

  • AccessKey - resource.accessKeyDetails.accessKeyId

  • Container - resource.containerDetails.id

  • ECSCluster - resource.ecsClusterDetails.name

  • EKSCluster - resource.eksClusterDetails.name

  • Instance - resource.instanceDetails.instanceId

  • KubernetesCluster - resource.kubernetesDetails.kubernetesWorkloadDetails.name

  • Lambda - resource.lambdaDetails.functionName

  • RDSDBInstance - resource.rdsDbInstanceDetails.dbInstanceIdentifier

  • S3Bucket - resource.s3BucketDetails.name

  • S3Object - resource.s3BucketDetails.name

", + "locationName":"resourceId" + }, + "ResourceType":{ + "shape":"String", + "documentation":"

The type of resource.

", + "locationName":"resourceType" + }, + "TotalFindings":{ + "shape":"Integer", + "documentation":"

The total number of findings associated with this resource.

", + "locationName":"totalFindings" + } + }, + "documentation":"

Information about each resource type associated with the groupedByResource statistics.

" + }, "ResourceType":{ "type":"string", "enum":[ @@ -7700,7 +7880,7 @@ }, "AdminDetectorId":{ "shape":"DetectorId", - "documentation":"

The unique detector ID of the administrator account that the request is associated with. Note that this value will be the same as the one used for DetectorId if the account is an administrator.

", + "documentation":"

The unique detector ID of the administrator account that the request is associated with. If the account is an administrator, the AdminDetectorId will be the same as the one used for DetectorId.

", "locationName":"adminDetectorId" }, "ScanId":{ @@ -8136,6 +8316,27 @@ "type":"list", "member":{"shape":"String"} }, + "SeverityStatistics":{ + "type":"structure", + "members":{ + "LastGeneratedAt":{ + "shape":"Timestamp", + "documentation":"

The timestamp at which a finding type for a specific severity was last generated.

", + "locationName":"lastGeneratedAt" + }, + "Severity":{ + "shape":"Double", + "documentation":"

The severity level associated with each finding type.

", + "locationName":"severity" + }, + "TotalFindings":{ + "shape":"Integer", + "documentation":"

The total number of findings associated with this severity.

", + "locationName":"totalFindings" + } + }, + "documentation":"

Information about severity level for each finding type.

" + }, "SortCriteria":{ "type":"structure", "members":{ @@ -8661,7 +8862,7 @@ "members":{ "DetectorId":{ "shape":"DetectorId", - "documentation":"

The ID of the detector associated with the findings to update feedback for.

", + "documentation":"

The ID of the detector that is associated with the findings for which you want to update the feedback.

", "location":"uri", "locationName":"detectorId" }, @@ -8740,7 +8941,7 @@ }, "Role":{ "shape":"String", - "documentation":"

IAM role with permissions required to scan and add tags to the associated protected resource.

", + "documentation":"

Amazon Resource Name (ARN) of the IAM role with permissions to scan and add tags to the associated protected resource.

", "locationName":"role" }, "Actions":{ From 5e7876ce827d9c9cd0c2d0fb1604965fc4594171 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Wed, 11 Sep 2024 18:17:06 +0000 Subject: [PATCH 060/108] Agents for Amazon Bedrock Update: Amazon Bedrock Knowledge Bases now supports using inference profiles to increase throughput and improve resilience. --- .../feature-AgentsforAmazonBedrock-fe69153.json | 6 ++++++ .../src/main/resources/codegen-resources/service-2.json | 8 ++++---- 2 files changed, 10 insertions(+), 4 deletions(-) create mode 100644 .changes/next-release/feature-AgentsforAmazonBedrock-fe69153.json diff --git a/.changes/next-release/feature-AgentsforAmazonBedrock-fe69153.json b/.changes/next-release/feature-AgentsforAmazonBedrock-fe69153.json new file mode 100644 index 000000000000..302d7be33d2e --- /dev/null +++ b/.changes/next-release/feature-AgentsforAmazonBedrock-fe69153.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Agents for Amazon Bedrock", + "contributor": "", + "description": "Amazon Bedrock Knowledge Bases now supports using inference profiles to increase throughput and improve resilience." +} diff --git a/services/bedrockagent/src/main/resources/codegen-resources/service-2.json b/services/bedrockagent/src/main/resources/codegen-resources/service-2.json index e1bc04b69978..253826604ad8 100644 --- a/services/bedrockagent/src/main/resources/codegen-resources/service-2.json +++ b/services/bedrockagent/src/main/resources/codegen-resources/service-2.json @@ -1994,20 +1994,20 @@ "members":{ "modelArn":{ "shape":"BedrockModelArn", - "documentation":"

The model's ARN.

" + "documentation":"

The ARN of the foundation model or inference profile.

" }, "parsingPrompt":{ "shape":"ParsingPrompt", "documentation":"

Instructions for interpreting the contents of a document.

" } }, - "documentation":"

Settings for a foundation model used to parse documents for a data source.

" + "documentation":"

Settings for a foundation model or inference profile used to parse documents for a data source.

" }, "BedrockModelArn":{ "type":"string", "max":2048, "min":1, - "pattern":"^arn:aws(-[^:]+)?:bedrock:[a-z0-9-]{1,20}::foundation-model/([a-z0-9-]{1,63}[.]{1}[a-z0-9-]{1,63}([.]?[a-z0-9-]{1,63})([:][a-z0-9-]{1,63}){0,2})$" + "pattern":"^arn:aws(-[^:]+)?:bedrock:[a-z0-9-]{1,20}::foundation-model/([a-z0-9-]{1,63}[.]{1}[a-z0-9-]{1,63}([.]?[a-z0-9-]{1,63})([:][a-z0-9-]{1,63}){0,2})|(arn:aws(|-us-gov|-cn|-iso|-iso-b):bedrock:(|[0-9a-z-]{1,20}):(|[0-9]{12}):inference-profile/[a-zA-Z0-9-:.]+)$" }, "Boolean":{ "type":"boolean", @@ -6042,7 +6042,7 @@ "documentation":"

The parsing strategy for the data source.

" } }, - "documentation":"

Settings for parsing document contents. By default, the service converts the contents of each document into text before splitting it into chunks. To improve processing of PDF files with tables and images, you can configure the data source to convert the pages of text into images and use a model to describe the contents of each page.

To use a model to parse PDF documents, set the parsing strategy to BEDROCK_FOUNDATION_MODEL and specify the model to use by ARN. You can also override the default parsing prompt with instructions for how to interpret images and tables in your documents. The following models are supported.

  • Anthropic Claude 3 Sonnet - anthropic.claude-3-sonnet-20240229-v1:0

  • Anthropic Claude 3 Haiku - anthropic.claude-3-haiku-20240307-v1:0

You can get the ARN of a model with the ListFoundationModels action. Standard model usage charges apply for the foundation model parsing strategy.

" + "documentation":"

Settings for parsing document contents. By default, the service converts the contents of each document into text before splitting it into chunks. To improve processing of PDF files with tables and images, you can configure the data source to convert the pages of text into images and use a model to describe the contents of each page.

To use a model to parse PDF documents, set the parsing strategy to BEDROCK_FOUNDATION_MODEL and specify the model or inference profile to use by ARN. You can also override the default parsing prompt with instructions for how to interpret images and tables in your documents. The following models are supported.

  • Anthropic Claude 3 Sonnet - anthropic.claude-3-sonnet-20240229-v1:0

  • Anthropic Claude 3 Haiku - anthropic.claude-3-haiku-20240307-v1:0

You can get the ARN of a model with the ListFoundationModels action. Standard model usage charges apply for the foundation model parsing strategy.

" }, "ParsingPrompt":{ "type":"structure", From 7eacfc90d8f3c8a7e10ddf0c444d74e2773d1be4 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Wed, 11 Sep 2024 18:18:18 +0000 Subject: [PATCH 061/108] Updated endpoints.json and partitions.json. --- .../next-release/feature-AWSSDKforJavav2-0443982.json | 6 ++++++ .../awssdk/regions/internal/region/endpoints.json | 11 +++++++++++ 2 files changed, 17 insertions(+) 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 7f365c22f56a..99ced63bbd31 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 @@ -17689,6 +17689,7 @@ "ap-southeast-2" : { }, "ap-southeast-3" : { }, "ap-southeast-4" : { }, + "ap-southeast-5" : { }, "ca-central-1" : { }, "ca-west-1" : { }, "eu-central-1" : { }, @@ -29425,6 +29426,11 @@ "us-iso-west-1" : { } } }, + "oam" : { + "endpoints" : { + "us-iso-east-1" : { } + } + }, "outposts" : { "endpoints" : { "us-iso-east-1" : { } @@ -30148,6 +30154,11 @@ "us-isob-east-1" : { } } }, + "oam" : { + "endpoints" : { + "us-isob-east-1" : { } + } + }, "outposts" : { "endpoints" : { "us-isob-east-1" : { } From 4d91aa627794610c7f4f228c11dcaf58c9e664c8 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Wed, 11 Sep 2024 18:19:34 +0000 Subject: [PATCH 062/108] Release 2.27.24. Updated CHANGELOG.md, README.md and all pom.xml. --- .changes/2.27.24.json | 48 +++++++++++++++++++ ...feature-AWSElementalMediaLive-a4416f1.json | 6 --- .../feature-AWSSDKforJavav2-0443982.json | 6 --- ...eature-AgentsforAmazonBedrock-fe69153.json | 6 --- ...AgentsforAmazonBedrockRuntime-0c7d484.json | 6 --- ...mazonElasticContainerRegistry-b504716.json | 6 --- .../feature-AmazonGuardDuty-3697b34.json | 6 --- ...ture-AmazonLexModelBuildingV2-74c141c.json | 6 --- CHANGELOG.md | 29 +++++++++++ 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/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/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/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/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/worklink/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 +- 479 files changed, 550 insertions(+), 515 deletions(-) create mode 100644 .changes/2.27.24.json delete mode 100644 .changes/next-release/feature-AWSElementalMediaLive-a4416f1.json delete mode 100644 .changes/next-release/feature-AWSSDKforJavav2-0443982.json delete mode 100644 .changes/next-release/feature-AgentsforAmazonBedrock-fe69153.json delete mode 100644 .changes/next-release/feature-AgentsforAmazonBedrockRuntime-0c7d484.json delete mode 100644 .changes/next-release/feature-AmazonElasticContainerRegistry-b504716.json delete mode 100644 .changes/next-release/feature-AmazonGuardDuty-3697b34.json delete mode 100644 .changes/next-release/feature-AmazonLexModelBuildingV2-74c141c.json diff --git a/.changes/2.27.24.json b/.changes/2.27.24.json new file mode 100644 index 000000000000..34c9780ab2f1 --- /dev/null +++ b/.changes/2.27.24.json @@ -0,0 +1,48 @@ +{ + "version": "2.27.24", + "date": "2024-09-11", + "entries": [ + { + "type": "feature", + "category": "AWS Elemental MediaLive", + "contributor": "", + "description": "Adds AV1 Codec support, SRT ouputs, and MediaLive Anywhere support." + }, + { + "type": "feature", + "category": "Agents for Amazon Bedrock", + "contributor": "", + "description": "Amazon Bedrock Knowledge Bases now supports using inference profiles to increase throughput and improve resilience." + }, + { + "type": "feature", + "category": "Agents for Amazon Bedrock Runtime", + "contributor": "", + "description": "Amazon Bedrock Knowledge Bases now supports using inference profiles to increase throughput and improve resilience." + }, + { + "type": "feature", + "category": "Amazon Elastic Container Registry", + "contributor": "", + "description": "Added KMS_DSSE to EncryptionType" + }, + { + "type": "feature", + "category": "Amazon GuardDuty", + "contributor": "", + "description": "Add support for new statistic types in GetFindingsStatistics." + }, + { + "type": "feature", + "category": "Amazon Lex Model Building V2", + "contributor": "", + "description": "Support new Polly voice engines in VoiceSettings: long-form and generative" + }, + { + "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-AWSElementalMediaLive-a4416f1.json b/.changes/next-release/feature-AWSElementalMediaLive-a4416f1.json deleted file mode 100644 index e4f0f06953d7..000000000000 --- a/.changes/next-release/feature-AWSElementalMediaLive-a4416f1.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "AWS Elemental MediaLive", - "contributor": "", - "description": "Adds AV1 Codec support, SRT ouputs, and MediaLive Anywhere support." -} 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-AgentsforAmazonBedrock-fe69153.json b/.changes/next-release/feature-AgentsforAmazonBedrock-fe69153.json deleted file mode 100644 index 302d7be33d2e..000000000000 --- a/.changes/next-release/feature-AgentsforAmazonBedrock-fe69153.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "Agents for Amazon Bedrock", - "contributor": "", - "description": "Amazon Bedrock Knowledge Bases now supports using inference profiles to increase throughput and improve resilience." -} diff --git a/.changes/next-release/feature-AgentsforAmazonBedrockRuntime-0c7d484.json b/.changes/next-release/feature-AgentsforAmazonBedrockRuntime-0c7d484.json deleted file mode 100644 index d7cbbc353a56..000000000000 --- a/.changes/next-release/feature-AgentsforAmazonBedrockRuntime-0c7d484.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "Agents for Amazon Bedrock Runtime", - "contributor": "", - "description": "Amazon Bedrock Knowledge Bases now supports using inference profiles to increase throughput and improve resilience." -} diff --git a/.changes/next-release/feature-AmazonElasticContainerRegistry-b504716.json b/.changes/next-release/feature-AmazonElasticContainerRegistry-b504716.json deleted file mode 100644 index 6ffc1554c9f7..000000000000 --- a/.changes/next-release/feature-AmazonElasticContainerRegistry-b504716.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "Amazon Elastic Container Registry", - "contributor": "", - "description": "Added KMS_DSSE to EncryptionType" -} diff --git a/.changes/next-release/feature-AmazonGuardDuty-3697b34.json b/.changes/next-release/feature-AmazonGuardDuty-3697b34.json deleted file mode 100644 index 6d9a226af4fe..000000000000 --- a/.changes/next-release/feature-AmazonGuardDuty-3697b34.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "Amazon GuardDuty", - "contributor": "", - "description": "Add support for new statistic types in GetFindingsStatistics." -} diff --git a/.changes/next-release/feature-AmazonLexModelBuildingV2-74c141c.json b/.changes/next-release/feature-AmazonLexModelBuildingV2-74c141c.json deleted file mode 100644 index 149681d63b9a..000000000000 --- a/.changes/next-release/feature-AmazonLexModelBuildingV2-74c141c.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "Amazon Lex Model Building V2", - "contributor": "", - "description": "Support new Polly voice engines in VoiceSettings: long-form and generative" -} diff --git a/CHANGELOG.md b/CHANGELOG.md index f5a404df6570..b3d20a4799d6 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,33 @@ #### 👋 _Looking for changelogs for older versions? You can find them in the [changelogs](./changelogs) directory._ +# __2.27.24__ __2024-09-11__ +## __AWS Elemental MediaLive__ + - ### Features + - Adds AV1 Codec support, SRT ouputs, and MediaLive Anywhere support. + +## __AWS SDK for Java v2__ + - ### Features + - Updated endpoint and partition metadata. + +## __Agents for Amazon Bedrock__ + - ### Features + - Amazon Bedrock Knowledge Bases now supports using inference profiles to increase throughput and improve resilience. + +## __Agents for Amazon Bedrock Runtime__ + - ### Features + - Amazon Bedrock Knowledge Bases now supports using inference profiles to increase throughput and improve resilience. + +## __Amazon Elastic Container Registry__ + - ### Features + - Added KMS_DSSE to EncryptionType + +## __Amazon GuardDuty__ + - ### Features + - Add support for new statistic types in GetFindingsStatistics. + +## __Amazon Lex Model Building V2__ + - ### Features + - Support new Polly voice engines in VoiceSettings: long-form and generative + # __2.27.23__ __2024-09-10__ ## __AWS SDK for Java v2__ - ### Features diff --git a/README.md b/README.md index 33443a5e0870..e3a0de300bbd 100644 --- a/README.md +++ b/README.md @@ -52,7 +52,7 @@ To automatically manage module versions (currently all modules have the same ver software.amazon.awssdk bom - 2.27.23 + 2.27.24 pom import @@ -86,12 +86,12 @@ Alternatively you can add dependencies for the specific services you use only: software.amazon.awssdk ec2 - 2.27.23 + 2.27.24 software.amazon.awssdk s3 - 2.27.23 + 2.27.24 ``` @@ -103,7 +103,7 @@ You can import the whole SDK into your project (includes *ALL* services). Please software.amazon.awssdk aws-sdk-java - 2.27.23 + 2.27.24 ``` diff --git a/archetypes/archetype-app-quickstart/pom.xml b/archetypes/archetype-app-quickstart/pom.xml index e1608b809cfa..b526e85d6eee 100644 --- a/archetypes/archetype-app-quickstart/pom.xml +++ b/archetypes/archetype-app-quickstart/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.24-SNAPSHOT + 2.27.24 4.0.0 diff --git a/archetypes/archetype-lambda/pom.xml b/archetypes/archetype-lambda/pom.xml index 78ddf0349111..ace61c189aad 100644 --- a/archetypes/archetype-lambda/pom.xml +++ b/archetypes/archetype-lambda/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.24-SNAPSHOT + 2.27.24 4.0.0 archetype-lambda diff --git a/archetypes/archetype-tools/pom.xml b/archetypes/archetype-tools/pom.xml index 4e8f96c03f23..b531bf0b1b94 100644 --- a/archetypes/archetype-tools/pom.xml +++ b/archetypes/archetype-tools/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.24-SNAPSHOT + 2.27.24 4.0.0 diff --git a/archetypes/pom.xml b/archetypes/pom.xml index d0df93b57c65..8ea07d9bea26 100644 --- a/archetypes/pom.xml +++ b/archetypes/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.24-SNAPSHOT + 2.27.24 4.0.0 archetypes diff --git a/aws-sdk-java/pom.xml b/aws-sdk-java/pom.xml index c14f320c319a..5bfdd71b99f1 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.27.24-SNAPSHOT + 2.27.24 ../pom.xml aws-sdk-java diff --git a/bom-internal/pom.xml b/bom-internal/pom.xml index 613983f159d1..09c88b61487f 100644 --- a/bom-internal/pom.xml +++ b/bom-internal/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.24-SNAPSHOT + 2.27.24 4.0.0 diff --git a/bom/pom.xml b/bom/pom.xml index d8ce88578174..aad2e929bdf2 100644 --- a/bom/pom.xml +++ b/bom/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.24-SNAPSHOT + 2.27.24 ../pom.xml bom diff --git a/bundle-logging-bridge/pom.xml b/bundle-logging-bridge/pom.xml index ee73b68e4b2d..f84f46ed8d05 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.27.24-SNAPSHOT + 2.27.24 bundle-logging-bridge jar diff --git a/bundle-sdk/pom.xml b/bundle-sdk/pom.xml index 9adbe8f47052..d1be04689691 100644 --- a/bundle-sdk/pom.xml +++ b/bundle-sdk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.24-SNAPSHOT + 2.27.24 bundle-sdk jar diff --git a/bundle/pom.xml b/bundle/pom.xml index 0d0c7728e397..153b1b0c9375 100644 --- a/bundle/pom.xml +++ b/bundle/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.24-SNAPSHOT + 2.27.24 bundle jar diff --git a/codegen-lite-maven-plugin/pom.xml b/codegen-lite-maven-plugin/pom.xml index 57cc44b6afc1..d4206d816244 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.27.24-SNAPSHOT + 2.27.24 ../pom.xml codegen-lite-maven-plugin diff --git a/codegen-lite/pom.xml b/codegen-lite/pom.xml index 3d3905625c4d..7b193e8dca7f 100644 --- a/codegen-lite/pom.xml +++ b/codegen-lite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.24-SNAPSHOT + 2.27.24 codegen-lite AWS Java SDK :: Code Generator Lite diff --git a/codegen-maven-plugin/pom.xml b/codegen-maven-plugin/pom.xml index 85bc9f955916..f21eadf32555 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.27.24-SNAPSHOT + 2.27.24 ../pom.xml codegen-maven-plugin diff --git a/codegen/pom.xml b/codegen/pom.xml index 6cfd71f83342..87f3f819aa0b 100644 --- a/codegen/pom.xml +++ b/codegen/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.24-SNAPSHOT + 2.27.24 codegen AWS Java SDK :: Code Generator diff --git a/core/annotations/pom.xml b/core/annotations/pom.xml index 0e12430581cb..c5abdc51b82a 100644 --- a/core/annotations/pom.xml +++ b/core/annotations/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.24-SNAPSHOT + 2.27.24 4.0.0 diff --git a/core/arns/pom.xml b/core/arns/pom.xml index 6a6bac0cf0c1..703789f38b07 100644 --- a/core/arns/pom.xml +++ b/core/arns/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.24-SNAPSHOT + 2.27.24 4.0.0 diff --git a/core/auth-crt/pom.xml b/core/auth-crt/pom.xml index 932ada3dac26..bb579c1ebb4a 100644 --- a/core/auth-crt/pom.xml +++ b/core/auth-crt/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.24-SNAPSHOT + 2.27.24 auth-crt diff --git a/core/auth/pom.xml b/core/auth/pom.xml index ac0e836f1c0b..233c05174510 100644 --- a/core/auth/pom.xml +++ b/core/auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.24-SNAPSHOT + 2.27.24 auth diff --git a/core/aws-core/pom.xml b/core/aws-core/pom.xml index 6a164c9dac9d..0d68c8ecfef9 100644 --- a/core/aws-core/pom.xml +++ b/core/aws-core/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.24-SNAPSHOT + 2.27.24 aws-core diff --git a/core/checksums-spi/pom.xml b/core/checksums-spi/pom.xml index 0d3ab970faaa..1b02d110fbfd 100644 --- a/core/checksums-spi/pom.xml +++ b/core/checksums-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.24-SNAPSHOT + 2.27.24 checksums-spi diff --git a/core/checksums/pom.xml b/core/checksums/pom.xml index bb60f1669dc7..980ba521ac1f 100644 --- a/core/checksums/pom.xml +++ b/core/checksums/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.24-SNAPSHOT + 2.27.24 checksums diff --git a/core/crt-core/pom.xml b/core/crt-core/pom.xml index b7b5f5fa24b5..b92b518d31dc 100644 --- a/core/crt-core/pom.xml +++ b/core/crt-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.27.24-SNAPSHOT + 2.27.24 crt-core diff --git a/core/endpoints-spi/pom.xml b/core/endpoints-spi/pom.xml index 0664139670fd..16cf3bc61b5e 100644 --- a/core/endpoints-spi/pom.xml +++ b/core/endpoints-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.24-SNAPSHOT + 2.27.24 4.0.0 diff --git a/core/http-auth-aws-crt/pom.xml b/core/http-auth-aws-crt/pom.xml index 80f33e757323..e94c7f260bd7 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.27.24-SNAPSHOT + 2.27.24 http-auth-aws-crt diff --git a/core/http-auth-aws-eventstream/pom.xml b/core/http-auth-aws-eventstream/pom.xml index 2cacfd428b9b..db810c30a75b 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.27.24-SNAPSHOT + 2.27.24 http-auth-aws-eventstream diff --git a/core/http-auth-aws/pom.xml b/core/http-auth-aws/pom.xml index cde42f1fb98f..8a15adb7ab80 100644 --- a/core/http-auth-aws/pom.xml +++ b/core/http-auth-aws/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.24-SNAPSHOT + 2.27.24 http-auth-aws diff --git a/core/http-auth-spi/pom.xml b/core/http-auth-spi/pom.xml index 9140168cd8ac..03e3b7525770 100644 --- a/core/http-auth-spi/pom.xml +++ b/core/http-auth-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.24-SNAPSHOT + 2.27.24 http-auth-spi diff --git a/core/http-auth/pom.xml b/core/http-auth/pom.xml index 918639240049..717500643df2 100644 --- a/core/http-auth/pom.xml +++ b/core/http-auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.24-SNAPSHOT + 2.27.24 http-auth diff --git a/core/identity-spi/pom.xml b/core/identity-spi/pom.xml index 7738ead970e8..3a08d32a9ac8 100644 --- a/core/identity-spi/pom.xml +++ b/core/identity-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.24-SNAPSHOT + 2.27.24 identity-spi diff --git a/core/imds/pom.xml b/core/imds/pom.xml index 1b184cb9ed1b..893b7dc5abd9 100644 --- a/core/imds/pom.xml +++ b/core/imds/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.24-SNAPSHOT + 2.27.24 4.0.0 imds diff --git a/core/json-utils/pom.xml b/core/json-utils/pom.xml index 8ca7733e19eb..236f9171ab4e 100644 --- a/core/json-utils/pom.xml +++ b/core/json-utils/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.24-SNAPSHOT + 2.27.24 4.0.0 diff --git a/core/metrics-spi/pom.xml b/core/metrics-spi/pom.xml index ef0b9154b7aa..7b5525886fa3 100644 --- a/core/metrics-spi/pom.xml +++ b/core/metrics-spi/pom.xml @@ -5,7 +5,7 @@ core software.amazon.awssdk - 2.27.24-SNAPSHOT + 2.27.24 4.0.0 diff --git a/core/pom.xml b/core/pom.xml index fb0ff04a1d2e..91e3709bb4a5 100644 --- a/core/pom.xml +++ b/core/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.24-SNAPSHOT + 2.27.24 core diff --git a/core/profiles/pom.xml b/core/profiles/pom.xml index 77799a88862f..2cd60bf8faa5 100644 --- a/core/profiles/pom.xml +++ b/core/profiles/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.24-SNAPSHOT + 2.27.24 profiles diff --git a/core/protocols/aws-cbor-protocol/pom.xml b/core/protocols/aws-cbor-protocol/pom.xml index c37d5ec9c85d..f112942d9278 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.27.24-SNAPSHOT + 2.27.24 4.0.0 diff --git a/core/protocols/aws-json-protocol/pom.xml b/core/protocols/aws-json-protocol/pom.xml index 04a7f290908a..c452fdeb1948 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.27.24-SNAPSHOT + 2.27.24 4.0.0 diff --git a/core/protocols/aws-query-protocol/pom.xml b/core/protocols/aws-query-protocol/pom.xml index c04ea7db9eb2..29f6aab15b5d 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.27.24-SNAPSHOT + 2.27.24 4.0.0 diff --git a/core/protocols/aws-xml-protocol/pom.xml b/core/protocols/aws-xml-protocol/pom.xml index 1026963bd857..3f7cfb7617d0 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.27.24-SNAPSHOT + 2.27.24 4.0.0 diff --git a/core/protocols/pom.xml b/core/protocols/pom.xml index 36c3d84f1fed..67f0abd1cedf 100644 --- a/core/protocols/pom.xml +++ b/core/protocols/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.24-SNAPSHOT + 2.27.24 4.0.0 diff --git a/core/protocols/protocol-core/pom.xml b/core/protocols/protocol-core/pom.xml index 9760aa0ed693..4fa66e6128d9 100644 --- a/core/protocols/protocol-core/pom.xml +++ b/core/protocols/protocol-core/pom.xml @@ -20,7 +20,7 @@ protocols software.amazon.awssdk - 2.27.24-SNAPSHOT + 2.27.24 4.0.0 diff --git a/core/regions/pom.xml b/core/regions/pom.xml index ad2032d5c81d..a695feb52a2c 100644 --- a/core/regions/pom.xml +++ b/core/regions/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.24-SNAPSHOT + 2.27.24 regions diff --git a/core/retries-spi/pom.xml b/core/retries-spi/pom.xml index 4853548f0b68..ddab0f134ee9 100644 --- a/core/retries-spi/pom.xml +++ b/core/retries-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.24-SNAPSHOT + 2.27.24 4.0.0 diff --git a/core/retries/pom.xml b/core/retries/pom.xml index cb5c530bdc8c..982f8127f272 100644 --- a/core/retries/pom.xml +++ b/core/retries/pom.xml @@ -21,7 +21,7 @@ core software.amazon.awssdk - 2.27.24-SNAPSHOT + 2.27.24 4.0.0 diff --git a/core/sdk-core/pom.xml b/core/sdk-core/pom.xml index 5637004784d8..b6283ba5de2a 100644 --- a/core/sdk-core/pom.xml +++ b/core/sdk-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.27.24-SNAPSHOT + 2.27.24 sdk-core AWS Java SDK :: SDK Core diff --git a/http-client-spi/pom.xml b/http-client-spi/pom.xml index 9dce5d6a3525..4fde415fa1d5 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.27.24-SNAPSHOT + 2.27.24 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 61d0ec5a479a..dffb078f6f36 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.27.24-SNAPSHOT + 2.27.24 apache-client diff --git a/http-clients/aws-crt-client/pom.xml b/http-clients/aws-crt-client/pom.xml index 5bf8be0f2d97..90f129ba45a3 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.27.24-SNAPSHOT + 2.27.24 4.0.0 diff --git a/http-clients/netty-nio-client/pom.xml b/http-clients/netty-nio-client/pom.xml index cb9658057794..16a00b0a83a5 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.27.24-SNAPSHOT + 2.27.24 4.0.0 diff --git a/http-clients/pom.xml b/http-clients/pom.xml index 85827b404ff9..3ffe01dba204 100644 --- a/http-clients/pom.xml +++ b/http-clients/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.24-SNAPSHOT + 2.27.24 4.0.0 diff --git a/http-clients/url-connection-client/pom.xml b/http-clients/url-connection-client/pom.xml index 43f4a2627049..6b74ba3ca933 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.27.24-SNAPSHOT + 2.27.24 4.0.0 diff --git a/metric-publishers/cloudwatch-metric-publisher/pom.xml b/metric-publishers/cloudwatch-metric-publisher/pom.xml index 39c81325560a..25dcd902e978 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.27.24-SNAPSHOT + 2.27.24 cloudwatch-metric-publisher diff --git a/metric-publishers/pom.xml b/metric-publishers/pom.xml index cfe676fe85cc..f829206b3c8c 100644 --- a/metric-publishers/pom.xml +++ b/metric-publishers/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.24-SNAPSHOT + 2.27.24 metric-publishers diff --git a/pom.xml b/pom.xml index 31e8d093542b..bea69b02e94e 100644 --- a/pom.xml +++ b/pom.xml @@ -20,7 +20,7 @@ 4.0.0 software.amazon.awssdk aws-sdk-java-pom - 2.27.24-SNAPSHOT + 2.27.24 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 7b2b8b3f883a..324e4722f4d7 100644 --- a/release-scripts/pom.xml +++ b/release-scripts/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.24-SNAPSHOT + 2.27.24 ../pom.xml release-scripts diff --git a/services-custom/dynamodb-enhanced/pom.xml b/services-custom/dynamodb-enhanced/pom.xml index 52945c81da7f..2ebad8309227 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.27.24-SNAPSHOT + 2.27.24 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 313cd53aaf71..7af3da735d5f 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.27.24-SNAPSHOT + 2.27.24 ../../pom.xml iam-policy-builder diff --git a/services-custom/pom.xml b/services-custom/pom.xml index 8ddd7613268f..6100e4ddda41 100644 --- a/services-custom/pom.xml +++ b/services-custom/pom.xml @@ -19,7 +19,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.24-SNAPSHOT + 2.27.24 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 afe6eec7fcf3..89eefa04ffb8 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.27.24-SNAPSHOT + 2.27.24 ../../pom.xml s3-event-notifications diff --git a/services-custom/s3-transfer-manager/pom.xml b/services-custom/s3-transfer-manager/pom.xml index 133539a3a755..093c497a84e7 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.27.24-SNAPSHOT + 2.27.24 ../../pom.xml s3-transfer-manager diff --git a/services/accessanalyzer/pom.xml b/services/accessanalyzer/pom.xml index 0d5775d0efd0..108dde783a19 100644 --- a/services/accessanalyzer/pom.xml +++ b/services/accessanalyzer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 accessanalyzer AWS Java SDK :: Services :: AccessAnalyzer diff --git a/services/account/pom.xml b/services/account/pom.xml index cea4967827f5..4191115e05e8 100644 --- a/services/account/pom.xml +++ b/services/account/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 account AWS Java SDK :: Services :: Account diff --git a/services/acm/pom.xml b/services/acm/pom.xml index fb49812a1f61..e4c5389553ee 100644 --- a/services/acm/pom.xml +++ b/services/acm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 acm AWS Java SDK :: Services :: AWS Certificate Manager diff --git a/services/acmpca/pom.xml b/services/acmpca/pom.xml index 755032df38b7..3c0afef71dca 100644 --- a/services/acmpca/pom.xml +++ b/services/acmpca/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 acmpca AWS Java SDK :: Services :: ACM PCA diff --git a/services/amp/pom.xml b/services/amp/pom.xml index 32c820809b5d..6d0ff487cdd2 100644 --- a/services/amp/pom.xml +++ b/services/amp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 amp AWS Java SDK :: Services :: Amp diff --git a/services/amplify/pom.xml b/services/amplify/pom.xml index fdc50d7ec6b5..12b6436516d7 100644 --- a/services/amplify/pom.xml +++ b/services/amplify/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 amplify AWS Java SDK :: Services :: Amplify diff --git a/services/amplifybackend/pom.xml b/services/amplifybackend/pom.xml index 87f985bcb066..1f311eb1cca1 100644 --- a/services/amplifybackend/pom.xml +++ b/services/amplifybackend/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 amplifybackend AWS Java SDK :: Services :: Amplify Backend diff --git a/services/amplifyuibuilder/pom.xml b/services/amplifyuibuilder/pom.xml index dd300d2f9279..17a408c77840 100644 --- a/services/amplifyuibuilder/pom.xml +++ b/services/amplifyuibuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 amplifyuibuilder AWS Java SDK :: Services :: Amplify UI Builder diff --git a/services/apigateway/pom.xml b/services/apigateway/pom.xml index 29f40aa605c1..7134b769d822 100644 --- a/services/apigateway/pom.xml +++ b/services/apigateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 apigateway AWS Java SDK :: Services :: Amazon API Gateway diff --git a/services/apigatewaymanagementapi/pom.xml b/services/apigatewaymanagementapi/pom.xml index b0214e7425e6..0cef6398415c 100644 --- a/services/apigatewaymanagementapi/pom.xml +++ b/services/apigatewaymanagementapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 apigatewaymanagementapi AWS Java SDK :: Services :: ApiGatewayManagementApi diff --git a/services/apigatewayv2/pom.xml b/services/apigatewayv2/pom.xml index b4321fe93368..5234ed93e9cd 100644 --- a/services/apigatewayv2/pom.xml +++ b/services/apigatewayv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 apigatewayv2 AWS Java SDK :: Services :: ApiGatewayV2 diff --git a/services/appconfig/pom.xml b/services/appconfig/pom.xml index a411a0bc5e95..d753d4de087b 100644 --- a/services/appconfig/pom.xml +++ b/services/appconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 appconfig AWS Java SDK :: Services :: AppConfig diff --git a/services/appconfigdata/pom.xml b/services/appconfigdata/pom.xml index 7bafda201b1d..f3fa6dc07c7b 100644 --- a/services/appconfigdata/pom.xml +++ b/services/appconfigdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 appconfigdata AWS Java SDK :: Services :: App Config Data diff --git a/services/appfabric/pom.xml b/services/appfabric/pom.xml index 852f259a4502..cff5b909d589 100644 --- a/services/appfabric/pom.xml +++ b/services/appfabric/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 appfabric AWS Java SDK :: Services :: App Fabric diff --git a/services/appflow/pom.xml b/services/appflow/pom.xml index 0fd3fd3dbed3..96d15f770d50 100644 --- a/services/appflow/pom.xml +++ b/services/appflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 appflow AWS Java SDK :: Services :: Appflow diff --git a/services/appintegrations/pom.xml b/services/appintegrations/pom.xml index 57f535448831..b9d5bc5acef3 100644 --- a/services/appintegrations/pom.xml +++ b/services/appintegrations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 appintegrations AWS Java SDK :: Services :: App Integrations diff --git a/services/applicationautoscaling/pom.xml b/services/applicationautoscaling/pom.xml index f18ac8e7fea0..0aa4d0315baa 100644 --- a/services/applicationautoscaling/pom.xml +++ b/services/applicationautoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 applicationautoscaling AWS Java SDK :: Services :: AWS Application Auto Scaling diff --git a/services/applicationcostprofiler/pom.xml b/services/applicationcostprofiler/pom.xml index 2eb66e1d7fc7..795f11bc6918 100644 --- a/services/applicationcostprofiler/pom.xml +++ b/services/applicationcostprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 applicationcostprofiler AWS Java SDK :: Services :: Application Cost Profiler diff --git a/services/applicationdiscovery/pom.xml b/services/applicationdiscovery/pom.xml index 7ab287aee0c3..2e7b5c727f9c 100644 --- a/services/applicationdiscovery/pom.xml +++ b/services/applicationdiscovery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 applicationdiscovery AWS Java SDK :: Services :: AWS Application Discovery Service diff --git a/services/applicationinsights/pom.xml b/services/applicationinsights/pom.xml index 67741d4475d1..202f3d0a75b6 100644 --- a/services/applicationinsights/pom.xml +++ b/services/applicationinsights/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 applicationinsights AWS Java SDK :: Services :: Application Insights diff --git a/services/applicationsignals/pom.xml b/services/applicationsignals/pom.xml index b9403a1b4300..26a8e569f795 100644 --- a/services/applicationsignals/pom.xml +++ b/services/applicationsignals/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 applicationsignals AWS Java SDK :: Services :: Application Signals diff --git a/services/appmesh/pom.xml b/services/appmesh/pom.xml index 84f126c9e63c..8744f7d4817f 100644 --- a/services/appmesh/pom.xml +++ b/services/appmesh/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 appmesh AWS Java SDK :: Services :: App Mesh diff --git a/services/apprunner/pom.xml b/services/apprunner/pom.xml index 3fefa14a1817..0c788b69062e 100644 --- a/services/apprunner/pom.xml +++ b/services/apprunner/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 apprunner AWS Java SDK :: Services :: App Runner diff --git a/services/appstream/pom.xml b/services/appstream/pom.xml index eeba96ce9d92..3f1d7ce9f764 100644 --- a/services/appstream/pom.xml +++ b/services/appstream/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 appstream AWS Java SDK :: Services :: Amazon AppStream diff --git a/services/appsync/pom.xml b/services/appsync/pom.xml index c97edfffdb9c..944e62063bec 100644 --- a/services/appsync/pom.xml +++ b/services/appsync/pom.xml @@ -21,7 +21,7 @@ services software.amazon.awssdk - 2.27.24-SNAPSHOT + 2.27.24 appsync diff --git a/services/apptest/pom.xml b/services/apptest/pom.xml index f0e102d52eeb..d22957d6d760 100644 --- a/services/apptest/pom.xml +++ b/services/apptest/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 apptest AWS Java SDK :: Services :: App Test diff --git a/services/arczonalshift/pom.xml b/services/arczonalshift/pom.xml index b26ebfc35889..cb8ce4a9a696 100644 --- a/services/arczonalshift/pom.xml +++ b/services/arczonalshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 arczonalshift AWS Java SDK :: Services :: ARC Zonal Shift diff --git a/services/artifact/pom.xml b/services/artifact/pom.xml index e6940e6c3dfd..c8dddaf9e5d9 100644 --- a/services/artifact/pom.xml +++ b/services/artifact/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 artifact AWS Java SDK :: Services :: Artifact diff --git a/services/athena/pom.xml b/services/athena/pom.xml index 09d1bc89e464..b97295472491 100644 --- a/services/athena/pom.xml +++ b/services/athena/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 athena AWS Java SDK :: Services :: Amazon Athena diff --git a/services/auditmanager/pom.xml b/services/auditmanager/pom.xml index 2563605bac4f..e7291e580ec2 100644 --- a/services/auditmanager/pom.xml +++ b/services/auditmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 auditmanager AWS Java SDK :: Services :: Audit Manager diff --git a/services/autoscaling/pom.xml b/services/autoscaling/pom.xml index bf1d2eca6659..caab67e2a88f 100644 --- a/services/autoscaling/pom.xml +++ b/services/autoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 autoscaling AWS Java SDK :: Services :: Auto Scaling diff --git a/services/autoscalingplans/pom.xml b/services/autoscalingplans/pom.xml index 1e3f24043b8e..1009a861ea48 100644 --- a/services/autoscalingplans/pom.xml +++ b/services/autoscalingplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 autoscalingplans AWS Java SDK :: Services :: Auto Scaling Plans diff --git a/services/b2bi/pom.xml b/services/b2bi/pom.xml index e5b6e5ea007d..601bb3320236 100644 --- a/services/b2bi/pom.xml +++ b/services/b2bi/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 b2bi AWS Java SDK :: Services :: B2 Bi diff --git a/services/backup/pom.xml b/services/backup/pom.xml index 2f787b8a0e04..d9244d8b9081 100644 --- a/services/backup/pom.xml +++ b/services/backup/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 backup AWS Java SDK :: Services :: Backup diff --git a/services/backupgateway/pom.xml b/services/backupgateway/pom.xml index 47fec40a0b8e..5b3fd9a47c08 100644 --- a/services/backupgateway/pom.xml +++ b/services/backupgateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 backupgateway AWS Java SDK :: Services :: Backup Gateway diff --git a/services/batch/pom.xml b/services/batch/pom.xml index 9e9d5c83a190..189b12f0137d 100644 --- a/services/batch/pom.xml +++ b/services/batch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 batch AWS Java SDK :: Services :: AWS Batch diff --git a/services/bcmdataexports/pom.xml b/services/bcmdataexports/pom.xml index de347b43786f..d79ea2b60db7 100644 --- a/services/bcmdataexports/pom.xml +++ b/services/bcmdataexports/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 bcmdataexports AWS Java SDK :: Services :: BCM Data Exports diff --git a/services/bedrock/pom.xml b/services/bedrock/pom.xml index bc1d7c16fcc8..2464d729b424 100644 --- a/services/bedrock/pom.xml +++ b/services/bedrock/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 bedrock AWS Java SDK :: Services :: Bedrock diff --git a/services/bedrockagent/pom.xml b/services/bedrockagent/pom.xml index b3f1e1c579aa..cee65dabe96d 100644 --- a/services/bedrockagent/pom.xml +++ b/services/bedrockagent/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 bedrockagent AWS Java SDK :: Services :: Bedrock Agent diff --git a/services/bedrockagentruntime/pom.xml b/services/bedrockagentruntime/pom.xml index 4c5d8f2e93da..b8664d539c4f 100644 --- a/services/bedrockagentruntime/pom.xml +++ b/services/bedrockagentruntime/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 bedrockagentruntime AWS Java SDK :: Services :: Bedrock Agent Runtime diff --git a/services/bedrockruntime/pom.xml b/services/bedrockruntime/pom.xml index d1ff49d24e61..f136f592e6d9 100644 --- a/services/bedrockruntime/pom.xml +++ b/services/bedrockruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 bedrockruntime AWS Java SDK :: Services :: Bedrock Runtime diff --git a/services/billingconductor/pom.xml b/services/billingconductor/pom.xml index cf0da6008435..1a9ef65cf906 100644 --- a/services/billingconductor/pom.xml +++ b/services/billingconductor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 billingconductor AWS Java SDK :: Services :: Billingconductor diff --git a/services/braket/pom.xml b/services/braket/pom.xml index a4d389b44303..c20fd183d165 100644 --- a/services/braket/pom.xml +++ b/services/braket/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 braket AWS Java SDK :: Services :: Braket diff --git a/services/budgets/pom.xml b/services/budgets/pom.xml index e925f38479e8..7ca8f9d559ae 100644 --- a/services/budgets/pom.xml +++ b/services/budgets/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 budgets AWS Java SDK :: Services :: AWS Budgets diff --git a/services/chatbot/pom.xml b/services/chatbot/pom.xml index bd7ee6cf7750..fccd2da3114a 100644 --- a/services/chatbot/pom.xml +++ b/services/chatbot/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 chatbot AWS Java SDK :: Services :: Chatbot diff --git a/services/chime/pom.xml b/services/chime/pom.xml index b4e3bb8fe5a0..e5ab48d80f56 100644 --- a/services/chime/pom.xml +++ b/services/chime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 chime AWS Java SDK :: Services :: Chime diff --git a/services/chimesdkidentity/pom.xml b/services/chimesdkidentity/pom.xml index 4eca56be69a2..e9832418056b 100644 --- a/services/chimesdkidentity/pom.xml +++ b/services/chimesdkidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 chimesdkidentity AWS Java SDK :: Services :: Chime SDK Identity diff --git a/services/chimesdkmediapipelines/pom.xml b/services/chimesdkmediapipelines/pom.xml index 8cb1d1299b3a..1853db9115ba 100644 --- a/services/chimesdkmediapipelines/pom.xml +++ b/services/chimesdkmediapipelines/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 chimesdkmediapipelines AWS Java SDK :: Services :: Chime SDK Media Pipelines diff --git a/services/chimesdkmeetings/pom.xml b/services/chimesdkmeetings/pom.xml index 6cee7c3bf8f3..06492e50c3c3 100644 --- a/services/chimesdkmeetings/pom.xml +++ b/services/chimesdkmeetings/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 chimesdkmeetings AWS Java SDK :: Services :: Chime SDK Meetings diff --git a/services/chimesdkmessaging/pom.xml b/services/chimesdkmessaging/pom.xml index a10230d35d0d..a580f14f9ea5 100644 --- a/services/chimesdkmessaging/pom.xml +++ b/services/chimesdkmessaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 chimesdkmessaging AWS Java SDK :: Services :: Chime SDK Messaging diff --git a/services/chimesdkvoice/pom.xml b/services/chimesdkvoice/pom.xml index 10a460aba734..d1e090ed99dc 100644 --- a/services/chimesdkvoice/pom.xml +++ b/services/chimesdkvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 chimesdkvoice AWS Java SDK :: Services :: Chime SDK Voice diff --git a/services/cleanrooms/pom.xml b/services/cleanrooms/pom.xml index dce864a5a790..2c2ae25c701a 100644 --- a/services/cleanrooms/pom.xml +++ b/services/cleanrooms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 cleanrooms AWS Java SDK :: Services :: Clean Rooms diff --git a/services/cleanroomsml/pom.xml b/services/cleanroomsml/pom.xml index 0d3ee709c1cf..38ca549617a5 100644 --- a/services/cleanroomsml/pom.xml +++ b/services/cleanroomsml/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 cleanroomsml AWS Java SDK :: Services :: Clean Rooms ML diff --git a/services/cloud9/pom.xml b/services/cloud9/pom.xml index fe59dca99f73..88f0eaaf0ed0 100644 --- a/services/cloud9/pom.xml +++ b/services/cloud9/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24-SNAPSHOT + 2.27.24 4.0.0 cloud9 diff --git a/services/cloudcontrol/pom.xml b/services/cloudcontrol/pom.xml index ee3ceb436e34..2fee913b269e 100644 --- a/services/cloudcontrol/pom.xml +++ b/services/cloudcontrol/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 cloudcontrol AWS Java SDK :: Services :: Cloud Control diff --git a/services/clouddirectory/pom.xml b/services/clouddirectory/pom.xml index 1498a2506350..038abaad6fcf 100644 --- a/services/clouddirectory/pom.xml +++ b/services/clouddirectory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 clouddirectory AWS Java SDK :: Services :: Amazon CloudDirectory diff --git a/services/cloudformation/pom.xml b/services/cloudformation/pom.xml index 27d9f4444a41..2edc94554735 100644 --- a/services/cloudformation/pom.xml +++ b/services/cloudformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 cloudformation AWS Java SDK :: Services :: AWS CloudFormation diff --git a/services/cloudfront/pom.xml b/services/cloudfront/pom.xml index 8b119c9382b6..720ad7bb2cb6 100644 --- a/services/cloudfront/pom.xml +++ b/services/cloudfront/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 cloudfront AWS Java SDK :: Services :: Amazon CloudFront diff --git a/services/cloudfrontkeyvaluestore/pom.xml b/services/cloudfrontkeyvaluestore/pom.xml index dbf774f1ecc3..292798feeed3 100644 --- a/services/cloudfrontkeyvaluestore/pom.xml +++ b/services/cloudfrontkeyvaluestore/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 cloudfrontkeyvaluestore AWS Java SDK :: Services :: Cloud Front Key Value Store diff --git a/services/cloudhsm/pom.xml b/services/cloudhsm/pom.xml index eac83648598b..ab2370e666ac 100644 --- a/services/cloudhsm/pom.xml +++ b/services/cloudhsm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 cloudhsm AWS Java SDK :: Services :: AWS CloudHSM diff --git a/services/cloudhsmv2/pom.xml b/services/cloudhsmv2/pom.xml index 7334a07a9083..44905ece57d1 100644 --- a/services/cloudhsmv2/pom.xml +++ b/services/cloudhsmv2/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24-SNAPSHOT + 2.27.24 4.0.0 cloudhsmv2 diff --git a/services/cloudsearch/pom.xml b/services/cloudsearch/pom.xml index aead5551e6f6..38585f0db0a6 100644 --- a/services/cloudsearch/pom.xml +++ b/services/cloudsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 cloudsearch AWS Java SDK :: Services :: Amazon CloudSearch diff --git a/services/cloudsearchdomain/pom.xml b/services/cloudsearchdomain/pom.xml index 7f7b02243b61..1f493d3d8c51 100644 --- a/services/cloudsearchdomain/pom.xml +++ b/services/cloudsearchdomain/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 cloudsearchdomain AWS Java SDK :: Services :: Amazon CloudSearch Domain diff --git a/services/cloudtrail/pom.xml b/services/cloudtrail/pom.xml index f04dcf2a3baf..555ca90cc6fb 100644 --- a/services/cloudtrail/pom.xml +++ b/services/cloudtrail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 cloudtrail AWS Java SDK :: Services :: AWS CloudTrail diff --git a/services/cloudtraildata/pom.xml b/services/cloudtraildata/pom.xml index d9b174990e9d..5e568510ba7b 100644 --- a/services/cloudtraildata/pom.xml +++ b/services/cloudtraildata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 cloudtraildata AWS Java SDK :: Services :: Cloud Trail Data diff --git a/services/cloudwatch/pom.xml b/services/cloudwatch/pom.xml index 586d11c328c2..544960da7e3b 100644 --- a/services/cloudwatch/pom.xml +++ b/services/cloudwatch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 cloudwatch AWS Java SDK :: Services :: Amazon CloudWatch diff --git a/services/cloudwatchevents/pom.xml b/services/cloudwatchevents/pom.xml index 1729835d863a..3716637ee561 100644 --- a/services/cloudwatchevents/pom.xml +++ b/services/cloudwatchevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 cloudwatchevents AWS Java SDK :: Services :: Amazon CloudWatch Events diff --git a/services/cloudwatchlogs/pom.xml b/services/cloudwatchlogs/pom.xml index 5bf2c9a7a6e2..2c82a9a0a95b 100644 --- a/services/cloudwatchlogs/pom.xml +++ b/services/cloudwatchlogs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 cloudwatchlogs AWS Java SDK :: Services :: Amazon CloudWatch Logs diff --git a/services/codeartifact/pom.xml b/services/codeartifact/pom.xml index f6d981b8351c..77d9e7676d83 100644 --- a/services/codeartifact/pom.xml +++ b/services/codeartifact/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 codeartifact AWS Java SDK :: Services :: Codeartifact diff --git a/services/codebuild/pom.xml b/services/codebuild/pom.xml index 5bb669e1c421..a5ae14911ba2 100644 --- a/services/codebuild/pom.xml +++ b/services/codebuild/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 codebuild AWS Java SDK :: Services :: AWS Code Build diff --git a/services/codecatalyst/pom.xml b/services/codecatalyst/pom.xml index 6b9baf0f50ee..d530521279ec 100644 --- a/services/codecatalyst/pom.xml +++ b/services/codecatalyst/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 codecatalyst AWS Java SDK :: Services :: Code Catalyst diff --git a/services/codecommit/pom.xml b/services/codecommit/pom.xml index 8ddaa586fd15..f96160ecf845 100644 --- a/services/codecommit/pom.xml +++ b/services/codecommit/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 codecommit AWS Java SDK :: Services :: AWS CodeCommit diff --git a/services/codeconnections/pom.xml b/services/codeconnections/pom.xml index ebb4f03deb27..c7c941328a08 100644 --- a/services/codeconnections/pom.xml +++ b/services/codeconnections/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 codeconnections AWS Java SDK :: Services :: Code Connections diff --git a/services/codedeploy/pom.xml b/services/codedeploy/pom.xml index a52774a7ffe9..5bb80c5bc8bb 100644 --- a/services/codedeploy/pom.xml +++ b/services/codedeploy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 codedeploy AWS Java SDK :: Services :: AWS CodeDeploy diff --git a/services/codeguruprofiler/pom.xml b/services/codeguruprofiler/pom.xml index 926460dbf1b6..66b6382d3755 100644 --- a/services/codeguruprofiler/pom.xml +++ b/services/codeguruprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 codeguruprofiler AWS Java SDK :: Services :: CodeGuruProfiler diff --git a/services/codegurureviewer/pom.xml b/services/codegurureviewer/pom.xml index 2e0e482b5105..a5de50b178ef 100644 --- a/services/codegurureviewer/pom.xml +++ b/services/codegurureviewer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 codegurureviewer AWS Java SDK :: Services :: CodeGuru Reviewer diff --git a/services/codegurusecurity/pom.xml b/services/codegurusecurity/pom.xml index 21943fbfe1d2..439574862897 100644 --- a/services/codegurusecurity/pom.xml +++ b/services/codegurusecurity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 codegurusecurity AWS Java SDK :: Services :: Code Guru Security diff --git a/services/codepipeline/pom.xml b/services/codepipeline/pom.xml index 849211de04c7..25f0b7b212fc 100644 --- a/services/codepipeline/pom.xml +++ b/services/codepipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 codepipeline AWS Java SDK :: Services :: AWS CodePipeline diff --git a/services/codestarconnections/pom.xml b/services/codestarconnections/pom.xml index 17f3cb2e6999..6d5821348eb2 100644 --- a/services/codestarconnections/pom.xml +++ b/services/codestarconnections/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 codestarconnections AWS Java SDK :: Services :: CodeStar connections diff --git a/services/codestarnotifications/pom.xml b/services/codestarnotifications/pom.xml index 61f4e66bf410..014a0e31bc43 100644 --- a/services/codestarnotifications/pom.xml +++ b/services/codestarnotifications/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 codestarnotifications AWS Java SDK :: Services :: Codestar Notifications diff --git a/services/cognitoidentity/pom.xml b/services/cognitoidentity/pom.xml index 3c8ed967cc2d..c5e1fedf4d72 100644 --- a/services/cognitoidentity/pom.xml +++ b/services/cognitoidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 cognitoidentity AWS Java SDK :: Services :: Amazon Cognito Identity diff --git a/services/cognitoidentityprovider/pom.xml b/services/cognitoidentityprovider/pom.xml index 9a187807311b..67ddfaced713 100644 --- a/services/cognitoidentityprovider/pom.xml +++ b/services/cognitoidentityprovider/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 cognitoidentityprovider AWS Java SDK :: Services :: Amazon Cognito Identity Provider Service diff --git a/services/cognitosync/pom.xml b/services/cognitosync/pom.xml index 421457ac7319..48036d11b4d0 100644 --- a/services/cognitosync/pom.xml +++ b/services/cognitosync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 cognitosync AWS Java SDK :: Services :: Amazon Cognito Sync diff --git a/services/comprehend/pom.xml b/services/comprehend/pom.xml index 2bb3be682390..f5b488d16fc9 100644 --- a/services/comprehend/pom.xml +++ b/services/comprehend/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24-SNAPSHOT + 2.27.24 4.0.0 comprehend diff --git a/services/comprehendmedical/pom.xml b/services/comprehendmedical/pom.xml index afcb9e737769..ef1b19bdb241 100644 --- a/services/comprehendmedical/pom.xml +++ b/services/comprehendmedical/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 comprehendmedical AWS Java SDK :: Services :: ComprehendMedical diff --git a/services/computeoptimizer/pom.xml b/services/computeoptimizer/pom.xml index 8eee679b3ea3..ea89b5ece268 100644 --- a/services/computeoptimizer/pom.xml +++ b/services/computeoptimizer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 computeoptimizer AWS Java SDK :: Services :: Compute Optimizer diff --git a/services/config/pom.xml b/services/config/pom.xml index 692ae022885f..f6944b5734b5 100644 --- a/services/config/pom.xml +++ b/services/config/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 config AWS Java SDK :: Services :: AWS Config diff --git a/services/connect/pom.xml b/services/connect/pom.xml index 12bf6a3d46cf..0f8f7c343aeb 100644 --- a/services/connect/pom.xml +++ b/services/connect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 connect AWS Java SDK :: Services :: Connect diff --git a/services/connectcampaigns/pom.xml b/services/connectcampaigns/pom.xml index baa2a8990caf..1010c5226931 100644 --- a/services/connectcampaigns/pom.xml +++ b/services/connectcampaigns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 connectcampaigns AWS Java SDK :: Services :: Connect Campaigns diff --git a/services/connectcases/pom.xml b/services/connectcases/pom.xml index a917fdde6ede..682593aa5d77 100644 --- a/services/connectcases/pom.xml +++ b/services/connectcases/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 connectcases AWS Java SDK :: Services :: Connect Cases diff --git a/services/connectcontactlens/pom.xml b/services/connectcontactlens/pom.xml index 96e6b33f6ddd..d6b950d09e0c 100644 --- a/services/connectcontactlens/pom.xml +++ b/services/connectcontactlens/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 connectcontactlens AWS Java SDK :: Services :: Connect Contact Lens diff --git a/services/connectparticipant/pom.xml b/services/connectparticipant/pom.xml index dd92d59e0c31..c09885416c18 100644 --- a/services/connectparticipant/pom.xml +++ b/services/connectparticipant/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 connectparticipant AWS Java SDK :: Services :: ConnectParticipant diff --git a/services/controlcatalog/pom.xml b/services/controlcatalog/pom.xml index c74753192cb5..8131a63d58d5 100644 --- a/services/controlcatalog/pom.xml +++ b/services/controlcatalog/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 controlcatalog AWS Java SDK :: Services :: Control Catalog diff --git a/services/controltower/pom.xml b/services/controltower/pom.xml index 3c6c82ab062f..2acc6dbb1b63 100644 --- a/services/controltower/pom.xml +++ b/services/controltower/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 controltower AWS Java SDK :: Services :: Control Tower diff --git a/services/costandusagereport/pom.xml b/services/costandusagereport/pom.xml index 7959c4723fc9..0c7584d151a0 100644 --- a/services/costandusagereport/pom.xml +++ b/services/costandusagereport/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 costandusagereport AWS Java SDK :: Services :: AWS Cost and Usage Report diff --git a/services/costexplorer/pom.xml b/services/costexplorer/pom.xml index 91f7efc91a76..8e8a461cdab3 100644 --- a/services/costexplorer/pom.xml +++ b/services/costexplorer/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24-SNAPSHOT + 2.27.24 4.0.0 costexplorer diff --git a/services/costoptimizationhub/pom.xml b/services/costoptimizationhub/pom.xml index 5f58c1067743..ebbf6aac8917 100644 --- a/services/costoptimizationhub/pom.xml +++ b/services/costoptimizationhub/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 costoptimizationhub AWS Java SDK :: Services :: Cost Optimization Hub diff --git a/services/customerprofiles/pom.xml b/services/customerprofiles/pom.xml index 960a221c0dde..b489d033ee23 100644 --- a/services/customerprofiles/pom.xml +++ b/services/customerprofiles/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 customerprofiles AWS Java SDK :: Services :: Customer Profiles diff --git a/services/databasemigration/pom.xml b/services/databasemigration/pom.xml index 2fb5532824d0..76f43957e03e 100644 --- a/services/databasemigration/pom.xml +++ b/services/databasemigration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 databasemigration AWS Java SDK :: Services :: AWS Database Migration Service diff --git a/services/databrew/pom.xml b/services/databrew/pom.xml index 78d2f5243c8a..ea9a149714c6 100644 --- a/services/databrew/pom.xml +++ b/services/databrew/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 databrew AWS Java SDK :: Services :: Data Brew diff --git a/services/dataexchange/pom.xml b/services/dataexchange/pom.xml index 2e0cea40ee72..f6f9a233b473 100644 --- a/services/dataexchange/pom.xml +++ b/services/dataexchange/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 dataexchange AWS Java SDK :: Services :: DataExchange diff --git a/services/datapipeline/pom.xml b/services/datapipeline/pom.xml index c64b0a588721..87be0e9bf507 100644 --- a/services/datapipeline/pom.xml +++ b/services/datapipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 datapipeline AWS Java SDK :: Services :: AWS Data Pipeline diff --git a/services/datasync/pom.xml b/services/datasync/pom.xml index 94e5e10a71b2..6a99f17015b4 100644 --- a/services/datasync/pom.xml +++ b/services/datasync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 datasync AWS Java SDK :: Services :: DataSync diff --git a/services/datazone/pom.xml b/services/datazone/pom.xml index bb8989591aca..32dccab7b69b 100644 --- a/services/datazone/pom.xml +++ b/services/datazone/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 datazone AWS Java SDK :: Services :: Data Zone diff --git a/services/dax/pom.xml b/services/dax/pom.xml index 1cde1c732504..15908585fd4c 100644 --- a/services/dax/pom.xml +++ b/services/dax/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 dax AWS Java SDK :: Services :: Amazon DynamoDB Accelerator (DAX) diff --git a/services/deadline/pom.xml b/services/deadline/pom.xml index 74cbbb6c97cf..9dd49c715141 100644 --- a/services/deadline/pom.xml +++ b/services/deadline/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 deadline AWS Java SDK :: Services :: Deadline diff --git a/services/detective/pom.xml b/services/detective/pom.xml index 01c388a8d3f3..5557193d7d42 100644 --- a/services/detective/pom.xml +++ b/services/detective/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 detective AWS Java SDK :: Services :: Detective diff --git a/services/devicefarm/pom.xml b/services/devicefarm/pom.xml index 230694625315..08956cd7086f 100644 --- a/services/devicefarm/pom.xml +++ b/services/devicefarm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 devicefarm AWS Java SDK :: Services :: AWS Device Farm diff --git a/services/devopsguru/pom.xml b/services/devopsguru/pom.xml index 2590adc36e36..640f67e3c53d 100644 --- a/services/devopsguru/pom.xml +++ b/services/devopsguru/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 devopsguru AWS Java SDK :: Services :: Dev Ops Guru diff --git a/services/directconnect/pom.xml b/services/directconnect/pom.xml index 25b3d71592d1..b0d9d52fda95 100644 --- a/services/directconnect/pom.xml +++ b/services/directconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 directconnect AWS Java SDK :: Services :: AWS Direct Connect diff --git a/services/directory/pom.xml b/services/directory/pom.xml index 2a1004c13f5c..8b95bf7b1319 100644 --- a/services/directory/pom.xml +++ b/services/directory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 directory AWS Java SDK :: Services :: AWS Directory Service diff --git a/services/dlm/pom.xml b/services/dlm/pom.xml index 95794a6da1fe..c2db83d8ba66 100644 --- a/services/dlm/pom.xml +++ b/services/dlm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 dlm AWS Java SDK :: Services :: DLM diff --git a/services/docdb/pom.xml b/services/docdb/pom.xml index 90f3b5f7128b..a962282d1521 100644 --- a/services/docdb/pom.xml +++ b/services/docdb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 docdb AWS Java SDK :: Services :: DocDB diff --git a/services/docdbelastic/pom.xml b/services/docdbelastic/pom.xml index 4052634763db..d4e75dfebb46 100644 --- a/services/docdbelastic/pom.xml +++ b/services/docdbelastic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 docdbelastic AWS Java SDK :: Services :: Doc DB Elastic diff --git a/services/drs/pom.xml b/services/drs/pom.xml index 1a1c163c2e5e..f007983baea2 100644 --- a/services/drs/pom.xml +++ b/services/drs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 drs AWS Java SDK :: Services :: Drs diff --git a/services/dynamodb/pom.xml b/services/dynamodb/pom.xml index cd5578d65f90..b03dfdfa5738 100644 --- a/services/dynamodb/pom.xml +++ b/services/dynamodb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 dynamodb AWS Java SDK :: Services :: Amazon DynamoDB diff --git a/services/ebs/pom.xml b/services/ebs/pom.xml index 26e4a3a59300..97af3ef528a8 100644 --- a/services/ebs/pom.xml +++ b/services/ebs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 ebs AWS Java SDK :: Services :: EBS diff --git a/services/ec2/pom.xml b/services/ec2/pom.xml index 532cf4bc4320..b311e8732843 100644 --- a/services/ec2/pom.xml +++ b/services/ec2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 ec2 AWS Java SDK :: Services :: Amazon EC2 diff --git a/services/ec2instanceconnect/pom.xml b/services/ec2instanceconnect/pom.xml index fbab0ad1f51c..009e3992d16c 100644 --- a/services/ec2instanceconnect/pom.xml +++ b/services/ec2instanceconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 ec2instanceconnect AWS Java SDK :: Services :: EC2 Instance Connect diff --git a/services/ecr/pom.xml b/services/ecr/pom.xml index 2dd455a69067..be1a513fa70d 100644 --- a/services/ecr/pom.xml +++ b/services/ecr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 ecr AWS Java SDK :: Services :: Amazon EC2 Container Registry diff --git a/services/ecrpublic/pom.xml b/services/ecrpublic/pom.xml index 343d35aba9ed..d4f231858265 100644 --- a/services/ecrpublic/pom.xml +++ b/services/ecrpublic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 ecrpublic AWS Java SDK :: Services :: ECR PUBLIC diff --git a/services/ecs/pom.xml b/services/ecs/pom.xml index c40ed2a383dc..fa636e1b37cd 100644 --- a/services/ecs/pom.xml +++ b/services/ecs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 ecs AWS Java SDK :: Services :: Amazon EC2 Container Service diff --git a/services/efs/pom.xml b/services/efs/pom.xml index 3f975400d42f..e7420923a213 100644 --- a/services/efs/pom.xml +++ b/services/efs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 efs AWS Java SDK :: Services :: Amazon Elastic File System diff --git a/services/eks/pom.xml b/services/eks/pom.xml index e3a22c95d0db..12b3d6587cb3 100644 --- a/services/eks/pom.xml +++ b/services/eks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 eks AWS Java SDK :: Services :: EKS diff --git a/services/eksauth/pom.xml b/services/eksauth/pom.xml index 5818af0446e1..bbc71f22f8b9 100644 --- a/services/eksauth/pom.xml +++ b/services/eksauth/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 eksauth AWS Java SDK :: Services :: EKS Auth diff --git a/services/elasticache/pom.xml b/services/elasticache/pom.xml index 8183a86b4951..32d16c295ce9 100644 --- a/services/elasticache/pom.xml +++ b/services/elasticache/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 elasticache AWS Java SDK :: Services :: Amazon ElastiCache diff --git a/services/elasticbeanstalk/pom.xml b/services/elasticbeanstalk/pom.xml index 7808da44d020..d2ae27c81580 100644 --- a/services/elasticbeanstalk/pom.xml +++ b/services/elasticbeanstalk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 elasticbeanstalk AWS Java SDK :: Services :: AWS Elastic Beanstalk diff --git a/services/elasticinference/pom.xml b/services/elasticinference/pom.xml index 02322359d540..ee1a012b98e1 100644 --- a/services/elasticinference/pom.xml +++ b/services/elasticinference/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 elasticinference AWS Java SDK :: Services :: Elastic Inference diff --git a/services/elasticloadbalancing/pom.xml b/services/elasticloadbalancing/pom.xml index ad1f86e9f8bd..14b5883194c4 100644 --- a/services/elasticloadbalancing/pom.xml +++ b/services/elasticloadbalancing/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 elasticloadbalancing AWS Java SDK :: Services :: Elastic Load Balancing diff --git a/services/elasticloadbalancingv2/pom.xml b/services/elasticloadbalancingv2/pom.xml index 6e16fa8a1aa2..aab18f336005 100644 --- a/services/elasticloadbalancingv2/pom.xml +++ b/services/elasticloadbalancingv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 elasticloadbalancingv2 AWS Java SDK :: Services :: Elastic Load Balancing V2 diff --git a/services/elasticsearch/pom.xml b/services/elasticsearch/pom.xml index 4730e72b0ae0..e850fb7261a7 100644 --- a/services/elasticsearch/pom.xml +++ b/services/elasticsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 elasticsearch AWS Java SDK :: Services :: Amazon Elasticsearch Service diff --git a/services/elastictranscoder/pom.xml b/services/elastictranscoder/pom.xml index 2e6a78c784b5..562a6af33536 100644 --- a/services/elastictranscoder/pom.xml +++ b/services/elastictranscoder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 elastictranscoder AWS Java SDK :: Services :: Amazon Elastic Transcoder diff --git a/services/emr/pom.xml b/services/emr/pom.xml index 4a04796a7d2a..a3528645ea25 100644 --- a/services/emr/pom.xml +++ b/services/emr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 emr AWS Java SDK :: Services :: Amazon EMR diff --git a/services/emrcontainers/pom.xml b/services/emrcontainers/pom.xml index d523eedbc790..84a21950e31a 100644 --- a/services/emrcontainers/pom.xml +++ b/services/emrcontainers/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 emrcontainers AWS Java SDK :: Services :: EMR Containers diff --git a/services/emrserverless/pom.xml b/services/emrserverless/pom.xml index 6ab67175ec0e..fc94d2985e84 100644 --- a/services/emrserverless/pom.xml +++ b/services/emrserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 emrserverless AWS Java SDK :: Services :: EMR Serverless diff --git a/services/entityresolution/pom.xml b/services/entityresolution/pom.xml index a23272a06148..3da4bb038edf 100644 --- a/services/entityresolution/pom.xml +++ b/services/entityresolution/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 entityresolution AWS Java SDK :: Services :: Entity Resolution diff --git a/services/eventbridge/pom.xml b/services/eventbridge/pom.xml index 4f09a24ca379..9224d2163fc4 100644 --- a/services/eventbridge/pom.xml +++ b/services/eventbridge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 eventbridge AWS Java SDK :: Services :: EventBridge diff --git a/services/evidently/pom.xml b/services/evidently/pom.xml index 42aaf85ab813..c7ee5469ba36 100644 --- a/services/evidently/pom.xml +++ b/services/evidently/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 evidently AWS Java SDK :: Services :: Evidently diff --git a/services/finspace/pom.xml b/services/finspace/pom.xml index 9a5d646f87f1..e0e8963ab62c 100644 --- a/services/finspace/pom.xml +++ b/services/finspace/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 finspace AWS Java SDK :: Services :: Finspace diff --git a/services/finspacedata/pom.xml b/services/finspacedata/pom.xml index 6385831136ce..fad5dc686c8c 100644 --- a/services/finspacedata/pom.xml +++ b/services/finspacedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 finspacedata AWS Java SDK :: Services :: Finspace Data diff --git a/services/firehose/pom.xml b/services/firehose/pom.xml index d47d98b76321..63c00b0934bf 100644 --- a/services/firehose/pom.xml +++ b/services/firehose/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 firehose AWS Java SDK :: Services :: Amazon Kinesis Firehose diff --git a/services/fis/pom.xml b/services/fis/pom.xml index af50dd9365c6..7c13f2808914 100644 --- a/services/fis/pom.xml +++ b/services/fis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 fis AWS Java SDK :: Services :: Fis diff --git a/services/fms/pom.xml b/services/fms/pom.xml index 17834e8242c6..0a82a9e0403d 100644 --- a/services/fms/pom.xml +++ b/services/fms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 fms AWS Java SDK :: Services :: FMS diff --git a/services/forecast/pom.xml b/services/forecast/pom.xml index d329fcdd0551..944f28d88d99 100644 --- a/services/forecast/pom.xml +++ b/services/forecast/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 forecast AWS Java SDK :: Services :: Forecast diff --git a/services/forecastquery/pom.xml b/services/forecastquery/pom.xml index a345ce103f68..8018afb3b8f4 100644 --- a/services/forecastquery/pom.xml +++ b/services/forecastquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 forecastquery AWS Java SDK :: Services :: Forecastquery diff --git a/services/frauddetector/pom.xml b/services/frauddetector/pom.xml index 16044c8016c0..38db1561b3af 100644 --- a/services/frauddetector/pom.xml +++ b/services/frauddetector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 frauddetector AWS Java SDK :: Services :: FraudDetector diff --git a/services/freetier/pom.xml b/services/freetier/pom.xml index 94fcee75c009..ea18b925c90e 100644 --- a/services/freetier/pom.xml +++ b/services/freetier/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 freetier AWS Java SDK :: Services :: Free Tier diff --git a/services/fsx/pom.xml b/services/fsx/pom.xml index 7742ba3f2099..861bb5f167cb 100644 --- a/services/fsx/pom.xml +++ b/services/fsx/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 fsx AWS Java SDK :: Services :: FSx diff --git a/services/gamelift/pom.xml b/services/gamelift/pom.xml index a257edaf914d..784a34336e94 100644 --- a/services/gamelift/pom.xml +++ b/services/gamelift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 gamelift AWS Java SDK :: Services :: AWS GameLift diff --git a/services/glacier/pom.xml b/services/glacier/pom.xml index cf615a2b0609..f1836448ec9d 100644 --- a/services/glacier/pom.xml +++ b/services/glacier/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 glacier AWS Java SDK :: Services :: Amazon Glacier diff --git a/services/globalaccelerator/pom.xml b/services/globalaccelerator/pom.xml index e85d72559ff9..2dc8e388618f 100644 --- a/services/globalaccelerator/pom.xml +++ b/services/globalaccelerator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 globalaccelerator AWS Java SDK :: Services :: Global Accelerator diff --git a/services/glue/pom.xml b/services/glue/pom.xml index 9aa5db6ae7e1..4fe4efbcf2d9 100644 --- a/services/glue/pom.xml +++ b/services/glue/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24-SNAPSHOT + 2.27.24 4.0.0 glue diff --git a/services/grafana/pom.xml b/services/grafana/pom.xml index a5f3005f99fc..9c43a2fb782d 100644 --- a/services/grafana/pom.xml +++ b/services/grafana/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 grafana AWS Java SDK :: Services :: Grafana diff --git a/services/greengrass/pom.xml b/services/greengrass/pom.xml index 534f06ea4792..d3da67d0c4b0 100644 --- a/services/greengrass/pom.xml +++ b/services/greengrass/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 greengrass AWS Java SDK :: Services :: AWS Greengrass diff --git a/services/greengrassv2/pom.xml b/services/greengrassv2/pom.xml index 4447f06b3f77..5cc4b0df7e74 100644 --- a/services/greengrassv2/pom.xml +++ b/services/greengrassv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 greengrassv2 AWS Java SDK :: Services :: Greengrass V2 diff --git a/services/groundstation/pom.xml b/services/groundstation/pom.xml index 50121e880c7f..9f446c9c1c82 100644 --- a/services/groundstation/pom.xml +++ b/services/groundstation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 groundstation AWS Java SDK :: Services :: GroundStation diff --git a/services/guardduty/pom.xml b/services/guardduty/pom.xml index cc3cfba0aea7..7acaf432c5ad 100644 --- a/services/guardduty/pom.xml +++ b/services/guardduty/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24-SNAPSHOT + 2.27.24 4.0.0 guardduty diff --git a/services/health/pom.xml b/services/health/pom.xml index 528dabe13eec..6f2027abaa66 100644 --- a/services/health/pom.xml +++ b/services/health/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 health AWS Java SDK :: Services :: AWS Health APIs and Notifications diff --git a/services/healthlake/pom.xml b/services/healthlake/pom.xml index 903dafdeba73..b7c4122cc8be 100644 --- a/services/healthlake/pom.xml +++ b/services/healthlake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 healthlake AWS Java SDK :: Services :: Health Lake diff --git a/services/iam/pom.xml b/services/iam/pom.xml index 9a18cd8d350b..3d642a194c21 100644 --- a/services/iam/pom.xml +++ b/services/iam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 iam AWS Java SDK :: Services :: AWS IAM diff --git a/services/identitystore/pom.xml b/services/identitystore/pom.xml index 9bc9304f146e..6a8cd3929c80 100644 --- a/services/identitystore/pom.xml +++ b/services/identitystore/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 identitystore AWS Java SDK :: Services :: Identitystore diff --git a/services/imagebuilder/pom.xml b/services/imagebuilder/pom.xml index d93e1b7506b6..a898b89d2ca0 100644 --- a/services/imagebuilder/pom.xml +++ b/services/imagebuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 imagebuilder AWS Java SDK :: Services :: Imagebuilder diff --git a/services/inspector/pom.xml b/services/inspector/pom.xml index 987660908bab..cfb7742ba981 100644 --- a/services/inspector/pom.xml +++ b/services/inspector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 inspector AWS Java SDK :: Services :: Amazon Inspector Service diff --git a/services/inspector2/pom.xml b/services/inspector2/pom.xml index b1fe8d51e692..62f866962116 100644 --- a/services/inspector2/pom.xml +++ b/services/inspector2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 inspector2 AWS Java SDK :: Services :: Inspector2 diff --git a/services/inspectorscan/pom.xml b/services/inspectorscan/pom.xml index b8088189cd95..3ba70be049e1 100644 --- a/services/inspectorscan/pom.xml +++ b/services/inspectorscan/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 inspectorscan AWS Java SDK :: Services :: Inspector Scan diff --git a/services/internetmonitor/pom.xml b/services/internetmonitor/pom.xml index 024a367533eb..d289514e3bb5 100644 --- a/services/internetmonitor/pom.xml +++ b/services/internetmonitor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 internetmonitor AWS Java SDK :: Services :: Internet Monitor diff --git a/services/iot/pom.xml b/services/iot/pom.xml index 75d31e2cfe78..f977fa0d60be 100644 --- a/services/iot/pom.xml +++ b/services/iot/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 iot AWS Java SDK :: Services :: AWS IoT diff --git a/services/iot1clickdevices/pom.xml b/services/iot1clickdevices/pom.xml index 475c3257b17d..69a797938fc6 100644 --- a/services/iot1clickdevices/pom.xml +++ b/services/iot1clickdevices/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 iot1clickdevices AWS Java SDK :: Services :: IoT 1Click Devices Service diff --git a/services/iot1clickprojects/pom.xml b/services/iot1clickprojects/pom.xml index fbcaa1a023fc..65c44c7596ec 100644 --- a/services/iot1clickprojects/pom.xml +++ b/services/iot1clickprojects/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 iot1clickprojects AWS Java SDK :: Services :: IoT 1Click Projects diff --git a/services/iotanalytics/pom.xml b/services/iotanalytics/pom.xml index 97f0ae5c634e..782a0aaacc8d 100644 --- a/services/iotanalytics/pom.xml +++ b/services/iotanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 iotanalytics AWS Java SDK :: Services :: IoTAnalytics diff --git a/services/iotdataplane/pom.xml b/services/iotdataplane/pom.xml index 5f6238a47e9b..4e15ecd795f6 100644 --- a/services/iotdataplane/pom.xml +++ b/services/iotdataplane/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 iotdataplane AWS Java SDK :: Services :: AWS IoT Data Plane diff --git a/services/iotdeviceadvisor/pom.xml b/services/iotdeviceadvisor/pom.xml index 5d7ec5d37794..ea0bdd33df9d 100644 --- a/services/iotdeviceadvisor/pom.xml +++ b/services/iotdeviceadvisor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 iotdeviceadvisor AWS Java SDK :: Services :: Iot Device Advisor diff --git a/services/iotevents/pom.xml b/services/iotevents/pom.xml index 5d1145ba7021..47f01127c78b 100644 --- a/services/iotevents/pom.xml +++ b/services/iotevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 iotevents AWS Java SDK :: Services :: IoT Events diff --git a/services/ioteventsdata/pom.xml b/services/ioteventsdata/pom.xml index 2c5a05bd27a5..f365c1e0d9b3 100644 --- a/services/ioteventsdata/pom.xml +++ b/services/ioteventsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 ioteventsdata AWS Java SDK :: Services :: IoT Events Data diff --git a/services/iotfleethub/pom.xml b/services/iotfleethub/pom.xml index 7d46fb3c448c..2e2aa97d3a50 100644 --- a/services/iotfleethub/pom.xml +++ b/services/iotfleethub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 iotfleethub AWS Java SDK :: Services :: Io T Fleet Hub diff --git a/services/iotfleetwise/pom.xml b/services/iotfleetwise/pom.xml index e1ae6d8c79fc..6e33bbc07e25 100644 --- a/services/iotfleetwise/pom.xml +++ b/services/iotfleetwise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 iotfleetwise AWS Java SDK :: Services :: Io T Fleet Wise diff --git a/services/iotjobsdataplane/pom.xml b/services/iotjobsdataplane/pom.xml index af3bf59a09a0..85eb8cca9f22 100644 --- a/services/iotjobsdataplane/pom.xml +++ b/services/iotjobsdataplane/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 iotjobsdataplane AWS Java SDK :: Services :: IoT Jobs Data Plane diff --git a/services/iotsecuretunneling/pom.xml b/services/iotsecuretunneling/pom.xml index 4be409537739..a8f3be0a0251 100644 --- a/services/iotsecuretunneling/pom.xml +++ b/services/iotsecuretunneling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 iotsecuretunneling AWS Java SDK :: Services :: IoTSecureTunneling diff --git a/services/iotsitewise/pom.xml b/services/iotsitewise/pom.xml index 4f7bcb3b1a5a..df717527ae86 100644 --- a/services/iotsitewise/pom.xml +++ b/services/iotsitewise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 iotsitewise AWS Java SDK :: Services :: Io T Site Wise diff --git a/services/iotthingsgraph/pom.xml b/services/iotthingsgraph/pom.xml index 881fd6fb3ed2..2fc1ba9738be 100644 --- a/services/iotthingsgraph/pom.xml +++ b/services/iotthingsgraph/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 iotthingsgraph AWS Java SDK :: Services :: IoTThingsGraph diff --git a/services/iottwinmaker/pom.xml b/services/iottwinmaker/pom.xml index f6c6190b6ad1..a3f8772848ec 100644 --- a/services/iottwinmaker/pom.xml +++ b/services/iottwinmaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 iottwinmaker AWS Java SDK :: Services :: Io T Twin Maker diff --git a/services/iotwireless/pom.xml b/services/iotwireless/pom.xml index d3aae6b448ce..bfe1ea61bcee 100644 --- a/services/iotwireless/pom.xml +++ b/services/iotwireless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 iotwireless AWS Java SDK :: Services :: IoT Wireless diff --git a/services/ivs/pom.xml b/services/ivs/pom.xml index 1f63e093a18a..8b8ed85e7f6b 100644 --- a/services/ivs/pom.xml +++ b/services/ivs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 ivs AWS Java SDK :: Services :: Ivs diff --git a/services/ivschat/pom.xml b/services/ivschat/pom.xml index 9d4357d7649f..59b4fa92b6e4 100644 --- a/services/ivschat/pom.xml +++ b/services/ivschat/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 ivschat AWS Java SDK :: Services :: Ivschat diff --git a/services/ivsrealtime/pom.xml b/services/ivsrealtime/pom.xml index 8cd3158c2883..2fd3e1fcd722 100644 --- a/services/ivsrealtime/pom.xml +++ b/services/ivsrealtime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 ivsrealtime AWS Java SDK :: Services :: IVS Real Time diff --git a/services/kafka/pom.xml b/services/kafka/pom.xml index ef20c1597a34..ea88302bc8ea 100644 --- a/services/kafka/pom.xml +++ b/services/kafka/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 kafka AWS Java SDK :: Services :: Kafka diff --git a/services/kafkaconnect/pom.xml b/services/kafkaconnect/pom.xml index fcb303b81aa9..45befafff7f3 100644 --- a/services/kafkaconnect/pom.xml +++ b/services/kafkaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 kafkaconnect AWS Java SDK :: Services :: Kafka Connect diff --git a/services/kendra/pom.xml b/services/kendra/pom.xml index 46c9103b724b..7121a8490f19 100644 --- a/services/kendra/pom.xml +++ b/services/kendra/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 kendra AWS Java SDK :: Services :: Kendra diff --git a/services/kendraranking/pom.xml b/services/kendraranking/pom.xml index 6f5335b5330a..064c64b852ea 100644 --- a/services/kendraranking/pom.xml +++ b/services/kendraranking/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 kendraranking AWS Java SDK :: Services :: Kendra Ranking diff --git a/services/keyspaces/pom.xml b/services/keyspaces/pom.xml index 87831d13027f..4da5344c649f 100644 --- a/services/keyspaces/pom.xml +++ b/services/keyspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 keyspaces AWS Java SDK :: Services :: Keyspaces diff --git a/services/kinesis/pom.xml b/services/kinesis/pom.xml index c2ba3252d347..bb48181d2938 100644 --- a/services/kinesis/pom.xml +++ b/services/kinesis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 kinesis AWS Java SDK :: Services :: Amazon Kinesis diff --git a/services/kinesisanalytics/pom.xml b/services/kinesisanalytics/pom.xml index 156a857f86a2..e2e31170887d 100644 --- a/services/kinesisanalytics/pom.xml +++ b/services/kinesisanalytics/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 kinesisanalytics AWS Java SDK :: Services :: Amazon Kinesis Analytics diff --git a/services/kinesisanalyticsv2/pom.xml b/services/kinesisanalyticsv2/pom.xml index 1fd1b886cc5b..e0223fe1cc07 100644 --- a/services/kinesisanalyticsv2/pom.xml +++ b/services/kinesisanalyticsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 kinesisanalyticsv2 AWS Java SDK :: Services :: Kinesis Analytics V2 diff --git a/services/kinesisvideo/pom.xml b/services/kinesisvideo/pom.xml index f4a6556224dc..a123bdb5355f 100644 --- a/services/kinesisvideo/pom.xml +++ b/services/kinesisvideo/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24-SNAPSHOT + 2.27.24 4.0.0 kinesisvideo diff --git a/services/kinesisvideoarchivedmedia/pom.xml b/services/kinesisvideoarchivedmedia/pom.xml index 3122806c8038..06751ad9e0da 100644 --- a/services/kinesisvideoarchivedmedia/pom.xml +++ b/services/kinesisvideoarchivedmedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 kinesisvideoarchivedmedia AWS Java SDK :: Services :: Kinesis Video Archived Media diff --git a/services/kinesisvideomedia/pom.xml b/services/kinesisvideomedia/pom.xml index 39e16d3cb9eb..1d2a2a30b360 100644 --- a/services/kinesisvideomedia/pom.xml +++ b/services/kinesisvideomedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 kinesisvideomedia AWS Java SDK :: Services :: Kinesis Video Media diff --git a/services/kinesisvideosignaling/pom.xml b/services/kinesisvideosignaling/pom.xml index 7e6a880cdde0..c6f84a7f6a49 100644 --- a/services/kinesisvideosignaling/pom.xml +++ b/services/kinesisvideosignaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 kinesisvideosignaling AWS Java SDK :: Services :: Kinesis Video Signaling diff --git a/services/kinesisvideowebrtcstorage/pom.xml b/services/kinesisvideowebrtcstorage/pom.xml index 2fcfeccb3c26..6e1c57a1cf5e 100644 --- a/services/kinesisvideowebrtcstorage/pom.xml +++ b/services/kinesisvideowebrtcstorage/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 kinesisvideowebrtcstorage AWS Java SDK :: Services :: Kinesis Video Web RTC Storage diff --git a/services/kms/pom.xml b/services/kms/pom.xml index 75e39c46af7a..796aaea13f8d 100644 --- a/services/kms/pom.xml +++ b/services/kms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 kms AWS Java SDK :: Services :: AWS KMS diff --git a/services/lakeformation/pom.xml b/services/lakeformation/pom.xml index e8620e26e5b3..3281100cf817 100644 --- a/services/lakeformation/pom.xml +++ b/services/lakeformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 lakeformation AWS Java SDK :: Services :: LakeFormation diff --git a/services/lambda/pom.xml b/services/lambda/pom.xml index 6f8dda091a18..583ba1d1d826 100644 --- a/services/lambda/pom.xml +++ b/services/lambda/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 lambda AWS Java SDK :: Services :: AWS Lambda diff --git a/services/launchwizard/pom.xml b/services/launchwizard/pom.xml index 505eccfb8702..5e3736668208 100644 --- a/services/launchwizard/pom.xml +++ b/services/launchwizard/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 launchwizard AWS Java SDK :: Services :: Launch Wizard diff --git a/services/lexmodelbuilding/pom.xml b/services/lexmodelbuilding/pom.xml index d15b54f083c9..f07d534d8f22 100644 --- a/services/lexmodelbuilding/pom.xml +++ b/services/lexmodelbuilding/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 lexmodelbuilding AWS Java SDK :: Services :: Amazon Lex Model Building diff --git a/services/lexmodelsv2/pom.xml b/services/lexmodelsv2/pom.xml index d863b4e4f027..321b176a4446 100644 --- a/services/lexmodelsv2/pom.xml +++ b/services/lexmodelsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 lexmodelsv2 AWS Java SDK :: Services :: Lex Models V2 diff --git a/services/lexruntime/pom.xml b/services/lexruntime/pom.xml index ed5b512efd3d..6e5a35b202f0 100644 --- a/services/lexruntime/pom.xml +++ b/services/lexruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 lexruntime AWS Java SDK :: Services :: Amazon Lex Runtime diff --git a/services/lexruntimev2/pom.xml b/services/lexruntimev2/pom.xml index 856716bf9f4a..610d61b25df4 100644 --- a/services/lexruntimev2/pom.xml +++ b/services/lexruntimev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 lexruntimev2 AWS Java SDK :: Services :: Lex Runtime V2 diff --git a/services/licensemanager/pom.xml b/services/licensemanager/pom.xml index 09dd98211774..29882533199c 100644 --- a/services/licensemanager/pom.xml +++ b/services/licensemanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 licensemanager AWS Java SDK :: Services :: License Manager diff --git a/services/licensemanagerlinuxsubscriptions/pom.xml b/services/licensemanagerlinuxsubscriptions/pom.xml index 62d64e990f96..f5b2cf36f4e5 100644 --- a/services/licensemanagerlinuxsubscriptions/pom.xml +++ b/services/licensemanagerlinuxsubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 licensemanagerlinuxsubscriptions AWS Java SDK :: Services :: License Manager Linux Subscriptions diff --git a/services/licensemanagerusersubscriptions/pom.xml b/services/licensemanagerusersubscriptions/pom.xml index c1a2fd03179f..1657e3ffcf41 100644 --- a/services/licensemanagerusersubscriptions/pom.xml +++ b/services/licensemanagerusersubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 licensemanagerusersubscriptions AWS Java SDK :: Services :: License Manager User Subscriptions diff --git a/services/lightsail/pom.xml b/services/lightsail/pom.xml index e19ff3a438f6..c9e1606e930b 100644 --- a/services/lightsail/pom.xml +++ b/services/lightsail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 lightsail AWS Java SDK :: Services :: Amazon Lightsail diff --git a/services/location/pom.xml b/services/location/pom.xml index 6e195877dede..5a11919c2cee 100644 --- a/services/location/pom.xml +++ b/services/location/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 location AWS Java SDK :: Services :: Location diff --git a/services/lookoutequipment/pom.xml b/services/lookoutequipment/pom.xml index 2dba26c350a5..4cadb1937012 100644 --- a/services/lookoutequipment/pom.xml +++ b/services/lookoutequipment/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 lookoutequipment AWS Java SDK :: Services :: Lookout Equipment diff --git a/services/lookoutmetrics/pom.xml b/services/lookoutmetrics/pom.xml index f16bd00aee33..e1c4b4eff8d9 100644 --- a/services/lookoutmetrics/pom.xml +++ b/services/lookoutmetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 lookoutmetrics AWS Java SDK :: Services :: Lookout Metrics diff --git a/services/lookoutvision/pom.xml b/services/lookoutvision/pom.xml index ebdc7b4fb349..7965a5efefd9 100644 --- a/services/lookoutvision/pom.xml +++ b/services/lookoutvision/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 lookoutvision AWS Java SDK :: Services :: Lookout Vision diff --git a/services/m2/pom.xml b/services/m2/pom.xml index bbbd1ecc969b..d8f6801ad21f 100644 --- a/services/m2/pom.xml +++ b/services/m2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 m2 AWS Java SDK :: Services :: M2 diff --git a/services/machinelearning/pom.xml b/services/machinelearning/pom.xml index 42959c820be9..0b8efaba3da3 100644 --- a/services/machinelearning/pom.xml +++ b/services/machinelearning/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 machinelearning AWS Java SDK :: Services :: Amazon Machine Learning diff --git a/services/macie2/pom.xml b/services/macie2/pom.xml index 1608e953fcb6..6f173a810d75 100644 --- a/services/macie2/pom.xml +++ b/services/macie2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 macie2 AWS Java SDK :: Services :: Macie2 diff --git a/services/mailmanager/pom.xml b/services/mailmanager/pom.xml index 2f2bfc9fbffa..819e283cedb1 100644 --- a/services/mailmanager/pom.xml +++ b/services/mailmanager/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 mailmanager AWS Java SDK :: Services :: Mail Manager diff --git a/services/managedblockchain/pom.xml b/services/managedblockchain/pom.xml index 647279c5a626..38bdef5adeea 100644 --- a/services/managedblockchain/pom.xml +++ b/services/managedblockchain/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 managedblockchain AWS Java SDK :: Services :: ManagedBlockchain diff --git a/services/managedblockchainquery/pom.xml b/services/managedblockchainquery/pom.xml index 77543bc1b674..d10816b6b780 100644 --- a/services/managedblockchainquery/pom.xml +++ b/services/managedblockchainquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 managedblockchainquery AWS Java SDK :: Services :: Managed Blockchain Query diff --git a/services/marketplaceagreement/pom.xml b/services/marketplaceagreement/pom.xml index 2ad69d2b9fcf..5536d43035c2 100644 --- a/services/marketplaceagreement/pom.xml +++ b/services/marketplaceagreement/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 marketplaceagreement AWS Java SDK :: Services :: Marketplace Agreement diff --git a/services/marketplacecatalog/pom.xml b/services/marketplacecatalog/pom.xml index c8fa16983471..bf39a00adf30 100644 --- a/services/marketplacecatalog/pom.xml +++ b/services/marketplacecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 marketplacecatalog AWS Java SDK :: Services :: Marketplace Catalog diff --git a/services/marketplacecommerceanalytics/pom.xml b/services/marketplacecommerceanalytics/pom.xml index 9439258e1e7d..b6cadd454746 100644 --- a/services/marketplacecommerceanalytics/pom.xml +++ b/services/marketplacecommerceanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 marketplacecommerceanalytics AWS Java SDK :: Services :: AWS Marketplace Commerce Analytics diff --git a/services/marketplacedeployment/pom.xml b/services/marketplacedeployment/pom.xml index 303e8b5f76a2..4264b310a027 100644 --- a/services/marketplacedeployment/pom.xml +++ b/services/marketplacedeployment/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 marketplacedeployment AWS Java SDK :: Services :: Marketplace Deployment diff --git a/services/marketplaceentitlement/pom.xml b/services/marketplaceentitlement/pom.xml index 1bbea8040caf..ce2d87cec876 100644 --- a/services/marketplaceentitlement/pom.xml +++ b/services/marketplaceentitlement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 marketplaceentitlement AWS Java SDK :: Services :: AWS Marketplace Entitlement diff --git a/services/marketplacemetering/pom.xml b/services/marketplacemetering/pom.xml index 3551773c6066..60b0747a52a5 100644 --- a/services/marketplacemetering/pom.xml +++ b/services/marketplacemetering/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 marketplacemetering AWS Java SDK :: Services :: AWS Marketplace Metering Service diff --git a/services/mediaconnect/pom.xml b/services/mediaconnect/pom.xml index 7ba5a3bff455..ce0ddb93dd76 100644 --- a/services/mediaconnect/pom.xml +++ b/services/mediaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 mediaconnect AWS Java SDK :: Services :: MediaConnect diff --git a/services/mediaconvert/pom.xml b/services/mediaconvert/pom.xml index 62aa0ad77809..4fd558995683 100644 --- a/services/mediaconvert/pom.xml +++ b/services/mediaconvert/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24-SNAPSHOT + 2.27.24 4.0.0 mediaconvert diff --git a/services/medialive/pom.xml b/services/medialive/pom.xml index d08c6b0e9000..d0641d2c0321 100644 --- a/services/medialive/pom.xml +++ b/services/medialive/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24-SNAPSHOT + 2.27.24 4.0.0 medialive diff --git a/services/mediapackage/pom.xml b/services/mediapackage/pom.xml index 82282ad327b9..b2363639fbab 100644 --- a/services/mediapackage/pom.xml +++ b/services/mediapackage/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24-SNAPSHOT + 2.27.24 4.0.0 mediapackage diff --git a/services/mediapackagev2/pom.xml b/services/mediapackagev2/pom.xml index f33d938bd822..d56d3fc3a8ea 100644 --- a/services/mediapackagev2/pom.xml +++ b/services/mediapackagev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 mediapackagev2 AWS Java SDK :: Services :: Media Package V2 diff --git a/services/mediapackagevod/pom.xml b/services/mediapackagevod/pom.xml index ef48a45536c3..e58689bb4eb1 100644 --- a/services/mediapackagevod/pom.xml +++ b/services/mediapackagevod/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 mediapackagevod AWS Java SDK :: Services :: MediaPackage Vod diff --git a/services/mediastore/pom.xml b/services/mediastore/pom.xml index 02d71170e373..236d996a83b9 100644 --- a/services/mediastore/pom.xml +++ b/services/mediastore/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24-SNAPSHOT + 2.27.24 4.0.0 mediastore diff --git a/services/mediastoredata/pom.xml b/services/mediastoredata/pom.xml index cfd17843c4c6..d8419842c805 100644 --- a/services/mediastoredata/pom.xml +++ b/services/mediastoredata/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24-SNAPSHOT + 2.27.24 4.0.0 mediastoredata diff --git a/services/mediatailor/pom.xml b/services/mediatailor/pom.xml index 7e1c1374b1a7..85994979d27b 100644 --- a/services/mediatailor/pom.xml +++ b/services/mediatailor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 mediatailor AWS Java SDK :: Services :: MediaTailor diff --git a/services/medicalimaging/pom.xml b/services/medicalimaging/pom.xml index 7dafa6292d3c..bfcdac5aec98 100644 --- a/services/medicalimaging/pom.xml +++ b/services/medicalimaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 medicalimaging AWS Java SDK :: Services :: Medical Imaging diff --git a/services/memorydb/pom.xml b/services/memorydb/pom.xml index 100504723168..b9c715d10341 100644 --- a/services/memorydb/pom.xml +++ b/services/memorydb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 memorydb AWS Java SDK :: Services :: Memory DB diff --git a/services/mgn/pom.xml b/services/mgn/pom.xml index 76c815c80582..1b64ff6473f1 100644 --- a/services/mgn/pom.xml +++ b/services/mgn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 mgn AWS Java SDK :: Services :: Mgn diff --git a/services/migrationhub/pom.xml b/services/migrationhub/pom.xml index f0333343dd37..b3ac56e27b74 100644 --- a/services/migrationhub/pom.xml +++ b/services/migrationhub/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24-SNAPSHOT + 2.27.24 4.0.0 migrationhub diff --git a/services/migrationhubconfig/pom.xml b/services/migrationhubconfig/pom.xml index 522bf687d02a..aad856a1cbf7 100644 --- a/services/migrationhubconfig/pom.xml +++ b/services/migrationhubconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 migrationhubconfig AWS Java SDK :: Services :: MigrationHub Config diff --git a/services/migrationhuborchestrator/pom.xml b/services/migrationhuborchestrator/pom.xml index d94eebe1b75c..5770a12023c7 100644 --- a/services/migrationhuborchestrator/pom.xml +++ b/services/migrationhuborchestrator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 migrationhuborchestrator AWS Java SDK :: Services :: Migration Hub Orchestrator diff --git a/services/migrationhubrefactorspaces/pom.xml b/services/migrationhubrefactorspaces/pom.xml index f9012470b7ae..0394ebf2bb6b 100644 --- a/services/migrationhubrefactorspaces/pom.xml +++ b/services/migrationhubrefactorspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 migrationhubrefactorspaces AWS Java SDK :: Services :: Migration Hub Refactor Spaces diff --git a/services/migrationhubstrategy/pom.xml b/services/migrationhubstrategy/pom.xml index f328c600d623..94d413881120 100644 --- a/services/migrationhubstrategy/pom.xml +++ b/services/migrationhubstrategy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 migrationhubstrategy AWS Java SDK :: Services :: Migration Hub Strategy diff --git a/services/mq/pom.xml b/services/mq/pom.xml index a56ce2b16bf7..e1b31d79eb9e 100644 --- a/services/mq/pom.xml +++ b/services/mq/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24-SNAPSHOT + 2.27.24 4.0.0 mq diff --git a/services/mturk/pom.xml b/services/mturk/pom.xml index e7cec0f636ca..a36666545637 100644 --- a/services/mturk/pom.xml +++ b/services/mturk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 mturk AWS Java SDK :: Services :: Amazon Mechanical Turk Requester diff --git a/services/mwaa/pom.xml b/services/mwaa/pom.xml index 36c41da0fefe..07765eecc619 100644 --- a/services/mwaa/pom.xml +++ b/services/mwaa/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 mwaa AWS Java SDK :: Services :: MWAA diff --git a/services/neptune/pom.xml b/services/neptune/pom.xml index 7179a17862e1..a8142272c029 100644 --- a/services/neptune/pom.xml +++ b/services/neptune/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 neptune AWS Java SDK :: Services :: Neptune diff --git a/services/neptunedata/pom.xml b/services/neptunedata/pom.xml index 61e9b9e8b455..b16c724ecec1 100644 --- a/services/neptunedata/pom.xml +++ b/services/neptunedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 neptunedata AWS Java SDK :: Services :: Neptunedata diff --git a/services/neptunegraph/pom.xml b/services/neptunegraph/pom.xml index c7c8ea828fca..c0a5ae8b31af 100644 --- a/services/neptunegraph/pom.xml +++ b/services/neptunegraph/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 neptunegraph AWS Java SDK :: Services :: Neptune Graph diff --git a/services/networkfirewall/pom.xml b/services/networkfirewall/pom.xml index 0df35ac9f7ab..a8b748cf669e 100644 --- a/services/networkfirewall/pom.xml +++ b/services/networkfirewall/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 networkfirewall AWS Java SDK :: Services :: Network Firewall diff --git a/services/networkmanager/pom.xml b/services/networkmanager/pom.xml index 283f5f5bd6fd..f852004fe3df 100644 --- a/services/networkmanager/pom.xml +++ b/services/networkmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 networkmanager AWS Java SDK :: Services :: NetworkManager diff --git a/services/networkmonitor/pom.xml b/services/networkmonitor/pom.xml index 398e9a3b9fef..1ad5509a1366 100644 --- a/services/networkmonitor/pom.xml +++ b/services/networkmonitor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 networkmonitor AWS Java SDK :: Services :: Network Monitor diff --git a/services/nimble/pom.xml b/services/nimble/pom.xml index 3a07472ea714..118e0dd88056 100644 --- a/services/nimble/pom.xml +++ b/services/nimble/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 nimble AWS Java SDK :: Services :: Nimble diff --git a/services/oam/pom.xml b/services/oam/pom.xml index f691bc8c7a29..6caff4e3a5cd 100644 --- a/services/oam/pom.xml +++ b/services/oam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 oam AWS Java SDK :: Services :: OAM diff --git a/services/omics/pom.xml b/services/omics/pom.xml index 9fbacd92d8d9..af5d97230416 100644 --- a/services/omics/pom.xml +++ b/services/omics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 omics AWS Java SDK :: Services :: Omics diff --git a/services/opensearch/pom.xml b/services/opensearch/pom.xml index f6a459a3e9e5..b88f6c957800 100644 --- a/services/opensearch/pom.xml +++ b/services/opensearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 opensearch AWS Java SDK :: Services :: Open Search diff --git a/services/opensearchserverless/pom.xml b/services/opensearchserverless/pom.xml index 858807ee272d..6caf6ec4aa6d 100644 --- a/services/opensearchserverless/pom.xml +++ b/services/opensearchserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 opensearchserverless AWS Java SDK :: Services :: Open Search Serverless diff --git a/services/opsworks/pom.xml b/services/opsworks/pom.xml index 95281f387665..ea876a1ca138 100644 --- a/services/opsworks/pom.xml +++ b/services/opsworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 opsworks AWS Java SDK :: Services :: AWS OpsWorks diff --git a/services/opsworkscm/pom.xml b/services/opsworkscm/pom.xml index 484280a8c979..6d042a7ba74b 100644 --- a/services/opsworkscm/pom.xml +++ b/services/opsworkscm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 opsworkscm AWS Java SDK :: Services :: AWS OpsWorks for Chef Automate diff --git a/services/organizations/pom.xml b/services/organizations/pom.xml index 526d18219e11..8ce30ae1ad0a 100644 --- a/services/organizations/pom.xml +++ b/services/organizations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 organizations AWS Java SDK :: Services :: AWS Organizations diff --git a/services/osis/pom.xml b/services/osis/pom.xml index b57f3e50cf81..c8b59488c513 100644 --- a/services/osis/pom.xml +++ b/services/osis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 osis AWS Java SDK :: Services :: OSIS diff --git a/services/outposts/pom.xml b/services/outposts/pom.xml index c58301f56a59..7f5599c2a64b 100644 --- a/services/outposts/pom.xml +++ b/services/outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 outposts AWS Java SDK :: Services :: Outposts diff --git a/services/panorama/pom.xml b/services/panorama/pom.xml index d2d3849d19df..add4bcfc0b49 100644 --- a/services/panorama/pom.xml +++ b/services/panorama/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 panorama AWS Java SDK :: Services :: Panorama diff --git a/services/paymentcryptography/pom.xml b/services/paymentcryptography/pom.xml index eb89e6dff1b4..a060e97b302d 100644 --- a/services/paymentcryptography/pom.xml +++ b/services/paymentcryptography/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 paymentcryptography AWS Java SDK :: Services :: Payment Cryptography diff --git a/services/paymentcryptographydata/pom.xml b/services/paymentcryptographydata/pom.xml index 06c7520b9449..85a9a75b1b5f 100644 --- a/services/paymentcryptographydata/pom.xml +++ b/services/paymentcryptographydata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 paymentcryptographydata AWS Java SDK :: Services :: Payment Cryptography Data diff --git a/services/pcaconnectorad/pom.xml b/services/pcaconnectorad/pom.xml index 2b0e64956843..cda8e553c28a 100644 --- a/services/pcaconnectorad/pom.xml +++ b/services/pcaconnectorad/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 pcaconnectorad AWS Java SDK :: Services :: Pca Connector Ad diff --git a/services/pcaconnectorscep/pom.xml b/services/pcaconnectorscep/pom.xml index 06f714abb673..94994ad1db7c 100644 --- a/services/pcaconnectorscep/pom.xml +++ b/services/pcaconnectorscep/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 pcaconnectorscep AWS Java SDK :: Services :: Pca Connector Scep diff --git a/services/pcs/pom.xml b/services/pcs/pom.xml index b3dab9d87383..bfee601590be 100644 --- a/services/pcs/pom.xml +++ b/services/pcs/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 pcs AWS Java SDK :: Services :: PCS diff --git a/services/personalize/pom.xml b/services/personalize/pom.xml index aa036804e735..f98df6df8611 100644 --- a/services/personalize/pom.xml +++ b/services/personalize/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 personalize AWS Java SDK :: Services :: Personalize diff --git a/services/personalizeevents/pom.xml b/services/personalizeevents/pom.xml index 45389f73ccd5..ee75939fab65 100644 --- a/services/personalizeevents/pom.xml +++ b/services/personalizeevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 personalizeevents AWS Java SDK :: Services :: Personalize Events diff --git a/services/personalizeruntime/pom.xml b/services/personalizeruntime/pom.xml index b321fc992e43..be8359817e03 100644 --- a/services/personalizeruntime/pom.xml +++ b/services/personalizeruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 personalizeruntime AWS Java SDK :: Services :: Personalize Runtime diff --git a/services/pi/pom.xml b/services/pi/pom.xml index 371ed1bfc9a4..aa5a661bd297 100644 --- a/services/pi/pom.xml +++ b/services/pi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 pi AWS Java SDK :: Services :: PI diff --git a/services/pinpoint/pom.xml b/services/pinpoint/pom.xml index 48988b21c0c1..1c7265cec318 100644 --- a/services/pinpoint/pom.xml +++ b/services/pinpoint/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 pinpoint AWS Java SDK :: Services :: Amazon Pinpoint diff --git a/services/pinpointemail/pom.xml b/services/pinpointemail/pom.xml index 4b724b5bb3f1..0a8b56a5957d 100644 --- a/services/pinpointemail/pom.xml +++ b/services/pinpointemail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 pinpointemail AWS Java SDK :: Services :: Pinpoint Email diff --git a/services/pinpointsmsvoice/pom.xml b/services/pinpointsmsvoice/pom.xml index 08c8822f9dc7..f7dc129abc63 100644 --- a/services/pinpointsmsvoice/pom.xml +++ b/services/pinpointsmsvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 pinpointsmsvoice AWS Java SDK :: Services :: Pinpoint SMS Voice diff --git a/services/pinpointsmsvoicev2/pom.xml b/services/pinpointsmsvoicev2/pom.xml index 3592bd621be0..77efa1f509e4 100644 --- a/services/pinpointsmsvoicev2/pom.xml +++ b/services/pinpointsmsvoicev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 pinpointsmsvoicev2 AWS Java SDK :: Services :: Pinpoint SMS Voice V2 diff --git a/services/pipes/pom.xml b/services/pipes/pom.xml index d312afc89741..6ecc2f48244f 100644 --- a/services/pipes/pom.xml +++ b/services/pipes/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 pipes AWS Java SDK :: Services :: Pipes diff --git a/services/polly/pom.xml b/services/polly/pom.xml index b9d86b331f00..e7ad8959663f 100644 --- a/services/polly/pom.xml +++ b/services/polly/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 polly AWS Java SDK :: Services :: Amazon Polly diff --git a/services/pom.xml b/services/pom.xml index 9882e9562348..ea78c326a4c4 100644 --- a/services/pom.xml +++ b/services/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.24-SNAPSHOT + 2.27.24 services AWS Java SDK :: Services diff --git a/services/pricing/pom.xml b/services/pricing/pom.xml index a411836c5d9a..90344eb782bb 100644 --- a/services/pricing/pom.xml +++ b/services/pricing/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24-SNAPSHOT + 2.27.24 4.0.0 pricing diff --git a/services/privatenetworks/pom.xml b/services/privatenetworks/pom.xml index e287e3fe40ff..bdad350104e6 100644 --- a/services/privatenetworks/pom.xml +++ b/services/privatenetworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 privatenetworks AWS Java SDK :: Services :: Private Networks diff --git a/services/proton/pom.xml b/services/proton/pom.xml index 20fae5948b05..20cade6e97ca 100644 --- a/services/proton/pom.xml +++ b/services/proton/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 proton AWS Java SDK :: Services :: Proton diff --git a/services/qapps/pom.xml b/services/qapps/pom.xml index b2b2e4371d85..d33bce91da80 100644 --- a/services/qapps/pom.xml +++ b/services/qapps/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 qapps AWS Java SDK :: Services :: Q Apps diff --git a/services/qbusiness/pom.xml b/services/qbusiness/pom.xml index 5688bda38b2d..671f965f364f 100644 --- a/services/qbusiness/pom.xml +++ b/services/qbusiness/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 qbusiness AWS Java SDK :: Services :: Q Business diff --git a/services/qconnect/pom.xml b/services/qconnect/pom.xml index c965823a4ff7..889fbedc4783 100644 --- a/services/qconnect/pom.xml +++ b/services/qconnect/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 qconnect AWS Java SDK :: Services :: Q Connect diff --git a/services/qldb/pom.xml b/services/qldb/pom.xml index f69580703ca0..a121c0a2697a 100644 --- a/services/qldb/pom.xml +++ b/services/qldb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 qldb AWS Java SDK :: Services :: QLDB diff --git a/services/qldbsession/pom.xml b/services/qldbsession/pom.xml index c92b7e932a11..2d240df953ec 100644 --- a/services/qldbsession/pom.xml +++ b/services/qldbsession/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 qldbsession AWS Java SDK :: Services :: QLDB Session diff --git a/services/quicksight/pom.xml b/services/quicksight/pom.xml index 57274afaf831..7f1bed675136 100644 --- a/services/quicksight/pom.xml +++ b/services/quicksight/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 quicksight AWS Java SDK :: Services :: QuickSight diff --git a/services/ram/pom.xml b/services/ram/pom.xml index c8b111f250e5..ed09c6a676be 100644 --- a/services/ram/pom.xml +++ b/services/ram/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 ram AWS Java SDK :: Services :: RAM diff --git a/services/rbin/pom.xml b/services/rbin/pom.xml index da352704be3c..b8d15803ab1b 100644 --- a/services/rbin/pom.xml +++ b/services/rbin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 rbin AWS Java SDK :: Services :: Rbin diff --git a/services/rds/pom.xml b/services/rds/pom.xml index 83c554f83176..80a1907c87e6 100644 --- a/services/rds/pom.xml +++ b/services/rds/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 rds AWS Java SDK :: Services :: Amazon RDS diff --git a/services/rdsdata/pom.xml b/services/rdsdata/pom.xml index 0ddd4b5e5442..045c79ad088d 100644 --- a/services/rdsdata/pom.xml +++ b/services/rdsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 rdsdata AWS Java SDK :: Services :: RDS Data diff --git a/services/redshift/pom.xml b/services/redshift/pom.xml index 05f9e72eb5fd..9ec79fb0c954 100644 --- a/services/redshift/pom.xml +++ b/services/redshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 redshift AWS Java SDK :: Services :: Amazon Redshift diff --git a/services/redshiftdata/pom.xml b/services/redshiftdata/pom.xml index 42a7e729f7ad..77d5a28ef6f5 100644 --- a/services/redshiftdata/pom.xml +++ b/services/redshiftdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 redshiftdata AWS Java SDK :: Services :: Redshift Data diff --git a/services/redshiftserverless/pom.xml b/services/redshiftserverless/pom.xml index df84df453477..5b1c6fe19413 100644 --- a/services/redshiftserverless/pom.xml +++ b/services/redshiftserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 redshiftserverless AWS Java SDK :: Services :: Redshift Serverless diff --git a/services/rekognition/pom.xml b/services/rekognition/pom.xml index 16cd0f1a62f3..09b4e7acc9a1 100644 --- a/services/rekognition/pom.xml +++ b/services/rekognition/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 rekognition AWS Java SDK :: Services :: Amazon Rekognition diff --git a/services/repostspace/pom.xml b/services/repostspace/pom.xml index d51539969303..780101a6b348 100644 --- a/services/repostspace/pom.xml +++ b/services/repostspace/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 repostspace AWS Java SDK :: Services :: Repostspace diff --git a/services/resiliencehub/pom.xml b/services/resiliencehub/pom.xml index b5f081748077..42d033562a1a 100644 --- a/services/resiliencehub/pom.xml +++ b/services/resiliencehub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 resiliencehub AWS Java SDK :: Services :: Resiliencehub diff --git a/services/resourceexplorer2/pom.xml b/services/resourceexplorer2/pom.xml index 510456597e9f..8ca5997d8125 100644 --- a/services/resourceexplorer2/pom.xml +++ b/services/resourceexplorer2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 resourceexplorer2 AWS Java SDK :: Services :: Resource Explorer 2 diff --git a/services/resourcegroups/pom.xml b/services/resourcegroups/pom.xml index 2099c4110ed5..ac3b8deeaed7 100644 --- a/services/resourcegroups/pom.xml +++ b/services/resourcegroups/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24-SNAPSHOT + 2.27.24 4.0.0 resourcegroups diff --git a/services/resourcegroupstaggingapi/pom.xml b/services/resourcegroupstaggingapi/pom.xml index 82576d81f637..ceee8dfcaa66 100644 --- a/services/resourcegroupstaggingapi/pom.xml +++ b/services/resourcegroupstaggingapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 resourcegroupstaggingapi AWS Java SDK :: Services :: AWS Resource Groups Tagging API diff --git a/services/robomaker/pom.xml b/services/robomaker/pom.xml index fa7362413598..5dfb8a7ce141 100644 --- a/services/robomaker/pom.xml +++ b/services/robomaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 robomaker AWS Java SDK :: Services :: RoboMaker diff --git a/services/rolesanywhere/pom.xml b/services/rolesanywhere/pom.xml index 10d44bda6368..a28e5e284f79 100644 --- a/services/rolesanywhere/pom.xml +++ b/services/rolesanywhere/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 rolesanywhere AWS Java SDK :: Services :: Roles Anywhere diff --git a/services/route53/pom.xml b/services/route53/pom.xml index 3746b1f73d14..fca0e27b4058 100644 --- a/services/route53/pom.xml +++ b/services/route53/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 route53 AWS Java SDK :: Services :: Amazon Route53 diff --git a/services/route53domains/pom.xml b/services/route53domains/pom.xml index 10ef0092860a..6066bade76a4 100644 --- a/services/route53domains/pom.xml +++ b/services/route53domains/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 route53domains AWS Java SDK :: Services :: Amazon Route53 Domains diff --git a/services/route53profiles/pom.xml b/services/route53profiles/pom.xml index 5471073522db..64e95ec35c15 100644 --- a/services/route53profiles/pom.xml +++ b/services/route53profiles/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 route53profiles AWS Java SDK :: Services :: Route53 Profiles diff --git a/services/route53recoverycluster/pom.xml b/services/route53recoverycluster/pom.xml index 25c780e1625c..ebd289918913 100644 --- a/services/route53recoverycluster/pom.xml +++ b/services/route53recoverycluster/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 route53recoverycluster AWS Java SDK :: Services :: Route53 Recovery Cluster diff --git a/services/route53recoverycontrolconfig/pom.xml b/services/route53recoverycontrolconfig/pom.xml index 93add8cb76d3..c177a4cf22c4 100644 --- a/services/route53recoverycontrolconfig/pom.xml +++ b/services/route53recoverycontrolconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 route53recoverycontrolconfig AWS Java SDK :: Services :: Route53 Recovery Control Config diff --git a/services/route53recoveryreadiness/pom.xml b/services/route53recoveryreadiness/pom.xml index 973127164ce7..960b2c9d410c 100644 --- a/services/route53recoveryreadiness/pom.xml +++ b/services/route53recoveryreadiness/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 route53recoveryreadiness AWS Java SDK :: Services :: Route53 Recovery Readiness diff --git a/services/route53resolver/pom.xml b/services/route53resolver/pom.xml index 01754701b82e..45c813ef9932 100644 --- a/services/route53resolver/pom.xml +++ b/services/route53resolver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 route53resolver AWS Java SDK :: Services :: Route53Resolver diff --git a/services/rum/pom.xml b/services/rum/pom.xml index cc360d8fb80f..558efc7c0a06 100644 --- a/services/rum/pom.xml +++ b/services/rum/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 rum AWS Java SDK :: Services :: RUM diff --git a/services/s3/pom.xml b/services/s3/pom.xml index 8bf0b48c415d..3df3279fc2f5 100644 --- a/services/s3/pom.xml +++ b/services/s3/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 s3 AWS Java SDK :: Services :: Amazon S3 diff --git a/services/s3control/pom.xml b/services/s3control/pom.xml index 1b35696f60c0..56bf6bdf5fd4 100644 --- a/services/s3control/pom.xml +++ b/services/s3control/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 s3control AWS Java SDK :: Services :: Amazon S3 Control diff --git a/services/s3outposts/pom.xml b/services/s3outposts/pom.xml index fb460067d087..1e0a684da5af 100644 --- a/services/s3outposts/pom.xml +++ b/services/s3outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 s3outposts AWS Java SDK :: Services :: S3 Outposts diff --git a/services/sagemaker/pom.xml b/services/sagemaker/pom.xml index 62e678f0c8a0..f6fe779adc19 100644 --- a/services/sagemaker/pom.xml +++ b/services/sagemaker/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24-SNAPSHOT + 2.27.24 4.0.0 sagemaker diff --git a/services/sagemakera2iruntime/pom.xml b/services/sagemakera2iruntime/pom.xml index ae50413a78fe..7e8caed3c3f2 100644 --- a/services/sagemakera2iruntime/pom.xml +++ b/services/sagemakera2iruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 sagemakera2iruntime AWS Java SDK :: Services :: SageMaker A2I Runtime diff --git a/services/sagemakeredge/pom.xml b/services/sagemakeredge/pom.xml index 009b60e0afdd..10f2a6a2a3da 100644 --- a/services/sagemakeredge/pom.xml +++ b/services/sagemakeredge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 sagemakeredge AWS Java SDK :: Services :: Sagemaker Edge diff --git a/services/sagemakerfeaturestoreruntime/pom.xml b/services/sagemakerfeaturestoreruntime/pom.xml index 06e379fe7cf0..e13e1c5ad644 100644 --- a/services/sagemakerfeaturestoreruntime/pom.xml +++ b/services/sagemakerfeaturestoreruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 sagemakerfeaturestoreruntime AWS Java SDK :: Services :: Sage Maker Feature Store Runtime diff --git a/services/sagemakergeospatial/pom.xml b/services/sagemakergeospatial/pom.xml index 4a978d1c9891..c44e7211374d 100644 --- a/services/sagemakergeospatial/pom.xml +++ b/services/sagemakergeospatial/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 sagemakergeospatial AWS Java SDK :: Services :: Sage Maker Geospatial diff --git a/services/sagemakermetrics/pom.xml b/services/sagemakermetrics/pom.xml index 397f344aadc0..fc209d941d76 100644 --- a/services/sagemakermetrics/pom.xml +++ b/services/sagemakermetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 sagemakermetrics AWS Java SDK :: Services :: Sage Maker Metrics diff --git a/services/sagemakerruntime/pom.xml b/services/sagemakerruntime/pom.xml index 3534ffaa9a75..3d573558f8bb 100644 --- a/services/sagemakerruntime/pom.xml +++ b/services/sagemakerruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 sagemakerruntime AWS Java SDK :: Services :: SageMaker Runtime diff --git a/services/savingsplans/pom.xml b/services/savingsplans/pom.xml index 4ccc90b4038b..b9c2e3a0954c 100644 --- a/services/savingsplans/pom.xml +++ b/services/savingsplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 savingsplans AWS Java SDK :: Services :: Savingsplans diff --git a/services/scheduler/pom.xml b/services/scheduler/pom.xml index b1a720318c7c..e89b51258995 100644 --- a/services/scheduler/pom.xml +++ b/services/scheduler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 scheduler AWS Java SDK :: Services :: Scheduler diff --git a/services/schemas/pom.xml b/services/schemas/pom.xml index 2b2ce4cfe34c..f63680a16f01 100644 --- a/services/schemas/pom.xml +++ b/services/schemas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 schemas AWS Java SDK :: Services :: Schemas diff --git a/services/secretsmanager/pom.xml b/services/secretsmanager/pom.xml index a04df34ee2a7..4de2c5e62c04 100644 --- a/services/secretsmanager/pom.xml +++ b/services/secretsmanager/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 secretsmanager AWS Java SDK :: Services :: AWS Secrets Manager diff --git a/services/securityhub/pom.xml b/services/securityhub/pom.xml index a79dd58900c7..7b1e7f68975e 100644 --- a/services/securityhub/pom.xml +++ b/services/securityhub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 securityhub AWS Java SDK :: Services :: SecurityHub diff --git a/services/securitylake/pom.xml b/services/securitylake/pom.xml index d6cc3c10004f..b2ace5cd941e 100644 --- a/services/securitylake/pom.xml +++ b/services/securitylake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 securitylake AWS Java SDK :: Services :: Security Lake diff --git a/services/serverlessapplicationrepository/pom.xml b/services/serverlessapplicationrepository/pom.xml index bd67e16c37a7..ac321bfbb1b9 100644 --- a/services/serverlessapplicationrepository/pom.xml +++ b/services/serverlessapplicationrepository/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24-SNAPSHOT + 2.27.24 4.0.0 serverlessapplicationrepository diff --git a/services/servicecatalog/pom.xml b/services/servicecatalog/pom.xml index fc653c852f32..d08d0a7b63fd 100644 --- a/services/servicecatalog/pom.xml +++ b/services/servicecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 servicecatalog AWS Java SDK :: Services :: AWS Service Catalog diff --git a/services/servicecatalogappregistry/pom.xml b/services/servicecatalogappregistry/pom.xml index 3535bc9ca917..53017eea74a1 100644 --- a/services/servicecatalogappregistry/pom.xml +++ b/services/servicecatalogappregistry/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 servicecatalogappregistry AWS Java SDK :: Services :: Service Catalog App Registry diff --git a/services/servicediscovery/pom.xml b/services/servicediscovery/pom.xml index 2d5c25a27987..d42054211f2b 100644 --- a/services/servicediscovery/pom.xml +++ b/services/servicediscovery/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24-SNAPSHOT + 2.27.24 4.0.0 servicediscovery diff --git a/services/servicequotas/pom.xml b/services/servicequotas/pom.xml index 62832a86fbfc..b888e288afc8 100644 --- a/services/servicequotas/pom.xml +++ b/services/servicequotas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 servicequotas AWS Java SDK :: Services :: Service Quotas diff --git a/services/ses/pom.xml b/services/ses/pom.xml index f5122dba57ac..8b44bc794a84 100644 --- a/services/ses/pom.xml +++ b/services/ses/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 ses AWS Java SDK :: Services :: Amazon SES diff --git a/services/sesv2/pom.xml b/services/sesv2/pom.xml index e9018dc7545c..4435be0d7dd9 100644 --- a/services/sesv2/pom.xml +++ b/services/sesv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 sesv2 AWS Java SDK :: Services :: SESv2 diff --git a/services/sfn/pom.xml b/services/sfn/pom.xml index ae8cfbaa480d..4d40fa58172b 100644 --- a/services/sfn/pom.xml +++ b/services/sfn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 sfn AWS Java SDK :: Services :: AWS Step Functions diff --git a/services/shield/pom.xml b/services/shield/pom.xml index e6e6e6b8e158..665681b0bb44 100644 --- a/services/shield/pom.xml +++ b/services/shield/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 shield AWS Java SDK :: Services :: AWS Shield diff --git a/services/signer/pom.xml b/services/signer/pom.xml index 78751c817929..57340a32b109 100644 --- a/services/signer/pom.xml +++ b/services/signer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 signer AWS Java SDK :: Services :: Signer diff --git a/services/simspaceweaver/pom.xml b/services/simspaceweaver/pom.xml index 347ff1d36dae..85ccfc1eddcd 100644 --- a/services/simspaceweaver/pom.xml +++ b/services/simspaceweaver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 simspaceweaver AWS Java SDK :: Services :: Sim Space Weaver diff --git a/services/sms/pom.xml b/services/sms/pom.xml index f7d4bf42577c..8dc382f39ca9 100644 --- a/services/sms/pom.xml +++ b/services/sms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 sms AWS Java SDK :: Services :: AWS Server Migration diff --git a/services/snowball/pom.xml b/services/snowball/pom.xml index e6f4b1f95846..ec005ca47ae1 100644 --- a/services/snowball/pom.xml +++ b/services/snowball/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 snowball AWS Java SDK :: Services :: Amazon Snowball diff --git a/services/snowdevicemanagement/pom.xml b/services/snowdevicemanagement/pom.xml index 36fa41825dbe..11e67c9052f1 100644 --- a/services/snowdevicemanagement/pom.xml +++ b/services/snowdevicemanagement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 snowdevicemanagement AWS Java SDK :: Services :: Snow Device Management diff --git a/services/sns/pom.xml b/services/sns/pom.xml index bed8fb99c359..c8d4f191bb73 100644 --- a/services/sns/pom.xml +++ b/services/sns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 sns AWS Java SDK :: Services :: Amazon SNS diff --git a/services/sqs/pom.xml b/services/sqs/pom.xml index ae960a65c23e..bf2d50ceafb7 100644 --- a/services/sqs/pom.xml +++ b/services/sqs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 sqs AWS Java SDK :: Services :: Amazon SQS diff --git a/services/ssm/pom.xml b/services/ssm/pom.xml index 54e232e1b09b..55203a3e7487 100644 --- a/services/ssm/pom.xml +++ b/services/ssm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 ssm AWS Java SDK :: Services :: AWS Simple Systems Management (SSM) diff --git a/services/ssmcontacts/pom.xml b/services/ssmcontacts/pom.xml index a78fe558dd21..3cbc84e71616 100644 --- a/services/ssmcontacts/pom.xml +++ b/services/ssmcontacts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 ssmcontacts AWS Java SDK :: Services :: SSM Contacts diff --git a/services/ssmincidents/pom.xml b/services/ssmincidents/pom.xml index d05238436c65..7df3c26b33da 100644 --- a/services/ssmincidents/pom.xml +++ b/services/ssmincidents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 ssmincidents AWS Java SDK :: Services :: SSM Incidents diff --git a/services/ssmquicksetup/pom.xml b/services/ssmquicksetup/pom.xml index ad70944d8b4a..e7936d0ba2cb 100644 --- a/services/ssmquicksetup/pom.xml +++ b/services/ssmquicksetup/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 ssmquicksetup AWS Java SDK :: Services :: SSM Quick Setup diff --git a/services/ssmsap/pom.xml b/services/ssmsap/pom.xml index b1bb80e201a8..b49892d50138 100644 --- a/services/ssmsap/pom.xml +++ b/services/ssmsap/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 ssmsap AWS Java SDK :: Services :: Ssm Sap diff --git a/services/sso/pom.xml b/services/sso/pom.xml index 8696adc09090..87ed6e368386 100644 --- a/services/sso/pom.xml +++ b/services/sso/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 sso AWS Java SDK :: Services :: SSO diff --git a/services/ssoadmin/pom.xml b/services/ssoadmin/pom.xml index b323536cd8c8..4f4420c7b603 100644 --- a/services/ssoadmin/pom.xml +++ b/services/ssoadmin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 ssoadmin AWS Java SDK :: Services :: SSO Admin diff --git a/services/ssooidc/pom.xml b/services/ssooidc/pom.xml index e57f481e20ca..2a6f6db2ed8f 100644 --- a/services/ssooidc/pom.xml +++ b/services/ssooidc/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 ssooidc AWS Java SDK :: Services :: SSO OIDC diff --git a/services/storagegateway/pom.xml b/services/storagegateway/pom.xml index 35f1b8f8ac38..b2bc22c0f1e3 100644 --- a/services/storagegateway/pom.xml +++ b/services/storagegateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 storagegateway AWS Java SDK :: Services :: AWS Storage Gateway diff --git a/services/sts/pom.xml b/services/sts/pom.xml index d0a6a5c05f31..668c257438db 100644 --- a/services/sts/pom.xml +++ b/services/sts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 sts AWS Java SDK :: Services :: AWS STS diff --git a/services/supplychain/pom.xml b/services/supplychain/pom.xml index 22d55fcadcd1..79e21c1155e0 100644 --- a/services/supplychain/pom.xml +++ b/services/supplychain/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 supplychain AWS Java SDK :: Services :: Supply Chain diff --git a/services/support/pom.xml b/services/support/pom.xml index 76afc3371649..7db9926b2cde 100644 --- a/services/support/pom.xml +++ b/services/support/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 support AWS Java SDK :: Services :: AWS Support diff --git a/services/supportapp/pom.xml b/services/supportapp/pom.xml index 1a2ad973f169..760e00e1b9d1 100644 --- a/services/supportapp/pom.xml +++ b/services/supportapp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 supportapp AWS Java SDK :: Services :: Support App diff --git a/services/swf/pom.xml b/services/swf/pom.xml index 80e5fd46b4b2..2f6239c31e88 100644 --- a/services/swf/pom.xml +++ b/services/swf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 swf AWS Java SDK :: Services :: Amazon SWF diff --git a/services/synthetics/pom.xml b/services/synthetics/pom.xml index b21a5d204fd1..ee59235ea5d8 100644 --- a/services/synthetics/pom.xml +++ b/services/synthetics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 synthetics AWS Java SDK :: Services :: Synthetics diff --git a/services/taxsettings/pom.xml b/services/taxsettings/pom.xml index 4b20e4619e18..a14127156f27 100644 --- a/services/taxsettings/pom.xml +++ b/services/taxsettings/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 taxsettings AWS Java SDK :: Services :: Tax Settings diff --git a/services/textract/pom.xml b/services/textract/pom.xml index f02a99af9f82..11ad9b389324 100644 --- a/services/textract/pom.xml +++ b/services/textract/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 textract AWS Java SDK :: Services :: Textract diff --git a/services/timestreaminfluxdb/pom.xml b/services/timestreaminfluxdb/pom.xml index f418704e5973..afbbaff31c27 100644 --- a/services/timestreaminfluxdb/pom.xml +++ b/services/timestreaminfluxdb/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 timestreaminfluxdb AWS Java SDK :: Services :: Timestream Influx DB diff --git a/services/timestreamquery/pom.xml b/services/timestreamquery/pom.xml index 7d7261cda571..eb719c5691c1 100644 --- a/services/timestreamquery/pom.xml +++ b/services/timestreamquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 timestreamquery AWS Java SDK :: Services :: Timestream Query diff --git a/services/timestreamwrite/pom.xml b/services/timestreamwrite/pom.xml index 96becbc65e12..608a962a9b6b 100644 --- a/services/timestreamwrite/pom.xml +++ b/services/timestreamwrite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 timestreamwrite AWS Java SDK :: Services :: Timestream Write diff --git a/services/tnb/pom.xml b/services/tnb/pom.xml index b7751d6daaec..8b896bd91a48 100644 --- a/services/tnb/pom.xml +++ b/services/tnb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 tnb AWS Java SDK :: Services :: Tnb diff --git a/services/transcribe/pom.xml b/services/transcribe/pom.xml index a36d24b46c09..1b0c9979847f 100644 --- a/services/transcribe/pom.xml +++ b/services/transcribe/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 transcribe AWS Java SDK :: Services :: Transcribe diff --git a/services/transcribestreaming/pom.xml b/services/transcribestreaming/pom.xml index f5982a3491ec..0becf8a77ec7 100644 --- a/services/transcribestreaming/pom.xml +++ b/services/transcribestreaming/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 transcribestreaming AWS Java SDK :: Services :: AWS Transcribe Streaming diff --git a/services/transfer/pom.xml b/services/transfer/pom.xml index 678a2758184d..7dda6da8d55c 100644 --- a/services/transfer/pom.xml +++ b/services/transfer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 transfer AWS Java SDK :: Services :: Transfer diff --git a/services/translate/pom.xml b/services/translate/pom.xml index 20b24f53dcec..0f920db639af 100644 --- a/services/translate/pom.xml +++ b/services/translate/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24-SNAPSHOT + 2.27.24 4.0.0 translate diff --git a/services/trustedadvisor/pom.xml b/services/trustedadvisor/pom.xml index ed81f8e20c2d..549bf9088656 100644 --- a/services/trustedadvisor/pom.xml +++ b/services/trustedadvisor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 trustedadvisor AWS Java SDK :: Services :: Trusted Advisor diff --git a/services/verifiedpermissions/pom.xml b/services/verifiedpermissions/pom.xml index 70e5e7c1709b..bcc50024601a 100644 --- a/services/verifiedpermissions/pom.xml +++ b/services/verifiedpermissions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 verifiedpermissions AWS Java SDK :: Services :: Verified Permissions diff --git a/services/voiceid/pom.xml b/services/voiceid/pom.xml index 25c203b8ad2f..a716d3fbee99 100644 --- a/services/voiceid/pom.xml +++ b/services/voiceid/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 voiceid AWS Java SDK :: Services :: Voice ID diff --git a/services/vpclattice/pom.xml b/services/vpclattice/pom.xml index efaa12015b3a..778da649eb7b 100644 --- a/services/vpclattice/pom.xml +++ b/services/vpclattice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 vpclattice AWS Java SDK :: Services :: VPC Lattice diff --git a/services/waf/pom.xml b/services/waf/pom.xml index 2aea3157cb45..b6c18d64e093 100644 --- a/services/waf/pom.xml +++ b/services/waf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 waf AWS Java SDK :: Services :: AWS WAF diff --git a/services/wafv2/pom.xml b/services/wafv2/pom.xml index 3d80302dc4ad..ada5857f85c4 100644 --- a/services/wafv2/pom.xml +++ b/services/wafv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 wafv2 AWS Java SDK :: Services :: WAFV2 diff --git a/services/wellarchitected/pom.xml b/services/wellarchitected/pom.xml index d8d0af259bdb..fbf83857d319 100644 --- a/services/wellarchitected/pom.xml +++ b/services/wellarchitected/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 wellarchitected AWS Java SDK :: Services :: Well Architected diff --git a/services/wisdom/pom.xml b/services/wisdom/pom.xml index 8c9441bf7831..e5a8645c2cec 100644 --- a/services/wisdom/pom.xml +++ b/services/wisdom/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 wisdom AWS Java SDK :: Services :: Wisdom diff --git a/services/workdocs/pom.xml b/services/workdocs/pom.xml index 38ca5710a3d2..7287e75c64d5 100644 --- a/services/workdocs/pom.xml +++ b/services/workdocs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 workdocs AWS Java SDK :: Services :: Amazon WorkDocs diff --git a/services/worklink/pom.xml b/services/worklink/pom.xml index a728361abe03..dca01c4d9c05 100644 --- a/services/worklink/pom.xml +++ b/services/worklink/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 worklink AWS Java SDK :: Services :: WorkLink diff --git a/services/workmail/pom.xml b/services/workmail/pom.xml index c15be4c0d728..669b9f13123f 100644 --- a/services/workmail/pom.xml +++ b/services/workmail/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24-SNAPSHOT + 2.27.24 4.0.0 workmail diff --git a/services/workmailmessageflow/pom.xml b/services/workmailmessageflow/pom.xml index 36d7e82fa2dd..943f0a5df2a5 100644 --- a/services/workmailmessageflow/pom.xml +++ b/services/workmailmessageflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 workmailmessageflow AWS Java SDK :: Services :: WorkMailMessageFlow diff --git a/services/workspaces/pom.xml b/services/workspaces/pom.xml index e4c8878ef1c7..428e777dea0e 100644 --- a/services/workspaces/pom.xml +++ b/services/workspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 workspaces AWS Java SDK :: Services :: Amazon WorkSpaces diff --git a/services/workspacesthinclient/pom.xml b/services/workspacesthinclient/pom.xml index 06fac9757e70..a67cc4521d69 100644 --- a/services/workspacesthinclient/pom.xml +++ b/services/workspacesthinclient/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 workspacesthinclient AWS Java SDK :: Services :: Work Spaces Thin Client diff --git a/services/workspacesweb/pom.xml b/services/workspacesweb/pom.xml index 42d07d8daf78..83ddd3dc4c9e 100644 --- a/services/workspacesweb/pom.xml +++ b/services/workspacesweb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 workspacesweb AWS Java SDK :: Services :: Work Spaces Web diff --git a/services/xray/pom.xml b/services/xray/pom.xml index f96d7f35dd1f..8ce78ac60cf6 100644 --- a/services/xray/pom.xml +++ b/services/xray/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24-SNAPSHOT + 2.27.24 xray AWS Java SDK :: Services :: AWS X-Ray diff --git a/test/auth-tests/pom.xml b/test/auth-tests/pom.xml index f97e623391a3..e022f8f6dc12 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.27.24-SNAPSHOT + 2.27.24 ../../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 d36e08428eb6..4c140a946fd4 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.27.24-SNAPSHOT + 2.27.24 ../../pom.xml 4.0.0 diff --git a/test/bundle-shading-tests/pom.xml b/test/bundle-shading-tests/pom.xml index 9c675cf929c7..4d10da922d16 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.27.24-SNAPSHOT + 2.27.24 ../../pom.xml 4.0.0 diff --git a/test/codegen-generated-classes-test/pom.xml b/test/codegen-generated-classes-test/pom.xml index a006a856d8d4..ea14ddfd934b 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.27.24-SNAPSHOT + 2.27.24 ../../pom.xml diff --git a/test/crt-unavailable-tests/pom.xml b/test/crt-unavailable-tests/pom.xml index f1c45cb446cd..678d6ebd0602 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.27.24-SNAPSHOT + 2.27.24 ../../pom.xml 4.0.0 diff --git a/test/http-client-tests/pom.xml b/test/http-client-tests/pom.xml index efb25498a5fd..cf9769217066 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.27.24-SNAPSHOT + 2.27.24 ../../pom.xml http-client-tests diff --git a/test/module-path-tests/pom.xml b/test/module-path-tests/pom.xml index 9a013cd45938..d4ebeb5c9c57 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.27.24-SNAPSHOT + 2.27.24 ../../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 26c2ca707d99..e4ef9516e307 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.27.24-SNAPSHOT + 2.27.24 ../../pom.xml diff --git a/test/protocol-tests-core/pom.xml b/test/protocol-tests-core/pom.xml index 9055a9768467..97fdace4ec40 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.27.24-SNAPSHOT + 2.27.24 ../../pom.xml 4.0.0 diff --git a/test/protocol-tests/pom.xml b/test/protocol-tests/pom.xml index dc79726e22d1..1541230ef0c2 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.27.24-SNAPSHOT + 2.27.24 ../../pom.xml 4.0.0 diff --git a/test/region-testing/pom.xml b/test/region-testing/pom.xml index f052aff732b6..27ca49c56fd5 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.27.24-SNAPSHOT + 2.27.24 ../../pom.xml 4.0.0 diff --git a/test/ruleset-testing-core/pom.xml b/test/ruleset-testing-core/pom.xml index ed9d5db2a98a..b761fac94ac9 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.27.24-SNAPSHOT + 2.27.24 ../../pom.xml 4.0.0 diff --git a/test/s3-benchmarks/pom.xml b/test/s3-benchmarks/pom.xml index 7c111004e07b..c58e2731ca49 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.27.24-SNAPSHOT + 2.27.24 ../../pom.xml 4.0.0 diff --git a/test/sdk-benchmarks/pom.xml b/test/sdk-benchmarks/pom.xml index 3098cde627f7..72ab2fb74f87 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.27.24-SNAPSHOT + 2.27.24 ../../pom.xml diff --git a/test/sdk-native-image-test/pom.xml b/test/sdk-native-image-test/pom.xml index beb0b0d3a0e4..28c30d7be0ab 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.27.24-SNAPSHOT + 2.27.24 ../../pom.xml 4.0.0 diff --git a/test/service-test-utils/pom.xml b/test/service-test-utils/pom.xml index 9728965962a8..9e2639708b0d 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.27.24-SNAPSHOT + 2.27.24 ../../pom.xml service-test-utils diff --git a/test/stability-tests/pom.xml b/test/stability-tests/pom.xml index b407d650f3a1..707edba57665 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.27.24-SNAPSHOT + 2.27.24 ../../pom.xml 4.0.0 diff --git a/test/test-utils/pom.xml b/test/test-utils/pom.xml index 4006a8b5203c..1da42960dad6 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.27.24-SNAPSHOT + 2.27.24 ../../pom.xml test-utils diff --git a/test/tests-coverage-reporting/pom.xml b/test/tests-coverage-reporting/pom.xml index bad67cf8216f..0449f561ac08 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.27.24-SNAPSHOT + 2.27.24 ../../pom.xml 4.0.0 diff --git a/test/v2-migration-tests/pom.xml b/test/v2-migration-tests/pom.xml index f9afb35fea53..ebd95d4be385 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.27.24-SNAPSHOT + 2.27.24 ../.. diff --git a/third-party/pom.xml b/third-party/pom.xml index 4c3ac45c36d0..9a1e06349d83 100644 --- a/third-party/pom.xml +++ b/third-party/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.24-SNAPSHOT + 2.27.24 third-party diff --git a/third-party/third-party-jackson-core/pom.xml b/third-party/third-party-jackson-core/pom.xml index c8d2de68d468..8df67c94cb9e 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.27.24-SNAPSHOT + 2.27.24 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 a149d42e8d59..5ec0d5cb8425 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.27.24-SNAPSHOT + 2.27.24 4.0.0 diff --git a/third-party/third-party-slf4j-api/pom.xml b/third-party/third-party-slf4j-api/pom.xml index 5f95e0939d96..71c11385c8ec 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.27.24-SNAPSHOT + 2.27.24 4.0.0 diff --git a/utils/pom.xml b/utils/pom.xml index 46ca003b0d31..7b089e1fda38 100644 --- a/utils/pom.xml +++ b/utils/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.24-SNAPSHOT + 2.27.24 4.0.0 diff --git a/v2-migration/pom.xml b/v2-migration/pom.xml index 31b3b0f5df92..5bd1df21a72a 100644 --- a/v2-migration/pom.xml +++ b/v2-migration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.24-SNAPSHOT + 2.27.24 ../pom.xml From 28cfca9b407694ff927a8d13f72c197c7d0d56aa Mon Sep 17 00:00:00 2001 From: AWS <> Date: Wed, 11 Sep 2024 19:03:23 +0000 Subject: [PATCH 063/108] Update to next snapshot version: 2.27.25-SNAPSHOT --- 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/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 +- metric-publishers/cloudwatch-metric-publisher/pom.xml | 2 +- metric-publishers/pom.xml | 2 +- pom.xml | 4 ++-- 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 +- services-custom/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/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 +- services/licensemanagerlinuxsubscriptions/pom.xml | 2 +- services/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/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 +- services/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/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/worklink/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 +- test/bundle-logging-bridge-binding-test/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 +- test/old-client-version-compatibility-test/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 +- third-party/third-party-jackson-dataformat-cbor/pom.xml | 2 +- third-party/third-party-slf4j-api/pom.xml | 2 +- utils/pom.xml | 2 +- v2-migration/pom.xml | 2 +- 469 files changed, 470 insertions(+), 470 deletions(-) diff --git a/archetypes/archetype-app-quickstart/pom.xml b/archetypes/archetype-app-quickstart/pom.xml index b526e85d6eee..e166b2312128 100644 --- a/archetypes/archetype-app-quickstart/pom.xml +++ b/archetypes/archetype-app-quickstart/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.24 + 2.27.25-SNAPSHOT 4.0.0 diff --git a/archetypes/archetype-lambda/pom.xml b/archetypes/archetype-lambda/pom.xml index ace61c189aad..39cdb314e738 100644 --- a/archetypes/archetype-lambda/pom.xml +++ b/archetypes/archetype-lambda/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.24 + 2.27.25-SNAPSHOT 4.0.0 archetype-lambda diff --git a/archetypes/archetype-tools/pom.xml b/archetypes/archetype-tools/pom.xml index b531bf0b1b94..81dc17d3022e 100644 --- a/archetypes/archetype-tools/pom.xml +++ b/archetypes/archetype-tools/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.24 + 2.27.25-SNAPSHOT 4.0.0 diff --git a/archetypes/pom.xml b/archetypes/pom.xml index 8ea07d9bea26..efc69d72892c 100644 --- a/archetypes/pom.xml +++ b/archetypes/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.24 + 2.27.25-SNAPSHOT 4.0.0 archetypes diff --git a/aws-sdk-java/pom.xml b/aws-sdk-java/pom.xml index 5bfdd71b99f1..418f575d66b6 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.27.24 + 2.27.25-SNAPSHOT ../pom.xml aws-sdk-java diff --git a/bom-internal/pom.xml b/bom-internal/pom.xml index 09c88b61487f..41ea2cb08a49 100644 --- a/bom-internal/pom.xml +++ b/bom-internal/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.24 + 2.27.25-SNAPSHOT 4.0.0 diff --git a/bom/pom.xml b/bom/pom.xml index aad2e929bdf2..8d125e922c92 100644 --- a/bom/pom.xml +++ b/bom/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.24 + 2.27.25-SNAPSHOT ../pom.xml bom diff --git a/bundle-logging-bridge/pom.xml b/bundle-logging-bridge/pom.xml index f84f46ed8d05..01da605a8276 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.27.24 + 2.27.25-SNAPSHOT bundle-logging-bridge jar diff --git a/bundle-sdk/pom.xml b/bundle-sdk/pom.xml index d1be04689691..2ec79d1d5e3f 100644 --- a/bundle-sdk/pom.xml +++ b/bundle-sdk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.24 + 2.27.25-SNAPSHOT bundle-sdk jar diff --git a/bundle/pom.xml b/bundle/pom.xml index 153b1b0c9375..c3c50856ebf4 100644 --- a/bundle/pom.xml +++ b/bundle/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.24 + 2.27.25-SNAPSHOT bundle jar diff --git a/codegen-lite-maven-plugin/pom.xml b/codegen-lite-maven-plugin/pom.xml index d4206d816244..68a36493d304 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.27.24 + 2.27.25-SNAPSHOT ../pom.xml codegen-lite-maven-plugin diff --git a/codegen-lite/pom.xml b/codegen-lite/pom.xml index 7b193e8dca7f..2915467d4943 100644 --- a/codegen-lite/pom.xml +++ b/codegen-lite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.24 + 2.27.25-SNAPSHOT codegen-lite AWS Java SDK :: Code Generator Lite diff --git a/codegen-maven-plugin/pom.xml b/codegen-maven-plugin/pom.xml index f21eadf32555..b97324c259ed 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.27.24 + 2.27.25-SNAPSHOT ../pom.xml codegen-maven-plugin diff --git a/codegen/pom.xml b/codegen/pom.xml index 87f3f819aa0b..9a03991e9a05 100644 --- a/codegen/pom.xml +++ b/codegen/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.24 + 2.27.25-SNAPSHOT codegen AWS Java SDK :: Code Generator diff --git a/core/annotations/pom.xml b/core/annotations/pom.xml index c5abdc51b82a..19638034d108 100644 --- a/core/annotations/pom.xml +++ b/core/annotations/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.24 + 2.27.25-SNAPSHOT 4.0.0 diff --git a/core/arns/pom.xml b/core/arns/pom.xml index 703789f38b07..cbfa198bbbf5 100644 --- a/core/arns/pom.xml +++ b/core/arns/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.24 + 2.27.25-SNAPSHOT 4.0.0 diff --git a/core/auth-crt/pom.xml b/core/auth-crt/pom.xml index bb579c1ebb4a..aa0a8528bf4a 100644 --- a/core/auth-crt/pom.xml +++ b/core/auth-crt/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.24 + 2.27.25-SNAPSHOT auth-crt diff --git a/core/auth/pom.xml b/core/auth/pom.xml index 233c05174510..5e26af564785 100644 --- a/core/auth/pom.xml +++ b/core/auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.24 + 2.27.25-SNAPSHOT auth diff --git a/core/aws-core/pom.xml b/core/aws-core/pom.xml index 0d68c8ecfef9..206f8ef93069 100644 --- a/core/aws-core/pom.xml +++ b/core/aws-core/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.24 + 2.27.25-SNAPSHOT aws-core diff --git a/core/checksums-spi/pom.xml b/core/checksums-spi/pom.xml index 1b02d110fbfd..58bf5025adf5 100644 --- a/core/checksums-spi/pom.xml +++ b/core/checksums-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.24 + 2.27.25-SNAPSHOT checksums-spi diff --git a/core/checksums/pom.xml b/core/checksums/pom.xml index 980ba521ac1f..1c4ce7f8d392 100644 --- a/core/checksums/pom.xml +++ b/core/checksums/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.24 + 2.27.25-SNAPSHOT checksums diff --git a/core/crt-core/pom.xml b/core/crt-core/pom.xml index b92b518d31dc..f37529443810 100644 --- a/core/crt-core/pom.xml +++ b/core/crt-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.27.24 + 2.27.25-SNAPSHOT crt-core diff --git a/core/endpoints-spi/pom.xml b/core/endpoints-spi/pom.xml index 16cf3bc61b5e..02f0f78b85e9 100644 --- a/core/endpoints-spi/pom.xml +++ b/core/endpoints-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.24 + 2.27.25-SNAPSHOT 4.0.0 diff --git a/core/http-auth-aws-crt/pom.xml b/core/http-auth-aws-crt/pom.xml index e94c7f260bd7..f2f5fd647f50 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.27.24 + 2.27.25-SNAPSHOT http-auth-aws-crt diff --git a/core/http-auth-aws-eventstream/pom.xml b/core/http-auth-aws-eventstream/pom.xml index db810c30a75b..5fe2b93eae6c 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.27.24 + 2.27.25-SNAPSHOT http-auth-aws-eventstream diff --git a/core/http-auth-aws/pom.xml b/core/http-auth-aws/pom.xml index 8a15adb7ab80..2c6fca0c249b 100644 --- a/core/http-auth-aws/pom.xml +++ b/core/http-auth-aws/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.24 + 2.27.25-SNAPSHOT http-auth-aws diff --git a/core/http-auth-spi/pom.xml b/core/http-auth-spi/pom.xml index 03e3b7525770..efa3b69b244c 100644 --- a/core/http-auth-spi/pom.xml +++ b/core/http-auth-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.24 + 2.27.25-SNAPSHOT http-auth-spi diff --git a/core/http-auth/pom.xml b/core/http-auth/pom.xml index 717500643df2..a665f3c14300 100644 --- a/core/http-auth/pom.xml +++ b/core/http-auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.24 + 2.27.25-SNAPSHOT http-auth diff --git a/core/identity-spi/pom.xml b/core/identity-spi/pom.xml index 3a08d32a9ac8..e588ec26ec68 100644 --- a/core/identity-spi/pom.xml +++ b/core/identity-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.24 + 2.27.25-SNAPSHOT identity-spi diff --git a/core/imds/pom.xml b/core/imds/pom.xml index 893b7dc5abd9..90b180cc9dc8 100644 --- a/core/imds/pom.xml +++ b/core/imds/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.24 + 2.27.25-SNAPSHOT 4.0.0 imds diff --git a/core/json-utils/pom.xml b/core/json-utils/pom.xml index 236f9171ab4e..11a424507894 100644 --- a/core/json-utils/pom.xml +++ b/core/json-utils/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.24 + 2.27.25-SNAPSHOT 4.0.0 diff --git a/core/metrics-spi/pom.xml b/core/metrics-spi/pom.xml index 7b5525886fa3..5e7e6405a4a2 100644 --- a/core/metrics-spi/pom.xml +++ b/core/metrics-spi/pom.xml @@ -5,7 +5,7 @@ core software.amazon.awssdk - 2.27.24 + 2.27.25-SNAPSHOT 4.0.0 diff --git a/core/pom.xml b/core/pom.xml index 91e3709bb4a5..28547b1727f6 100644 --- a/core/pom.xml +++ b/core/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.24 + 2.27.25-SNAPSHOT core diff --git a/core/profiles/pom.xml b/core/profiles/pom.xml index 2cd60bf8faa5..9b765fac7b10 100644 --- a/core/profiles/pom.xml +++ b/core/profiles/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.24 + 2.27.25-SNAPSHOT profiles diff --git a/core/protocols/aws-cbor-protocol/pom.xml b/core/protocols/aws-cbor-protocol/pom.xml index f112942d9278..8bbfb401b36f 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.27.24 + 2.27.25-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-json-protocol/pom.xml b/core/protocols/aws-json-protocol/pom.xml index c452fdeb1948..88ec1bc7a140 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.27.24 + 2.27.25-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-query-protocol/pom.xml b/core/protocols/aws-query-protocol/pom.xml index 29f6aab15b5d..b39a8488c5cd 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.27.24 + 2.27.25-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-xml-protocol/pom.xml b/core/protocols/aws-xml-protocol/pom.xml index 3f7cfb7617d0..6f558ab457b5 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.27.24 + 2.27.25-SNAPSHOT 4.0.0 diff --git a/core/protocols/pom.xml b/core/protocols/pom.xml index 67f0abd1cedf..664dbfe941a9 100644 --- a/core/protocols/pom.xml +++ b/core/protocols/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.24 + 2.27.25-SNAPSHOT 4.0.0 diff --git a/core/protocols/protocol-core/pom.xml b/core/protocols/protocol-core/pom.xml index 4fa66e6128d9..ddbdf636d14a 100644 --- a/core/protocols/protocol-core/pom.xml +++ b/core/protocols/protocol-core/pom.xml @@ -20,7 +20,7 @@ protocols software.amazon.awssdk - 2.27.24 + 2.27.25-SNAPSHOT 4.0.0 diff --git a/core/regions/pom.xml b/core/regions/pom.xml index a695feb52a2c..814a870206ec 100644 --- a/core/regions/pom.xml +++ b/core/regions/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.24 + 2.27.25-SNAPSHOT regions diff --git a/core/retries-spi/pom.xml b/core/retries-spi/pom.xml index ddab0f134ee9..fcd90b6e6e7a 100644 --- a/core/retries-spi/pom.xml +++ b/core/retries-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.24 + 2.27.25-SNAPSHOT 4.0.0 diff --git a/core/retries/pom.xml b/core/retries/pom.xml index 982f8127f272..45b83fd1c6e3 100644 --- a/core/retries/pom.xml +++ b/core/retries/pom.xml @@ -21,7 +21,7 @@ core software.amazon.awssdk - 2.27.24 + 2.27.25-SNAPSHOT 4.0.0 diff --git a/core/sdk-core/pom.xml b/core/sdk-core/pom.xml index b6283ba5de2a..4f85859ba7e5 100644 --- a/core/sdk-core/pom.xml +++ b/core/sdk-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.27.24 + 2.27.25-SNAPSHOT sdk-core AWS Java SDK :: SDK Core diff --git a/http-client-spi/pom.xml b/http-client-spi/pom.xml index 4fde415fa1d5..5aa4ae82e124 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.27.24 + 2.27.25-SNAPSHOT http-client-spi AWS Java SDK :: HTTP Client Interface diff --git a/http-clients/apache-client/pom.xml b/http-clients/apache-client/pom.xml index dffb078f6f36..aebdb0b16338 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.27.24 + 2.27.25-SNAPSHOT apache-client diff --git a/http-clients/aws-crt-client/pom.xml b/http-clients/aws-crt-client/pom.xml index 90f129ba45a3..d5ca4cb698a5 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.27.24 + 2.27.25-SNAPSHOT 4.0.0 diff --git a/http-clients/netty-nio-client/pom.xml b/http-clients/netty-nio-client/pom.xml index 16a00b0a83a5..fc67bb13df10 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.27.24 + 2.27.25-SNAPSHOT 4.0.0 diff --git a/http-clients/pom.xml b/http-clients/pom.xml index 3ffe01dba204..fbdca7bd1755 100644 --- a/http-clients/pom.xml +++ b/http-clients/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.24 + 2.27.25-SNAPSHOT 4.0.0 diff --git a/http-clients/url-connection-client/pom.xml b/http-clients/url-connection-client/pom.xml index 6b74ba3ca933..1b9dc72549ae 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.27.24 + 2.27.25-SNAPSHOT 4.0.0 diff --git a/metric-publishers/cloudwatch-metric-publisher/pom.xml b/metric-publishers/cloudwatch-metric-publisher/pom.xml index 25dcd902e978..d5d6090ddd49 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.27.24 + 2.27.25-SNAPSHOT cloudwatch-metric-publisher diff --git a/metric-publishers/pom.xml b/metric-publishers/pom.xml index f829206b3c8c..8214f04b1a1b 100644 --- a/metric-publishers/pom.xml +++ b/metric-publishers/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.24 + 2.27.25-SNAPSHOT metric-publishers diff --git a/pom.xml b/pom.xml index bea69b02e94e..b8da5ea6f0b3 100644 --- a/pom.xml +++ b/pom.xml @@ -20,7 +20,7 @@ 4.0.0 software.amazon.awssdk aws-sdk-java-pom - 2.27.24 + 2.27.25-SNAPSHOT pom AWS Java SDK :: Parent The Amazon Web Services SDK for Java provides Java APIs @@ -99,7 +99,7 @@ ${project.version} - 2.27.23 + 2.27.24 2.15.2 2.15.2 2.13.2 diff --git a/release-scripts/pom.xml b/release-scripts/pom.xml index 324e4722f4d7..a525b857cf31 100644 --- a/release-scripts/pom.xml +++ b/release-scripts/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.24 + 2.27.25-SNAPSHOT ../pom.xml release-scripts diff --git a/services-custom/dynamodb-enhanced/pom.xml b/services-custom/dynamodb-enhanced/pom.xml index 2ebad8309227..3a911cb465fa 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.27.24 + 2.27.25-SNAPSHOT dynamodb-enhanced AWS Java SDK :: DynamoDB :: Enhanced Client diff --git a/services-custom/iam-policy-builder/pom.xml b/services-custom/iam-policy-builder/pom.xml index 7af3da735d5f..4dfffa192c06 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.27.24 + 2.27.25-SNAPSHOT ../../pom.xml iam-policy-builder diff --git a/services-custom/pom.xml b/services-custom/pom.xml index 6100e4ddda41..413d34b434f9 100644 --- a/services-custom/pom.xml +++ b/services-custom/pom.xml @@ -19,7 +19,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.24 + 2.27.25-SNAPSHOT services-custom AWS Java SDK :: Custom Services diff --git a/services-custom/s3-event-notifications/pom.xml b/services-custom/s3-event-notifications/pom.xml index 89eefa04ffb8..3a1c217827a4 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.27.24 + 2.27.25-SNAPSHOT ../../pom.xml s3-event-notifications diff --git a/services-custom/s3-transfer-manager/pom.xml b/services-custom/s3-transfer-manager/pom.xml index 093c497a84e7..d2ded42b2b59 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.27.24 + 2.27.25-SNAPSHOT ../../pom.xml s3-transfer-manager diff --git a/services/accessanalyzer/pom.xml b/services/accessanalyzer/pom.xml index 108dde783a19..7d93c123424a 100644 --- a/services/accessanalyzer/pom.xml +++ b/services/accessanalyzer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT accessanalyzer AWS Java SDK :: Services :: AccessAnalyzer diff --git a/services/account/pom.xml b/services/account/pom.xml index 4191115e05e8..e3af1a24d184 100644 --- a/services/account/pom.xml +++ b/services/account/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT account AWS Java SDK :: Services :: Account diff --git a/services/acm/pom.xml b/services/acm/pom.xml index e4c5389553ee..f139407e8c1a 100644 --- a/services/acm/pom.xml +++ b/services/acm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT acm AWS Java SDK :: Services :: AWS Certificate Manager diff --git a/services/acmpca/pom.xml b/services/acmpca/pom.xml index 3c0afef71dca..6aaaa89f2e0e 100644 --- a/services/acmpca/pom.xml +++ b/services/acmpca/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT acmpca AWS Java SDK :: Services :: ACM PCA diff --git a/services/amp/pom.xml b/services/amp/pom.xml index 6d0ff487cdd2..669d5d9835a2 100644 --- a/services/amp/pom.xml +++ b/services/amp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT amp AWS Java SDK :: Services :: Amp diff --git a/services/amplify/pom.xml b/services/amplify/pom.xml index 12b6436516d7..22e51f679573 100644 --- a/services/amplify/pom.xml +++ b/services/amplify/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT amplify AWS Java SDK :: Services :: Amplify diff --git a/services/amplifybackend/pom.xml b/services/amplifybackend/pom.xml index 1f311eb1cca1..f4aee703a54e 100644 --- a/services/amplifybackend/pom.xml +++ b/services/amplifybackend/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT amplifybackend AWS Java SDK :: Services :: Amplify Backend diff --git a/services/amplifyuibuilder/pom.xml b/services/amplifyuibuilder/pom.xml index 17a408c77840..29f2091d1b52 100644 --- a/services/amplifyuibuilder/pom.xml +++ b/services/amplifyuibuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT amplifyuibuilder AWS Java SDK :: Services :: Amplify UI Builder diff --git a/services/apigateway/pom.xml b/services/apigateway/pom.xml index 7134b769d822..e69aca3d670f 100644 --- a/services/apigateway/pom.xml +++ b/services/apigateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT apigateway AWS Java SDK :: Services :: Amazon API Gateway diff --git a/services/apigatewaymanagementapi/pom.xml b/services/apigatewaymanagementapi/pom.xml index 0cef6398415c..84ff8a90f2d7 100644 --- a/services/apigatewaymanagementapi/pom.xml +++ b/services/apigatewaymanagementapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT apigatewaymanagementapi AWS Java SDK :: Services :: ApiGatewayManagementApi diff --git a/services/apigatewayv2/pom.xml b/services/apigatewayv2/pom.xml index 5234ed93e9cd..2e80f5de88bc 100644 --- a/services/apigatewayv2/pom.xml +++ b/services/apigatewayv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT apigatewayv2 AWS Java SDK :: Services :: ApiGatewayV2 diff --git a/services/appconfig/pom.xml b/services/appconfig/pom.xml index d753d4de087b..80ec74a93302 100644 --- a/services/appconfig/pom.xml +++ b/services/appconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT appconfig AWS Java SDK :: Services :: AppConfig diff --git a/services/appconfigdata/pom.xml b/services/appconfigdata/pom.xml index f3fa6dc07c7b..50c0cbba7da0 100644 --- a/services/appconfigdata/pom.xml +++ b/services/appconfigdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT appconfigdata AWS Java SDK :: Services :: App Config Data diff --git a/services/appfabric/pom.xml b/services/appfabric/pom.xml index cff5b909d589..aa98007c7d16 100644 --- a/services/appfabric/pom.xml +++ b/services/appfabric/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT appfabric AWS Java SDK :: Services :: App Fabric diff --git a/services/appflow/pom.xml b/services/appflow/pom.xml index 96d15f770d50..f3df12288b6d 100644 --- a/services/appflow/pom.xml +++ b/services/appflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT appflow AWS Java SDK :: Services :: Appflow diff --git a/services/appintegrations/pom.xml b/services/appintegrations/pom.xml index b9d5bc5acef3..ad0f1ace8d1b 100644 --- a/services/appintegrations/pom.xml +++ b/services/appintegrations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT appintegrations AWS Java SDK :: Services :: App Integrations diff --git a/services/applicationautoscaling/pom.xml b/services/applicationautoscaling/pom.xml index 0aa4d0315baa..faf7b8d5a263 100644 --- a/services/applicationautoscaling/pom.xml +++ b/services/applicationautoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT applicationautoscaling AWS Java SDK :: Services :: AWS Application Auto Scaling diff --git a/services/applicationcostprofiler/pom.xml b/services/applicationcostprofiler/pom.xml index 795f11bc6918..431f79dc65cf 100644 --- a/services/applicationcostprofiler/pom.xml +++ b/services/applicationcostprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT applicationcostprofiler AWS Java SDK :: Services :: Application Cost Profiler diff --git a/services/applicationdiscovery/pom.xml b/services/applicationdiscovery/pom.xml index 2e7b5c727f9c..3384c9c24ebb 100644 --- a/services/applicationdiscovery/pom.xml +++ b/services/applicationdiscovery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT applicationdiscovery AWS Java SDK :: Services :: AWS Application Discovery Service diff --git a/services/applicationinsights/pom.xml b/services/applicationinsights/pom.xml index 202f3d0a75b6..d73bd35e7287 100644 --- a/services/applicationinsights/pom.xml +++ b/services/applicationinsights/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT applicationinsights AWS Java SDK :: Services :: Application Insights diff --git a/services/applicationsignals/pom.xml b/services/applicationsignals/pom.xml index 26a8e569f795..5d7f54449481 100644 --- a/services/applicationsignals/pom.xml +++ b/services/applicationsignals/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT applicationsignals AWS Java SDK :: Services :: Application Signals diff --git a/services/appmesh/pom.xml b/services/appmesh/pom.xml index 8744f7d4817f..bb3a7c1e6a7c 100644 --- a/services/appmesh/pom.xml +++ b/services/appmesh/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT appmesh AWS Java SDK :: Services :: App Mesh diff --git a/services/apprunner/pom.xml b/services/apprunner/pom.xml index 0c788b69062e..e4504aca8026 100644 --- a/services/apprunner/pom.xml +++ b/services/apprunner/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT apprunner AWS Java SDK :: Services :: App Runner diff --git a/services/appstream/pom.xml b/services/appstream/pom.xml index 3f1d7ce9f764..33932ad03b47 100644 --- a/services/appstream/pom.xml +++ b/services/appstream/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT appstream AWS Java SDK :: Services :: Amazon AppStream diff --git a/services/appsync/pom.xml b/services/appsync/pom.xml index 944e62063bec..b7a2ceb8612d 100644 --- a/services/appsync/pom.xml +++ b/services/appsync/pom.xml @@ -21,7 +21,7 @@ services software.amazon.awssdk - 2.27.24 + 2.27.25-SNAPSHOT appsync diff --git a/services/apptest/pom.xml b/services/apptest/pom.xml index d22957d6d760..ac6fa328424a 100644 --- a/services/apptest/pom.xml +++ b/services/apptest/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT apptest AWS Java SDK :: Services :: App Test diff --git a/services/arczonalshift/pom.xml b/services/arczonalshift/pom.xml index cb8ce4a9a696..5f1b768ed753 100644 --- a/services/arczonalshift/pom.xml +++ b/services/arczonalshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT arczonalshift AWS Java SDK :: Services :: ARC Zonal Shift diff --git a/services/artifact/pom.xml b/services/artifact/pom.xml index c8dddaf9e5d9..da177c80d287 100644 --- a/services/artifact/pom.xml +++ b/services/artifact/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT artifact AWS Java SDK :: Services :: Artifact diff --git a/services/athena/pom.xml b/services/athena/pom.xml index b97295472491..373e7ed9a59d 100644 --- a/services/athena/pom.xml +++ b/services/athena/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT athena AWS Java SDK :: Services :: Amazon Athena diff --git a/services/auditmanager/pom.xml b/services/auditmanager/pom.xml index e7291e580ec2..78223f1885f4 100644 --- a/services/auditmanager/pom.xml +++ b/services/auditmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT auditmanager AWS Java SDK :: Services :: Audit Manager diff --git a/services/autoscaling/pom.xml b/services/autoscaling/pom.xml index caab67e2a88f..ab84f43d38b4 100644 --- a/services/autoscaling/pom.xml +++ b/services/autoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT autoscaling AWS Java SDK :: Services :: Auto Scaling diff --git a/services/autoscalingplans/pom.xml b/services/autoscalingplans/pom.xml index 1009a861ea48..5c60d9f66e21 100644 --- a/services/autoscalingplans/pom.xml +++ b/services/autoscalingplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT autoscalingplans AWS Java SDK :: Services :: Auto Scaling Plans diff --git a/services/b2bi/pom.xml b/services/b2bi/pom.xml index 601bb3320236..ac6aa36d2fa7 100644 --- a/services/b2bi/pom.xml +++ b/services/b2bi/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT b2bi AWS Java SDK :: Services :: B2 Bi diff --git a/services/backup/pom.xml b/services/backup/pom.xml index d9244d8b9081..b4e254d0b16d 100644 --- a/services/backup/pom.xml +++ b/services/backup/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT backup AWS Java SDK :: Services :: Backup diff --git a/services/backupgateway/pom.xml b/services/backupgateway/pom.xml index 5b3fd9a47c08..64bcef7671f2 100644 --- a/services/backupgateway/pom.xml +++ b/services/backupgateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT backupgateway AWS Java SDK :: Services :: Backup Gateway diff --git a/services/batch/pom.xml b/services/batch/pom.xml index 189b12f0137d..9c2c0c0cb521 100644 --- a/services/batch/pom.xml +++ b/services/batch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT batch AWS Java SDK :: Services :: AWS Batch diff --git a/services/bcmdataexports/pom.xml b/services/bcmdataexports/pom.xml index d79ea2b60db7..665ad3e5b84a 100644 --- a/services/bcmdataexports/pom.xml +++ b/services/bcmdataexports/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT bcmdataexports AWS Java SDK :: Services :: BCM Data Exports diff --git a/services/bedrock/pom.xml b/services/bedrock/pom.xml index 2464d729b424..1ae3915b043c 100644 --- a/services/bedrock/pom.xml +++ b/services/bedrock/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT bedrock AWS Java SDK :: Services :: Bedrock diff --git a/services/bedrockagent/pom.xml b/services/bedrockagent/pom.xml index cee65dabe96d..419bc4c85485 100644 --- a/services/bedrockagent/pom.xml +++ b/services/bedrockagent/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT bedrockagent AWS Java SDK :: Services :: Bedrock Agent diff --git a/services/bedrockagentruntime/pom.xml b/services/bedrockagentruntime/pom.xml index b8664d539c4f..c4ac196b8937 100644 --- a/services/bedrockagentruntime/pom.xml +++ b/services/bedrockagentruntime/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT bedrockagentruntime AWS Java SDK :: Services :: Bedrock Agent Runtime diff --git a/services/bedrockruntime/pom.xml b/services/bedrockruntime/pom.xml index f136f592e6d9..c84261e37ef4 100644 --- a/services/bedrockruntime/pom.xml +++ b/services/bedrockruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT bedrockruntime AWS Java SDK :: Services :: Bedrock Runtime diff --git a/services/billingconductor/pom.xml b/services/billingconductor/pom.xml index 1a9ef65cf906..3ebdd120644c 100644 --- a/services/billingconductor/pom.xml +++ b/services/billingconductor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT billingconductor AWS Java SDK :: Services :: Billingconductor diff --git a/services/braket/pom.xml b/services/braket/pom.xml index c20fd183d165..fbe97031db9e 100644 --- a/services/braket/pom.xml +++ b/services/braket/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT braket AWS Java SDK :: Services :: Braket diff --git a/services/budgets/pom.xml b/services/budgets/pom.xml index 7ca8f9d559ae..f431c4abacb9 100644 --- a/services/budgets/pom.xml +++ b/services/budgets/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT budgets AWS Java SDK :: Services :: AWS Budgets diff --git a/services/chatbot/pom.xml b/services/chatbot/pom.xml index fccd2da3114a..a0784aaadd2f 100644 --- a/services/chatbot/pom.xml +++ b/services/chatbot/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT chatbot AWS Java SDK :: Services :: Chatbot diff --git a/services/chime/pom.xml b/services/chime/pom.xml index e5ab48d80f56..1283b32848ca 100644 --- a/services/chime/pom.xml +++ b/services/chime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT chime AWS Java SDK :: Services :: Chime diff --git a/services/chimesdkidentity/pom.xml b/services/chimesdkidentity/pom.xml index e9832418056b..2822b833f64d 100644 --- a/services/chimesdkidentity/pom.xml +++ b/services/chimesdkidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT chimesdkidentity AWS Java SDK :: Services :: Chime SDK Identity diff --git a/services/chimesdkmediapipelines/pom.xml b/services/chimesdkmediapipelines/pom.xml index 1853db9115ba..834c99f8818a 100644 --- a/services/chimesdkmediapipelines/pom.xml +++ b/services/chimesdkmediapipelines/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT chimesdkmediapipelines AWS Java SDK :: Services :: Chime SDK Media Pipelines diff --git a/services/chimesdkmeetings/pom.xml b/services/chimesdkmeetings/pom.xml index 06492e50c3c3..06dca773646c 100644 --- a/services/chimesdkmeetings/pom.xml +++ b/services/chimesdkmeetings/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT chimesdkmeetings AWS Java SDK :: Services :: Chime SDK Meetings diff --git a/services/chimesdkmessaging/pom.xml b/services/chimesdkmessaging/pom.xml index a580f14f9ea5..fe57d36616c6 100644 --- a/services/chimesdkmessaging/pom.xml +++ b/services/chimesdkmessaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT chimesdkmessaging AWS Java SDK :: Services :: Chime SDK Messaging diff --git a/services/chimesdkvoice/pom.xml b/services/chimesdkvoice/pom.xml index d1e090ed99dc..7e6da899609a 100644 --- a/services/chimesdkvoice/pom.xml +++ b/services/chimesdkvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT chimesdkvoice AWS Java SDK :: Services :: Chime SDK Voice diff --git a/services/cleanrooms/pom.xml b/services/cleanrooms/pom.xml index 2c2ae25c701a..1f6b2d1c7451 100644 --- a/services/cleanrooms/pom.xml +++ b/services/cleanrooms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT cleanrooms AWS Java SDK :: Services :: Clean Rooms diff --git a/services/cleanroomsml/pom.xml b/services/cleanroomsml/pom.xml index 38ca549617a5..591b779fa7ae 100644 --- a/services/cleanroomsml/pom.xml +++ b/services/cleanroomsml/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT cleanroomsml AWS Java SDK :: Services :: Clean Rooms ML diff --git a/services/cloud9/pom.xml b/services/cloud9/pom.xml index 88f0eaaf0ed0..81b52a8b068d 100644 --- a/services/cloud9/pom.xml +++ b/services/cloud9/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24 + 2.27.25-SNAPSHOT 4.0.0 cloud9 diff --git a/services/cloudcontrol/pom.xml b/services/cloudcontrol/pom.xml index 2fee913b269e..a022ce965ded 100644 --- a/services/cloudcontrol/pom.xml +++ b/services/cloudcontrol/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT cloudcontrol AWS Java SDK :: Services :: Cloud Control diff --git a/services/clouddirectory/pom.xml b/services/clouddirectory/pom.xml index 038abaad6fcf..faaf1c3f3676 100644 --- a/services/clouddirectory/pom.xml +++ b/services/clouddirectory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT clouddirectory AWS Java SDK :: Services :: Amazon CloudDirectory diff --git a/services/cloudformation/pom.xml b/services/cloudformation/pom.xml index 2edc94554735..8d07ae6df06a 100644 --- a/services/cloudformation/pom.xml +++ b/services/cloudformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT cloudformation AWS Java SDK :: Services :: AWS CloudFormation diff --git a/services/cloudfront/pom.xml b/services/cloudfront/pom.xml index 720ad7bb2cb6..ec4d6a55ca38 100644 --- a/services/cloudfront/pom.xml +++ b/services/cloudfront/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT cloudfront AWS Java SDK :: Services :: Amazon CloudFront diff --git a/services/cloudfrontkeyvaluestore/pom.xml b/services/cloudfrontkeyvaluestore/pom.xml index 292798feeed3..d18b631cde8e 100644 --- a/services/cloudfrontkeyvaluestore/pom.xml +++ b/services/cloudfrontkeyvaluestore/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT cloudfrontkeyvaluestore AWS Java SDK :: Services :: Cloud Front Key Value Store diff --git a/services/cloudhsm/pom.xml b/services/cloudhsm/pom.xml index ab2370e666ac..2b84514d6fe4 100644 --- a/services/cloudhsm/pom.xml +++ b/services/cloudhsm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT cloudhsm AWS Java SDK :: Services :: AWS CloudHSM diff --git a/services/cloudhsmv2/pom.xml b/services/cloudhsmv2/pom.xml index 44905ece57d1..4c9fc41d49fb 100644 --- a/services/cloudhsmv2/pom.xml +++ b/services/cloudhsmv2/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24 + 2.27.25-SNAPSHOT 4.0.0 cloudhsmv2 diff --git a/services/cloudsearch/pom.xml b/services/cloudsearch/pom.xml index 38585f0db0a6..b0cc67484acb 100644 --- a/services/cloudsearch/pom.xml +++ b/services/cloudsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT cloudsearch AWS Java SDK :: Services :: Amazon CloudSearch diff --git a/services/cloudsearchdomain/pom.xml b/services/cloudsearchdomain/pom.xml index 1f493d3d8c51..b4906fcbfd28 100644 --- a/services/cloudsearchdomain/pom.xml +++ b/services/cloudsearchdomain/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT cloudsearchdomain AWS Java SDK :: Services :: Amazon CloudSearch Domain diff --git a/services/cloudtrail/pom.xml b/services/cloudtrail/pom.xml index 555ca90cc6fb..c2aafbe3747f 100644 --- a/services/cloudtrail/pom.xml +++ b/services/cloudtrail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT cloudtrail AWS Java SDK :: Services :: AWS CloudTrail diff --git a/services/cloudtraildata/pom.xml b/services/cloudtraildata/pom.xml index 5e568510ba7b..3f421bf58874 100644 --- a/services/cloudtraildata/pom.xml +++ b/services/cloudtraildata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT cloudtraildata AWS Java SDK :: Services :: Cloud Trail Data diff --git a/services/cloudwatch/pom.xml b/services/cloudwatch/pom.xml index 544960da7e3b..7376c3e73712 100644 --- a/services/cloudwatch/pom.xml +++ b/services/cloudwatch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT cloudwatch AWS Java SDK :: Services :: Amazon CloudWatch diff --git a/services/cloudwatchevents/pom.xml b/services/cloudwatchevents/pom.xml index 3716637ee561..3012619b98dc 100644 --- a/services/cloudwatchevents/pom.xml +++ b/services/cloudwatchevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT cloudwatchevents AWS Java SDK :: Services :: Amazon CloudWatch Events diff --git a/services/cloudwatchlogs/pom.xml b/services/cloudwatchlogs/pom.xml index 2c82a9a0a95b..23a4cdb4ce31 100644 --- a/services/cloudwatchlogs/pom.xml +++ b/services/cloudwatchlogs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT cloudwatchlogs AWS Java SDK :: Services :: Amazon CloudWatch Logs diff --git a/services/codeartifact/pom.xml b/services/codeartifact/pom.xml index 77d9e7676d83..13eb1acd0962 100644 --- a/services/codeartifact/pom.xml +++ b/services/codeartifact/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT codeartifact AWS Java SDK :: Services :: Codeartifact diff --git a/services/codebuild/pom.xml b/services/codebuild/pom.xml index a5ae14911ba2..ad8ff7d66ede 100644 --- a/services/codebuild/pom.xml +++ b/services/codebuild/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT codebuild AWS Java SDK :: Services :: AWS Code Build diff --git a/services/codecatalyst/pom.xml b/services/codecatalyst/pom.xml index d530521279ec..ee1f90f950fd 100644 --- a/services/codecatalyst/pom.xml +++ b/services/codecatalyst/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT codecatalyst AWS Java SDK :: Services :: Code Catalyst diff --git a/services/codecommit/pom.xml b/services/codecommit/pom.xml index f96160ecf845..6549491c29e8 100644 --- a/services/codecommit/pom.xml +++ b/services/codecommit/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT codecommit AWS Java SDK :: Services :: AWS CodeCommit diff --git a/services/codeconnections/pom.xml b/services/codeconnections/pom.xml index c7c941328a08..71b2701ab8e3 100644 --- a/services/codeconnections/pom.xml +++ b/services/codeconnections/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT codeconnections AWS Java SDK :: Services :: Code Connections diff --git a/services/codedeploy/pom.xml b/services/codedeploy/pom.xml index 5bb80c5bc8bb..b781333e9008 100644 --- a/services/codedeploy/pom.xml +++ b/services/codedeploy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT codedeploy AWS Java SDK :: Services :: AWS CodeDeploy diff --git a/services/codeguruprofiler/pom.xml b/services/codeguruprofiler/pom.xml index 66b6382d3755..5bfae3d87d71 100644 --- a/services/codeguruprofiler/pom.xml +++ b/services/codeguruprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT codeguruprofiler AWS Java SDK :: Services :: CodeGuruProfiler diff --git a/services/codegurureviewer/pom.xml b/services/codegurureviewer/pom.xml index a5de50b178ef..202eb8896c08 100644 --- a/services/codegurureviewer/pom.xml +++ b/services/codegurureviewer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT codegurureviewer AWS Java SDK :: Services :: CodeGuru Reviewer diff --git a/services/codegurusecurity/pom.xml b/services/codegurusecurity/pom.xml index 439574862897..281b924ce0f2 100644 --- a/services/codegurusecurity/pom.xml +++ b/services/codegurusecurity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT codegurusecurity AWS Java SDK :: Services :: Code Guru Security diff --git a/services/codepipeline/pom.xml b/services/codepipeline/pom.xml index 25f0b7b212fc..049a5c861c31 100644 --- a/services/codepipeline/pom.xml +++ b/services/codepipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT codepipeline AWS Java SDK :: Services :: AWS CodePipeline diff --git a/services/codestarconnections/pom.xml b/services/codestarconnections/pom.xml index 6d5821348eb2..c752697a1a08 100644 --- a/services/codestarconnections/pom.xml +++ b/services/codestarconnections/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT codestarconnections AWS Java SDK :: Services :: CodeStar connections diff --git a/services/codestarnotifications/pom.xml b/services/codestarnotifications/pom.xml index 014a0e31bc43..fa265cc8249a 100644 --- a/services/codestarnotifications/pom.xml +++ b/services/codestarnotifications/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT codestarnotifications AWS Java SDK :: Services :: Codestar Notifications diff --git a/services/cognitoidentity/pom.xml b/services/cognitoidentity/pom.xml index c5e1fedf4d72..f084cdbaeba2 100644 --- a/services/cognitoidentity/pom.xml +++ b/services/cognitoidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT cognitoidentity AWS Java SDK :: Services :: Amazon Cognito Identity diff --git a/services/cognitoidentityprovider/pom.xml b/services/cognitoidentityprovider/pom.xml index 67ddfaced713..92add9345176 100644 --- a/services/cognitoidentityprovider/pom.xml +++ b/services/cognitoidentityprovider/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT cognitoidentityprovider AWS Java SDK :: Services :: Amazon Cognito Identity Provider Service diff --git a/services/cognitosync/pom.xml b/services/cognitosync/pom.xml index 48036d11b4d0..c17e26d933e9 100644 --- a/services/cognitosync/pom.xml +++ b/services/cognitosync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT cognitosync AWS Java SDK :: Services :: Amazon Cognito Sync diff --git a/services/comprehend/pom.xml b/services/comprehend/pom.xml index f5b488d16fc9..e193990c1503 100644 --- a/services/comprehend/pom.xml +++ b/services/comprehend/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24 + 2.27.25-SNAPSHOT 4.0.0 comprehend diff --git a/services/comprehendmedical/pom.xml b/services/comprehendmedical/pom.xml index ef1b19bdb241..ee65417d0e35 100644 --- a/services/comprehendmedical/pom.xml +++ b/services/comprehendmedical/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT comprehendmedical AWS Java SDK :: Services :: ComprehendMedical diff --git a/services/computeoptimizer/pom.xml b/services/computeoptimizer/pom.xml index ea89b5ece268..5da9527a1063 100644 --- a/services/computeoptimizer/pom.xml +++ b/services/computeoptimizer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT computeoptimizer AWS Java SDK :: Services :: Compute Optimizer diff --git a/services/config/pom.xml b/services/config/pom.xml index f6944b5734b5..ce130f40784e 100644 --- a/services/config/pom.xml +++ b/services/config/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT config AWS Java SDK :: Services :: AWS Config diff --git a/services/connect/pom.xml b/services/connect/pom.xml index 0f8f7c343aeb..df222ba9b5c3 100644 --- a/services/connect/pom.xml +++ b/services/connect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT connect AWS Java SDK :: Services :: Connect diff --git a/services/connectcampaigns/pom.xml b/services/connectcampaigns/pom.xml index 1010c5226931..880cd135b191 100644 --- a/services/connectcampaigns/pom.xml +++ b/services/connectcampaigns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT connectcampaigns AWS Java SDK :: Services :: Connect Campaigns diff --git a/services/connectcases/pom.xml b/services/connectcases/pom.xml index 682593aa5d77..80bf09572728 100644 --- a/services/connectcases/pom.xml +++ b/services/connectcases/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT connectcases AWS Java SDK :: Services :: Connect Cases diff --git a/services/connectcontactlens/pom.xml b/services/connectcontactlens/pom.xml index d6b950d09e0c..52588a79f92d 100644 --- a/services/connectcontactlens/pom.xml +++ b/services/connectcontactlens/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT connectcontactlens AWS Java SDK :: Services :: Connect Contact Lens diff --git a/services/connectparticipant/pom.xml b/services/connectparticipant/pom.xml index c09885416c18..8241a543979f 100644 --- a/services/connectparticipant/pom.xml +++ b/services/connectparticipant/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT connectparticipant AWS Java SDK :: Services :: ConnectParticipant diff --git a/services/controlcatalog/pom.xml b/services/controlcatalog/pom.xml index 8131a63d58d5..a12a6b333934 100644 --- a/services/controlcatalog/pom.xml +++ b/services/controlcatalog/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT controlcatalog AWS Java SDK :: Services :: Control Catalog diff --git a/services/controltower/pom.xml b/services/controltower/pom.xml index 2acc6dbb1b63..e981fb4550ee 100644 --- a/services/controltower/pom.xml +++ b/services/controltower/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT controltower AWS Java SDK :: Services :: Control Tower diff --git a/services/costandusagereport/pom.xml b/services/costandusagereport/pom.xml index 0c7584d151a0..18694c54193e 100644 --- a/services/costandusagereport/pom.xml +++ b/services/costandusagereport/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT costandusagereport AWS Java SDK :: Services :: AWS Cost and Usage Report diff --git a/services/costexplorer/pom.xml b/services/costexplorer/pom.xml index 8e8a461cdab3..d25c98e6d9a6 100644 --- a/services/costexplorer/pom.xml +++ b/services/costexplorer/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24 + 2.27.25-SNAPSHOT 4.0.0 costexplorer diff --git a/services/costoptimizationhub/pom.xml b/services/costoptimizationhub/pom.xml index ebbf6aac8917..bede76ea36e0 100644 --- a/services/costoptimizationhub/pom.xml +++ b/services/costoptimizationhub/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT costoptimizationhub AWS Java SDK :: Services :: Cost Optimization Hub diff --git a/services/customerprofiles/pom.xml b/services/customerprofiles/pom.xml index b489d033ee23..209c0c845ce9 100644 --- a/services/customerprofiles/pom.xml +++ b/services/customerprofiles/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT customerprofiles AWS Java SDK :: Services :: Customer Profiles diff --git a/services/databasemigration/pom.xml b/services/databasemigration/pom.xml index 76f43957e03e..bbb4e1c8873e 100644 --- a/services/databasemigration/pom.xml +++ b/services/databasemigration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT databasemigration AWS Java SDK :: Services :: AWS Database Migration Service diff --git a/services/databrew/pom.xml b/services/databrew/pom.xml index ea9a149714c6..29c81d37eede 100644 --- a/services/databrew/pom.xml +++ b/services/databrew/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT databrew AWS Java SDK :: Services :: Data Brew diff --git a/services/dataexchange/pom.xml b/services/dataexchange/pom.xml index f6f9a233b473..4b146e47d4ec 100644 --- a/services/dataexchange/pom.xml +++ b/services/dataexchange/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT dataexchange AWS Java SDK :: Services :: DataExchange diff --git a/services/datapipeline/pom.xml b/services/datapipeline/pom.xml index 87be0e9bf507..572e53a5b4bf 100644 --- a/services/datapipeline/pom.xml +++ b/services/datapipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT datapipeline AWS Java SDK :: Services :: AWS Data Pipeline diff --git a/services/datasync/pom.xml b/services/datasync/pom.xml index 6a99f17015b4..e86ce77078e2 100644 --- a/services/datasync/pom.xml +++ b/services/datasync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT datasync AWS Java SDK :: Services :: DataSync diff --git a/services/datazone/pom.xml b/services/datazone/pom.xml index 32dccab7b69b..a8143be94a3d 100644 --- a/services/datazone/pom.xml +++ b/services/datazone/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT datazone AWS Java SDK :: Services :: Data Zone diff --git a/services/dax/pom.xml b/services/dax/pom.xml index 15908585fd4c..d9fbd72bffd7 100644 --- a/services/dax/pom.xml +++ b/services/dax/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT dax AWS Java SDK :: Services :: Amazon DynamoDB Accelerator (DAX) diff --git a/services/deadline/pom.xml b/services/deadline/pom.xml index 9dd49c715141..5e768062adf2 100644 --- a/services/deadline/pom.xml +++ b/services/deadline/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT deadline AWS Java SDK :: Services :: Deadline diff --git a/services/detective/pom.xml b/services/detective/pom.xml index 5557193d7d42..42faa6002011 100644 --- a/services/detective/pom.xml +++ b/services/detective/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT detective AWS Java SDK :: Services :: Detective diff --git a/services/devicefarm/pom.xml b/services/devicefarm/pom.xml index 08956cd7086f..4b7d873a484a 100644 --- a/services/devicefarm/pom.xml +++ b/services/devicefarm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT devicefarm AWS Java SDK :: Services :: AWS Device Farm diff --git a/services/devopsguru/pom.xml b/services/devopsguru/pom.xml index 640f67e3c53d..d55a41881cfc 100644 --- a/services/devopsguru/pom.xml +++ b/services/devopsguru/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT devopsguru AWS Java SDK :: Services :: Dev Ops Guru diff --git a/services/directconnect/pom.xml b/services/directconnect/pom.xml index b0d9d52fda95..6277d4110e90 100644 --- a/services/directconnect/pom.xml +++ b/services/directconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT directconnect AWS Java SDK :: Services :: AWS Direct Connect diff --git a/services/directory/pom.xml b/services/directory/pom.xml index 8b95bf7b1319..80591ae7064d 100644 --- a/services/directory/pom.xml +++ b/services/directory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT directory AWS Java SDK :: Services :: AWS Directory Service diff --git a/services/dlm/pom.xml b/services/dlm/pom.xml index c2db83d8ba66..beb7d3ab26e4 100644 --- a/services/dlm/pom.xml +++ b/services/dlm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT dlm AWS Java SDK :: Services :: DLM diff --git a/services/docdb/pom.xml b/services/docdb/pom.xml index a962282d1521..ed6614ef9f2e 100644 --- a/services/docdb/pom.xml +++ b/services/docdb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT docdb AWS Java SDK :: Services :: DocDB diff --git a/services/docdbelastic/pom.xml b/services/docdbelastic/pom.xml index d4e75dfebb46..2bf2d1db3a5d 100644 --- a/services/docdbelastic/pom.xml +++ b/services/docdbelastic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT docdbelastic AWS Java SDK :: Services :: Doc DB Elastic diff --git a/services/drs/pom.xml b/services/drs/pom.xml index f007983baea2..2464891b6759 100644 --- a/services/drs/pom.xml +++ b/services/drs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT drs AWS Java SDK :: Services :: Drs diff --git a/services/dynamodb/pom.xml b/services/dynamodb/pom.xml index b03dfdfa5738..54fd828446e9 100644 --- a/services/dynamodb/pom.xml +++ b/services/dynamodb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT dynamodb AWS Java SDK :: Services :: Amazon DynamoDB diff --git a/services/ebs/pom.xml b/services/ebs/pom.xml index 97af3ef528a8..75b6daae67e7 100644 --- a/services/ebs/pom.xml +++ b/services/ebs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT ebs AWS Java SDK :: Services :: EBS diff --git a/services/ec2/pom.xml b/services/ec2/pom.xml index b311e8732843..48d448384741 100644 --- a/services/ec2/pom.xml +++ b/services/ec2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT ec2 AWS Java SDK :: Services :: Amazon EC2 diff --git a/services/ec2instanceconnect/pom.xml b/services/ec2instanceconnect/pom.xml index 009e3992d16c..667605a13e15 100644 --- a/services/ec2instanceconnect/pom.xml +++ b/services/ec2instanceconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT ec2instanceconnect AWS Java SDK :: Services :: EC2 Instance Connect diff --git a/services/ecr/pom.xml b/services/ecr/pom.xml index be1a513fa70d..73cabd52fd0a 100644 --- a/services/ecr/pom.xml +++ b/services/ecr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT ecr AWS Java SDK :: Services :: Amazon EC2 Container Registry diff --git a/services/ecrpublic/pom.xml b/services/ecrpublic/pom.xml index d4f231858265..d9b77b892d45 100644 --- a/services/ecrpublic/pom.xml +++ b/services/ecrpublic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT ecrpublic AWS Java SDK :: Services :: ECR PUBLIC diff --git a/services/ecs/pom.xml b/services/ecs/pom.xml index fa636e1b37cd..1822bc8377d3 100644 --- a/services/ecs/pom.xml +++ b/services/ecs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT ecs AWS Java SDK :: Services :: Amazon EC2 Container Service diff --git a/services/efs/pom.xml b/services/efs/pom.xml index e7420923a213..155b80edf189 100644 --- a/services/efs/pom.xml +++ b/services/efs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT efs AWS Java SDK :: Services :: Amazon Elastic File System diff --git a/services/eks/pom.xml b/services/eks/pom.xml index 12b3d6587cb3..bf565fd743c7 100644 --- a/services/eks/pom.xml +++ b/services/eks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT eks AWS Java SDK :: Services :: EKS diff --git a/services/eksauth/pom.xml b/services/eksauth/pom.xml index bbc71f22f8b9..c246a5280129 100644 --- a/services/eksauth/pom.xml +++ b/services/eksauth/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT eksauth AWS Java SDK :: Services :: EKS Auth diff --git a/services/elasticache/pom.xml b/services/elasticache/pom.xml index 32d16c295ce9..3cd9513a8a17 100644 --- a/services/elasticache/pom.xml +++ b/services/elasticache/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT elasticache AWS Java SDK :: Services :: Amazon ElastiCache diff --git a/services/elasticbeanstalk/pom.xml b/services/elasticbeanstalk/pom.xml index d2ae27c81580..f8e1cb53d42b 100644 --- a/services/elasticbeanstalk/pom.xml +++ b/services/elasticbeanstalk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT elasticbeanstalk AWS Java SDK :: Services :: AWS Elastic Beanstalk diff --git a/services/elasticinference/pom.xml b/services/elasticinference/pom.xml index ee1a012b98e1..fc8a0a779126 100644 --- a/services/elasticinference/pom.xml +++ b/services/elasticinference/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT elasticinference AWS Java SDK :: Services :: Elastic Inference diff --git a/services/elasticloadbalancing/pom.xml b/services/elasticloadbalancing/pom.xml index 14b5883194c4..ee87dc8eebb4 100644 --- a/services/elasticloadbalancing/pom.xml +++ b/services/elasticloadbalancing/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT elasticloadbalancing AWS Java SDK :: Services :: Elastic Load Balancing diff --git a/services/elasticloadbalancingv2/pom.xml b/services/elasticloadbalancingv2/pom.xml index aab18f336005..ad72a8d14071 100644 --- a/services/elasticloadbalancingv2/pom.xml +++ b/services/elasticloadbalancingv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT elasticloadbalancingv2 AWS Java SDK :: Services :: Elastic Load Balancing V2 diff --git a/services/elasticsearch/pom.xml b/services/elasticsearch/pom.xml index e850fb7261a7..486f08b5ea26 100644 --- a/services/elasticsearch/pom.xml +++ b/services/elasticsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT elasticsearch AWS Java SDK :: Services :: Amazon Elasticsearch Service diff --git a/services/elastictranscoder/pom.xml b/services/elastictranscoder/pom.xml index 562a6af33536..374f9b82aaaf 100644 --- a/services/elastictranscoder/pom.xml +++ b/services/elastictranscoder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT elastictranscoder AWS Java SDK :: Services :: Amazon Elastic Transcoder diff --git a/services/emr/pom.xml b/services/emr/pom.xml index a3528645ea25..b986fedf6cdb 100644 --- a/services/emr/pom.xml +++ b/services/emr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT emr AWS Java SDK :: Services :: Amazon EMR diff --git a/services/emrcontainers/pom.xml b/services/emrcontainers/pom.xml index 84a21950e31a..8e89046929c6 100644 --- a/services/emrcontainers/pom.xml +++ b/services/emrcontainers/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT emrcontainers AWS Java SDK :: Services :: EMR Containers diff --git a/services/emrserverless/pom.xml b/services/emrserverless/pom.xml index fc94d2985e84..7e2ed16d1568 100644 --- a/services/emrserverless/pom.xml +++ b/services/emrserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT emrserverless AWS Java SDK :: Services :: EMR Serverless diff --git a/services/entityresolution/pom.xml b/services/entityresolution/pom.xml index 3da4bb038edf..d0aa93e2bed1 100644 --- a/services/entityresolution/pom.xml +++ b/services/entityresolution/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT entityresolution AWS Java SDK :: Services :: Entity Resolution diff --git a/services/eventbridge/pom.xml b/services/eventbridge/pom.xml index 9224d2163fc4..3637171a3d93 100644 --- a/services/eventbridge/pom.xml +++ b/services/eventbridge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT eventbridge AWS Java SDK :: Services :: EventBridge diff --git a/services/evidently/pom.xml b/services/evidently/pom.xml index c7ee5469ba36..4901d4601f25 100644 --- a/services/evidently/pom.xml +++ b/services/evidently/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT evidently AWS Java SDK :: Services :: Evidently diff --git a/services/finspace/pom.xml b/services/finspace/pom.xml index e0e8963ab62c..eb8db8ca50df 100644 --- a/services/finspace/pom.xml +++ b/services/finspace/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT finspace AWS Java SDK :: Services :: Finspace diff --git a/services/finspacedata/pom.xml b/services/finspacedata/pom.xml index fad5dc686c8c..61850e6505f7 100644 --- a/services/finspacedata/pom.xml +++ b/services/finspacedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT finspacedata AWS Java SDK :: Services :: Finspace Data diff --git a/services/firehose/pom.xml b/services/firehose/pom.xml index 63c00b0934bf..1ffc9ce18cdd 100644 --- a/services/firehose/pom.xml +++ b/services/firehose/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT firehose AWS Java SDK :: Services :: Amazon Kinesis Firehose diff --git a/services/fis/pom.xml b/services/fis/pom.xml index 7c13f2808914..8d2d52d6915a 100644 --- a/services/fis/pom.xml +++ b/services/fis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT fis AWS Java SDK :: Services :: Fis diff --git a/services/fms/pom.xml b/services/fms/pom.xml index 0a82a9e0403d..426e0f4cb183 100644 --- a/services/fms/pom.xml +++ b/services/fms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT fms AWS Java SDK :: Services :: FMS diff --git a/services/forecast/pom.xml b/services/forecast/pom.xml index 944f28d88d99..0ef08a816d98 100644 --- a/services/forecast/pom.xml +++ b/services/forecast/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT forecast AWS Java SDK :: Services :: Forecast diff --git a/services/forecastquery/pom.xml b/services/forecastquery/pom.xml index 8018afb3b8f4..2a6c6b5153b6 100644 --- a/services/forecastquery/pom.xml +++ b/services/forecastquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT forecastquery AWS Java SDK :: Services :: Forecastquery diff --git a/services/frauddetector/pom.xml b/services/frauddetector/pom.xml index 38db1561b3af..07e710696888 100644 --- a/services/frauddetector/pom.xml +++ b/services/frauddetector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT frauddetector AWS Java SDK :: Services :: FraudDetector diff --git a/services/freetier/pom.xml b/services/freetier/pom.xml index ea18b925c90e..56d347f2a045 100644 --- a/services/freetier/pom.xml +++ b/services/freetier/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT freetier AWS Java SDK :: Services :: Free Tier diff --git a/services/fsx/pom.xml b/services/fsx/pom.xml index 861bb5f167cb..474b312b5c76 100644 --- a/services/fsx/pom.xml +++ b/services/fsx/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT fsx AWS Java SDK :: Services :: FSx diff --git a/services/gamelift/pom.xml b/services/gamelift/pom.xml index 784a34336e94..cf96cf3178b8 100644 --- a/services/gamelift/pom.xml +++ b/services/gamelift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT gamelift AWS Java SDK :: Services :: AWS GameLift diff --git a/services/glacier/pom.xml b/services/glacier/pom.xml index f1836448ec9d..4a05cc058c31 100644 --- a/services/glacier/pom.xml +++ b/services/glacier/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT glacier AWS Java SDK :: Services :: Amazon Glacier diff --git a/services/globalaccelerator/pom.xml b/services/globalaccelerator/pom.xml index 2dc8e388618f..a570f74b2837 100644 --- a/services/globalaccelerator/pom.xml +++ b/services/globalaccelerator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT globalaccelerator AWS Java SDK :: Services :: Global Accelerator diff --git a/services/glue/pom.xml b/services/glue/pom.xml index 4fe4efbcf2d9..696216fefcfb 100644 --- a/services/glue/pom.xml +++ b/services/glue/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24 + 2.27.25-SNAPSHOT 4.0.0 glue diff --git a/services/grafana/pom.xml b/services/grafana/pom.xml index 9c43a2fb782d..70d183604717 100644 --- a/services/grafana/pom.xml +++ b/services/grafana/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT grafana AWS Java SDK :: Services :: Grafana diff --git a/services/greengrass/pom.xml b/services/greengrass/pom.xml index d3da67d0c4b0..bda97c7a0bbb 100644 --- a/services/greengrass/pom.xml +++ b/services/greengrass/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT greengrass AWS Java SDK :: Services :: AWS Greengrass diff --git a/services/greengrassv2/pom.xml b/services/greengrassv2/pom.xml index 5cc4b0df7e74..878168475b1a 100644 --- a/services/greengrassv2/pom.xml +++ b/services/greengrassv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT greengrassv2 AWS Java SDK :: Services :: Greengrass V2 diff --git a/services/groundstation/pom.xml b/services/groundstation/pom.xml index 9f446c9c1c82..7eaf1ed97ed4 100644 --- a/services/groundstation/pom.xml +++ b/services/groundstation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT groundstation AWS Java SDK :: Services :: GroundStation diff --git a/services/guardduty/pom.xml b/services/guardduty/pom.xml index 7acaf432c5ad..81803bc55388 100644 --- a/services/guardduty/pom.xml +++ b/services/guardduty/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24 + 2.27.25-SNAPSHOT 4.0.0 guardduty diff --git a/services/health/pom.xml b/services/health/pom.xml index 6f2027abaa66..ef61152dace6 100644 --- a/services/health/pom.xml +++ b/services/health/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT health AWS Java SDK :: Services :: AWS Health APIs and Notifications diff --git a/services/healthlake/pom.xml b/services/healthlake/pom.xml index b7c4122cc8be..98c294dc8feb 100644 --- a/services/healthlake/pom.xml +++ b/services/healthlake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT healthlake AWS Java SDK :: Services :: Health Lake diff --git a/services/iam/pom.xml b/services/iam/pom.xml index 3d642a194c21..382562eed152 100644 --- a/services/iam/pom.xml +++ b/services/iam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT iam AWS Java SDK :: Services :: AWS IAM diff --git a/services/identitystore/pom.xml b/services/identitystore/pom.xml index 6a8cd3929c80..ad628f5d41ad 100644 --- a/services/identitystore/pom.xml +++ b/services/identitystore/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT identitystore AWS Java SDK :: Services :: Identitystore diff --git a/services/imagebuilder/pom.xml b/services/imagebuilder/pom.xml index a898b89d2ca0..569e7f2a19f4 100644 --- a/services/imagebuilder/pom.xml +++ b/services/imagebuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT imagebuilder AWS Java SDK :: Services :: Imagebuilder diff --git a/services/inspector/pom.xml b/services/inspector/pom.xml index cfb7742ba981..bcc2b9dae4bf 100644 --- a/services/inspector/pom.xml +++ b/services/inspector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT inspector AWS Java SDK :: Services :: Amazon Inspector Service diff --git a/services/inspector2/pom.xml b/services/inspector2/pom.xml index 62f866962116..77ae94d467e4 100644 --- a/services/inspector2/pom.xml +++ b/services/inspector2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT inspector2 AWS Java SDK :: Services :: Inspector2 diff --git a/services/inspectorscan/pom.xml b/services/inspectorscan/pom.xml index 3ba70be049e1..e383676985cd 100644 --- a/services/inspectorscan/pom.xml +++ b/services/inspectorscan/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT inspectorscan AWS Java SDK :: Services :: Inspector Scan diff --git a/services/internetmonitor/pom.xml b/services/internetmonitor/pom.xml index d289514e3bb5..386dca2f0e15 100644 --- a/services/internetmonitor/pom.xml +++ b/services/internetmonitor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT internetmonitor AWS Java SDK :: Services :: Internet Monitor diff --git a/services/iot/pom.xml b/services/iot/pom.xml index f977fa0d60be..b0f496a1c4a3 100644 --- a/services/iot/pom.xml +++ b/services/iot/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT iot AWS Java SDK :: Services :: AWS IoT diff --git a/services/iot1clickdevices/pom.xml b/services/iot1clickdevices/pom.xml index 69a797938fc6..e4f395c19c15 100644 --- a/services/iot1clickdevices/pom.xml +++ b/services/iot1clickdevices/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT iot1clickdevices AWS Java SDK :: Services :: IoT 1Click Devices Service diff --git a/services/iot1clickprojects/pom.xml b/services/iot1clickprojects/pom.xml index 65c44c7596ec..baccfbd4aa76 100644 --- a/services/iot1clickprojects/pom.xml +++ b/services/iot1clickprojects/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT iot1clickprojects AWS Java SDK :: Services :: IoT 1Click Projects diff --git a/services/iotanalytics/pom.xml b/services/iotanalytics/pom.xml index 782a0aaacc8d..d7e544a4a4dc 100644 --- a/services/iotanalytics/pom.xml +++ b/services/iotanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT iotanalytics AWS Java SDK :: Services :: IoTAnalytics diff --git a/services/iotdataplane/pom.xml b/services/iotdataplane/pom.xml index 4e15ecd795f6..25fd5a55b597 100644 --- a/services/iotdataplane/pom.xml +++ b/services/iotdataplane/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT iotdataplane AWS Java SDK :: Services :: AWS IoT Data Plane diff --git a/services/iotdeviceadvisor/pom.xml b/services/iotdeviceadvisor/pom.xml index ea0bdd33df9d..bf8dcd00b46e 100644 --- a/services/iotdeviceadvisor/pom.xml +++ b/services/iotdeviceadvisor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT iotdeviceadvisor AWS Java SDK :: Services :: Iot Device Advisor diff --git a/services/iotevents/pom.xml b/services/iotevents/pom.xml index 47f01127c78b..0684ba74b61d 100644 --- a/services/iotevents/pom.xml +++ b/services/iotevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT iotevents AWS Java SDK :: Services :: IoT Events diff --git a/services/ioteventsdata/pom.xml b/services/ioteventsdata/pom.xml index f365c1e0d9b3..037f4c1f6746 100644 --- a/services/ioteventsdata/pom.xml +++ b/services/ioteventsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT ioteventsdata AWS Java SDK :: Services :: IoT Events Data diff --git a/services/iotfleethub/pom.xml b/services/iotfleethub/pom.xml index 2e2aa97d3a50..d31b8209e0b0 100644 --- a/services/iotfleethub/pom.xml +++ b/services/iotfleethub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT iotfleethub AWS Java SDK :: Services :: Io T Fleet Hub diff --git a/services/iotfleetwise/pom.xml b/services/iotfleetwise/pom.xml index 6e33bbc07e25..09409e332215 100644 --- a/services/iotfleetwise/pom.xml +++ b/services/iotfleetwise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT iotfleetwise AWS Java SDK :: Services :: Io T Fleet Wise diff --git a/services/iotjobsdataplane/pom.xml b/services/iotjobsdataplane/pom.xml index 85eb8cca9f22..70ace8518747 100644 --- a/services/iotjobsdataplane/pom.xml +++ b/services/iotjobsdataplane/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT iotjobsdataplane AWS Java SDK :: Services :: IoT Jobs Data Plane diff --git a/services/iotsecuretunneling/pom.xml b/services/iotsecuretunneling/pom.xml index a8f3be0a0251..a013ec618ceb 100644 --- a/services/iotsecuretunneling/pom.xml +++ b/services/iotsecuretunneling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT iotsecuretunneling AWS Java SDK :: Services :: IoTSecureTunneling diff --git a/services/iotsitewise/pom.xml b/services/iotsitewise/pom.xml index df717527ae86..5248689ca0f4 100644 --- a/services/iotsitewise/pom.xml +++ b/services/iotsitewise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT iotsitewise AWS Java SDK :: Services :: Io T Site Wise diff --git a/services/iotthingsgraph/pom.xml b/services/iotthingsgraph/pom.xml index 2fc1ba9738be..593f6c0bc7aa 100644 --- a/services/iotthingsgraph/pom.xml +++ b/services/iotthingsgraph/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT iotthingsgraph AWS Java SDK :: Services :: IoTThingsGraph diff --git a/services/iottwinmaker/pom.xml b/services/iottwinmaker/pom.xml index a3f8772848ec..91734ab3fb1e 100644 --- a/services/iottwinmaker/pom.xml +++ b/services/iottwinmaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT iottwinmaker AWS Java SDK :: Services :: Io T Twin Maker diff --git a/services/iotwireless/pom.xml b/services/iotwireless/pom.xml index bfe1ea61bcee..9adc4cba4b70 100644 --- a/services/iotwireless/pom.xml +++ b/services/iotwireless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT iotwireless AWS Java SDK :: Services :: IoT Wireless diff --git a/services/ivs/pom.xml b/services/ivs/pom.xml index 8b8ed85e7f6b..0f4bb17fbcaf 100644 --- a/services/ivs/pom.xml +++ b/services/ivs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT ivs AWS Java SDK :: Services :: Ivs diff --git a/services/ivschat/pom.xml b/services/ivschat/pom.xml index 59b4fa92b6e4..cc60d4cebf42 100644 --- a/services/ivschat/pom.xml +++ b/services/ivschat/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT ivschat AWS Java SDK :: Services :: Ivschat diff --git a/services/ivsrealtime/pom.xml b/services/ivsrealtime/pom.xml index 2fd3e1fcd722..d26b47e7eb8f 100644 --- a/services/ivsrealtime/pom.xml +++ b/services/ivsrealtime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT ivsrealtime AWS Java SDK :: Services :: IVS Real Time diff --git a/services/kafka/pom.xml b/services/kafka/pom.xml index ea88302bc8ea..edf84b119ac9 100644 --- a/services/kafka/pom.xml +++ b/services/kafka/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT kafka AWS Java SDK :: Services :: Kafka diff --git a/services/kafkaconnect/pom.xml b/services/kafkaconnect/pom.xml index 45befafff7f3..5ffe347800b4 100644 --- a/services/kafkaconnect/pom.xml +++ b/services/kafkaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT kafkaconnect AWS Java SDK :: Services :: Kafka Connect diff --git a/services/kendra/pom.xml b/services/kendra/pom.xml index 7121a8490f19..8c581852f5a5 100644 --- a/services/kendra/pom.xml +++ b/services/kendra/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT kendra AWS Java SDK :: Services :: Kendra diff --git a/services/kendraranking/pom.xml b/services/kendraranking/pom.xml index 064c64b852ea..67f25363fd4e 100644 --- a/services/kendraranking/pom.xml +++ b/services/kendraranking/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT kendraranking AWS Java SDK :: Services :: Kendra Ranking diff --git a/services/keyspaces/pom.xml b/services/keyspaces/pom.xml index 4da5344c649f..57d367469ee8 100644 --- a/services/keyspaces/pom.xml +++ b/services/keyspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT keyspaces AWS Java SDK :: Services :: Keyspaces diff --git a/services/kinesis/pom.xml b/services/kinesis/pom.xml index bb48181d2938..370399d842e1 100644 --- a/services/kinesis/pom.xml +++ b/services/kinesis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT kinesis AWS Java SDK :: Services :: Amazon Kinesis diff --git a/services/kinesisanalytics/pom.xml b/services/kinesisanalytics/pom.xml index e2e31170887d..e959812ad5b6 100644 --- a/services/kinesisanalytics/pom.xml +++ b/services/kinesisanalytics/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT kinesisanalytics AWS Java SDK :: Services :: Amazon Kinesis Analytics diff --git a/services/kinesisanalyticsv2/pom.xml b/services/kinesisanalyticsv2/pom.xml index e0223fe1cc07..a8492aed2fe2 100644 --- a/services/kinesisanalyticsv2/pom.xml +++ b/services/kinesisanalyticsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT kinesisanalyticsv2 AWS Java SDK :: Services :: Kinesis Analytics V2 diff --git a/services/kinesisvideo/pom.xml b/services/kinesisvideo/pom.xml index a123bdb5355f..3d8e604d4ba1 100644 --- a/services/kinesisvideo/pom.xml +++ b/services/kinesisvideo/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24 + 2.27.25-SNAPSHOT 4.0.0 kinesisvideo diff --git a/services/kinesisvideoarchivedmedia/pom.xml b/services/kinesisvideoarchivedmedia/pom.xml index 06751ad9e0da..8cd37e1ec181 100644 --- a/services/kinesisvideoarchivedmedia/pom.xml +++ b/services/kinesisvideoarchivedmedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT kinesisvideoarchivedmedia AWS Java SDK :: Services :: Kinesis Video Archived Media diff --git a/services/kinesisvideomedia/pom.xml b/services/kinesisvideomedia/pom.xml index 1d2a2a30b360..c9b544ade419 100644 --- a/services/kinesisvideomedia/pom.xml +++ b/services/kinesisvideomedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT kinesisvideomedia AWS Java SDK :: Services :: Kinesis Video Media diff --git a/services/kinesisvideosignaling/pom.xml b/services/kinesisvideosignaling/pom.xml index c6f84a7f6a49..fd88f0ec3120 100644 --- a/services/kinesisvideosignaling/pom.xml +++ b/services/kinesisvideosignaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT kinesisvideosignaling AWS Java SDK :: Services :: Kinesis Video Signaling diff --git a/services/kinesisvideowebrtcstorage/pom.xml b/services/kinesisvideowebrtcstorage/pom.xml index 6e1c57a1cf5e..ff04bc263fc9 100644 --- a/services/kinesisvideowebrtcstorage/pom.xml +++ b/services/kinesisvideowebrtcstorage/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT kinesisvideowebrtcstorage AWS Java SDK :: Services :: Kinesis Video Web RTC Storage diff --git a/services/kms/pom.xml b/services/kms/pom.xml index 796aaea13f8d..32c54b97aded 100644 --- a/services/kms/pom.xml +++ b/services/kms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT kms AWS Java SDK :: Services :: AWS KMS diff --git a/services/lakeformation/pom.xml b/services/lakeformation/pom.xml index 3281100cf817..4b9fe65efba3 100644 --- a/services/lakeformation/pom.xml +++ b/services/lakeformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT lakeformation AWS Java SDK :: Services :: LakeFormation diff --git a/services/lambda/pom.xml b/services/lambda/pom.xml index 583ba1d1d826..10b04822361f 100644 --- a/services/lambda/pom.xml +++ b/services/lambda/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT lambda AWS Java SDK :: Services :: AWS Lambda diff --git a/services/launchwizard/pom.xml b/services/launchwizard/pom.xml index 5e3736668208..9e34a08c4d7f 100644 --- a/services/launchwizard/pom.xml +++ b/services/launchwizard/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT launchwizard AWS Java SDK :: Services :: Launch Wizard diff --git a/services/lexmodelbuilding/pom.xml b/services/lexmodelbuilding/pom.xml index f07d534d8f22..a3f6596424a6 100644 --- a/services/lexmodelbuilding/pom.xml +++ b/services/lexmodelbuilding/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT lexmodelbuilding AWS Java SDK :: Services :: Amazon Lex Model Building diff --git a/services/lexmodelsv2/pom.xml b/services/lexmodelsv2/pom.xml index 321b176a4446..b93ec7e6f3a3 100644 --- a/services/lexmodelsv2/pom.xml +++ b/services/lexmodelsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT lexmodelsv2 AWS Java SDK :: Services :: Lex Models V2 diff --git a/services/lexruntime/pom.xml b/services/lexruntime/pom.xml index 6e5a35b202f0..c4e740f7e05c 100644 --- a/services/lexruntime/pom.xml +++ b/services/lexruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT lexruntime AWS Java SDK :: Services :: Amazon Lex Runtime diff --git a/services/lexruntimev2/pom.xml b/services/lexruntimev2/pom.xml index 610d61b25df4..2121ce0d918e 100644 --- a/services/lexruntimev2/pom.xml +++ b/services/lexruntimev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT lexruntimev2 AWS Java SDK :: Services :: Lex Runtime V2 diff --git a/services/licensemanager/pom.xml b/services/licensemanager/pom.xml index 29882533199c..fcb3e6827f1f 100644 --- a/services/licensemanager/pom.xml +++ b/services/licensemanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT licensemanager AWS Java SDK :: Services :: License Manager diff --git a/services/licensemanagerlinuxsubscriptions/pom.xml b/services/licensemanagerlinuxsubscriptions/pom.xml index f5b2cf36f4e5..1a647d98e1d3 100644 --- a/services/licensemanagerlinuxsubscriptions/pom.xml +++ b/services/licensemanagerlinuxsubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT licensemanagerlinuxsubscriptions AWS Java SDK :: Services :: License Manager Linux Subscriptions diff --git a/services/licensemanagerusersubscriptions/pom.xml b/services/licensemanagerusersubscriptions/pom.xml index 1657e3ffcf41..737ccb8ae470 100644 --- a/services/licensemanagerusersubscriptions/pom.xml +++ b/services/licensemanagerusersubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT licensemanagerusersubscriptions AWS Java SDK :: Services :: License Manager User Subscriptions diff --git a/services/lightsail/pom.xml b/services/lightsail/pom.xml index c9e1606e930b..582c5b9450df 100644 --- a/services/lightsail/pom.xml +++ b/services/lightsail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT lightsail AWS Java SDK :: Services :: Amazon Lightsail diff --git a/services/location/pom.xml b/services/location/pom.xml index 5a11919c2cee..d3d46b1e6f5a 100644 --- a/services/location/pom.xml +++ b/services/location/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT location AWS Java SDK :: Services :: Location diff --git a/services/lookoutequipment/pom.xml b/services/lookoutequipment/pom.xml index 4cadb1937012..a77024c98f7a 100644 --- a/services/lookoutequipment/pom.xml +++ b/services/lookoutequipment/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT lookoutequipment AWS Java SDK :: Services :: Lookout Equipment diff --git a/services/lookoutmetrics/pom.xml b/services/lookoutmetrics/pom.xml index e1c4b4eff8d9..51a04313383b 100644 --- a/services/lookoutmetrics/pom.xml +++ b/services/lookoutmetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT lookoutmetrics AWS Java SDK :: Services :: Lookout Metrics diff --git a/services/lookoutvision/pom.xml b/services/lookoutvision/pom.xml index 7965a5efefd9..4b7d5e9b81e6 100644 --- a/services/lookoutvision/pom.xml +++ b/services/lookoutvision/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT lookoutvision AWS Java SDK :: Services :: Lookout Vision diff --git a/services/m2/pom.xml b/services/m2/pom.xml index d8f6801ad21f..8da4cfcd3689 100644 --- a/services/m2/pom.xml +++ b/services/m2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT m2 AWS Java SDK :: Services :: M2 diff --git a/services/machinelearning/pom.xml b/services/machinelearning/pom.xml index 0b8efaba3da3..23cbb0c4387f 100644 --- a/services/machinelearning/pom.xml +++ b/services/machinelearning/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT machinelearning AWS Java SDK :: Services :: Amazon Machine Learning diff --git a/services/macie2/pom.xml b/services/macie2/pom.xml index 6f173a810d75..01b0b2c89ccd 100644 --- a/services/macie2/pom.xml +++ b/services/macie2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT macie2 AWS Java SDK :: Services :: Macie2 diff --git a/services/mailmanager/pom.xml b/services/mailmanager/pom.xml index 819e283cedb1..ac941e718f2d 100644 --- a/services/mailmanager/pom.xml +++ b/services/mailmanager/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT mailmanager AWS Java SDK :: Services :: Mail Manager diff --git a/services/managedblockchain/pom.xml b/services/managedblockchain/pom.xml index 38bdef5adeea..c926bc124467 100644 --- a/services/managedblockchain/pom.xml +++ b/services/managedblockchain/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT managedblockchain AWS Java SDK :: Services :: ManagedBlockchain diff --git a/services/managedblockchainquery/pom.xml b/services/managedblockchainquery/pom.xml index d10816b6b780..5fbd079b82ba 100644 --- a/services/managedblockchainquery/pom.xml +++ b/services/managedblockchainquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT managedblockchainquery AWS Java SDK :: Services :: Managed Blockchain Query diff --git a/services/marketplaceagreement/pom.xml b/services/marketplaceagreement/pom.xml index 5536d43035c2..8a177c793a3d 100644 --- a/services/marketplaceagreement/pom.xml +++ b/services/marketplaceagreement/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT marketplaceagreement AWS Java SDK :: Services :: Marketplace Agreement diff --git a/services/marketplacecatalog/pom.xml b/services/marketplacecatalog/pom.xml index bf39a00adf30..c94abad40d82 100644 --- a/services/marketplacecatalog/pom.xml +++ b/services/marketplacecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT marketplacecatalog AWS Java SDK :: Services :: Marketplace Catalog diff --git a/services/marketplacecommerceanalytics/pom.xml b/services/marketplacecommerceanalytics/pom.xml index b6cadd454746..1d3f7ab357c5 100644 --- a/services/marketplacecommerceanalytics/pom.xml +++ b/services/marketplacecommerceanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT marketplacecommerceanalytics AWS Java SDK :: Services :: AWS Marketplace Commerce Analytics diff --git a/services/marketplacedeployment/pom.xml b/services/marketplacedeployment/pom.xml index 4264b310a027..e206881e9dcb 100644 --- a/services/marketplacedeployment/pom.xml +++ b/services/marketplacedeployment/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT marketplacedeployment AWS Java SDK :: Services :: Marketplace Deployment diff --git a/services/marketplaceentitlement/pom.xml b/services/marketplaceentitlement/pom.xml index ce2d87cec876..c36361f063de 100644 --- a/services/marketplaceentitlement/pom.xml +++ b/services/marketplaceentitlement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT marketplaceentitlement AWS Java SDK :: Services :: AWS Marketplace Entitlement diff --git a/services/marketplacemetering/pom.xml b/services/marketplacemetering/pom.xml index 60b0747a52a5..9bf5f73821c9 100644 --- a/services/marketplacemetering/pom.xml +++ b/services/marketplacemetering/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT marketplacemetering AWS Java SDK :: Services :: AWS Marketplace Metering Service diff --git a/services/mediaconnect/pom.xml b/services/mediaconnect/pom.xml index ce0ddb93dd76..620a6efb1593 100644 --- a/services/mediaconnect/pom.xml +++ b/services/mediaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT mediaconnect AWS Java SDK :: Services :: MediaConnect diff --git a/services/mediaconvert/pom.xml b/services/mediaconvert/pom.xml index 4fd558995683..f5734ef3db19 100644 --- a/services/mediaconvert/pom.xml +++ b/services/mediaconvert/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24 + 2.27.25-SNAPSHOT 4.0.0 mediaconvert diff --git a/services/medialive/pom.xml b/services/medialive/pom.xml index d0641d2c0321..d0df30ba58b1 100644 --- a/services/medialive/pom.xml +++ b/services/medialive/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24 + 2.27.25-SNAPSHOT 4.0.0 medialive diff --git a/services/mediapackage/pom.xml b/services/mediapackage/pom.xml index b2363639fbab..2ad77cfb7229 100644 --- a/services/mediapackage/pom.xml +++ b/services/mediapackage/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24 + 2.27.25-SNAPSHOT 4.0.0 mediapackage diff --git a/services/mediapackagev2/pom.xml b/services/mediapackagev2/pom.xml index d56d3fc3a8ea..a7b982b5a2d5 100644 --- a/services/mediapackagev2/pom.xml +++ b/services/mediapackagev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT mediapackagev2 AWS Java SDK :: Services :: Media Package V2 diff --git a/services/mediapackagevod/pom.xml b/services/mediapackagevod/pom.xml index e58689bb4eb1..9ccfd0a6017d 100644 --- a/services/mediapackagevod/pom.xml +++ b/services/mediapackagevod/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT mediapackagevod AWS Java SDK :: Services :: MediaPackage Vod diff --git a/services/mediastore/pom.xml b/services/mediastore/pom.xml index 236d996a83b9..68a105b43995 100644 --- a/services/mediastore/pom.xml +++ b/services/mediastore/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24 + 2.27.25-SNAPSHOT 4.0.0 mediastore diff --git a/services/mediastoredata/pom.xml b/services/mediastoredata/pom.xml index d8419842c805..c62f92bcdc7b 100644 --- a/services/mediastoredata/pom.xml +++ b/services/mediastoredata/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24 + 2.27.25-SNAPSHOT 4.0.0 mediastoredata diff --git a/services/mediatailor/pom.xml b/services/mediatailor/pom.xml index 85994979d27b..8f780fef6415 100644 --- a/services/mediatailor/pom.xml +++ b/services/mediatailor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT mediatailor AWS Java SDK :: Services :: MediaTailor diff --git a/services/medicalimaging/pom.xml b/services/medicalimaging/pom.xml index bfcdac5aec98..6b7af55777a3 100644 --- a/services/medicalimaging/pom.xml +++ b/services/medicalimaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT medicalimaging AWS Java SDK :: Services :: Medical Imaging diff --git a/services/memorydb/pom.xml b/services/memorydb/pom.xml index b9c715d10341..f08445bafcf0 100644 --- a/services/memorydb/pom.xml +++ b/services/memorydb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT memorydb AWS Java SDK :: Services :: Memory DB diff --git a/services/mgn/pom.xml b/services/mgn/pom.xml index 1b64ff6473f1..da9b05ceca33 100644 --- a/services/mgn/pom.xml +++ b/services/mgn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT mgn AWS Java SDK :: Services :: Mgn diff --git a/services/migrationhub/pom.xml b/services/migrationhub/pom.xml index b3ac56e27b74..50a9b7715f31 100644 --- a/services/migrationhub/pom.xml +++ b/services/migrationhub/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24 + 2.27.25-SNAPSHOT 4.0.0 migrationhub diff --git a/services/migrationhubconfig/pom.xml b/services/migrationhubconfig/pom.xml index aad856a1cbf7..ca7db1eae035 100644 --- a/services/migrationhubconfig/pom.xml +++ b/services/migrationhubconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT migrationhubconfig AWS Java SDK :: Services :: MigrationHub Config diff --git a/services/migrationhuborchestrator/pom.xml b/services/migrationhuborchestrator/pom.xml index 5770a12023c7..df1c2bc9a55a 100644 --- a/services/migrationhuborchestrator/pom.xml +++ b/services/migrationhuborchestrator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT migrationhuborchestrator AWS Java SDK :: Services :: Migration Hub Orchestrator diff --git a/services/migrationhubrefactorspaces/pom.xml b/services/migrationhubrefactorspaces/pom.xml index 0394ebf2bb6b..57c602305074 100644 --- a/services/migrationhubrefactorspaces/pom.xml +++ b/services/migrationhubrefactorspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT migrationhubrefactorspaces AWS Java SDK :: Services :: Migration Hub Refactor Spaces diff --git a/services/migrationhubstrategy/pom.xml b/services/migrationhubstrategy/pom.xml index 94d413881120..13f52f99fc7a 100644 --- a/services/migrationhubstrategy/pom.xml +++ b/services/migrationhubstrategy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT migrationhubstrategy AWS Java SDK :: Services :: Migration Hub Strategy diff --git a/services/mq/pom.xml b/services/mq/pom.xml index e1b31d79eb9e..464852b0d122 100644 --- a/services/mq/pom.xml +++ b/services/mq/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24 + 2.27.25-SNAPSHOT 4.0.0 mq diff --git a/services/mturk/pom.xml b/services/mturk/pom.xml index a36666545637..28cb972aeabb 100644 --- a/services/mturk/pom.xml +++ b/services/mturk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT mturk AWS Java SDK :: Services :: Amazon Mechanical Turk Requester diff --git a/services/mwaa/pom.xml b/services/mwaa/pom.xml index 07765eecc619..a47516544c31 100644 --- a/services/mwaa/pom.xml +++ b/services/mwaa/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT mwaa AWS Java SDK :: Services :: MWAA diff --git a/services/neptune/pom.xml b/services/neptune/pom.xml index a8142272c029..fd393d0f6b48 100644 --- a/services/neptune/pom.xml +++ b/services/neptune/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT neptune AWS Java SDK :: Services :: Neptune diff --git a/services/neptunedata/pom.xml b/services/neptunedata/pom.xml index b16c724ecec1..37bec5284704 100644 --- a/services/neptunedata/pom.xml +++ b/services/neptunedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT neptunedata AWS Java SDK :: Services :: Neptunedata diff --git a/services/neptunegraph/pom.xml b/services/neptunegraph/pom.xml index c0a5ae8b31af..10c95e7cac6e 100644 --- a/services/neptunegraph/pom.xml +++ b/services/neptunegraph/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT neptunegraph AWS Java SDK :: Services :: Neptune Graph diff --git a/services/networkfirewall/pom.xml b/services/networkfirewall/pom.xml index a8b748cf669e..17d553d050c1 100644 --- a/services/networkfirewall/pom.xml +++ b/services/networkfirewall/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT networkfirewall AWS Java SDK :: Services :: Network Firewall diff --git a/services/networkmanager/pom.xml b/services/networkmanager/pom.xml index f852004fe3df..d8e15d1ea215 100644 --- a/services/networkmanager/pom.xml +++ b/services/networkmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT networkmanager AWS Java SDK :: Services :: NetworkManager diff --git a/services/networkmonitor/pom.xml b/services/networkmonitor/pom.xml index 1ad5509a1366..576bf269b90f 100644 --- a/services/networkmonitor/pom.xml +++ b/services/networkmonitor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT networkmonitor AWS Java SDK :: Services :: Network Monitor diff --git a/services/nimble/pom.xml b/services/nimble/pom.xml index 118e0dd88056..61f9b7db8279 100644 --- a/services/nimble/pom.xml +++ b/services/nimble/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT nimble AWS Java SDK :: Services :: Nimble diff --git a/services/oam/pom.xml b/services/oam/pom.xml index 6caff4e3a5cd..518d98325cca 100644 --- a/services/oam/pom.xml +++ b/services/oam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT oam AWS Java SDK :: Services :: OAM diff --git a/services/omics/pom.xml b/services/omics/pom.xml index af5d97230416..284b2128242e 100644 --- a/services/omics/pom.xml +++ b/services/omics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT omics AWS Java SDK :: Services :: Omics diff --git a/services/opensearch/pom.xml b/services/opensearch/pom.xml index b88f6c957800..feefb212fb25 100644 --- a/services/opensearch/pom.xml +++ b/services/opensearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT opensearch AWS Java SDK :: Services :: Open Search diff --git a/services/opensearchserverless/pom.xml b/services/opensearchserverless/pom.xml index 6caf6ec4aa6d..a3d657e50ae3 100644 --- a/services/opensearchserverless/pom.xml +++ b/services/opensearchserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT opensearchserverless AWS Java SDK :: Services :: Open Search Serverless diff --git a/services/opsworks/pom.xml b/services/opsworks/pom.xml index ea876a1ca138..a18dca7695dd 100644 --- a/services/opsworks/pom.xml +++ b/services/opsworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT opsworks AWS Java SDK :: Services :: AWS OpsWorks diff --git a/services/opsworkscm/pom.xml b/services/opsworkscm/pom.xml index 6d042a7ba74b..e6e51536b486 100644 --- a/services/opsworkscm/pom.xml +++ b/services/opsworkscm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT opsworkscm AWS Java SDK :: Services :: AWS OpsWorks for Chef Automate diff --git a/services/organizations/pom.xml b/services/organizations/pom.xml index 8ce30ae1ad0a..1be038f679bd 100644 --- a/services/organizations/pom.xml +++ b/services/organizations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT organizations AWS Java SDK :: Services :: AWS Organizations diff --git a/services/osis/pom.xml b/services/osis/pom.xml index c8b59488c513..23dfa4a0611e 100644 --- a/services/osis/pom.xml +++ b/services/osis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT osis AWS Java SDK :: Services :: OSIS diff --git a/services/outposts/pom.xml b/services/outposts/pom.xml index 7f5599c2a64b..67f02f00d64c 100644 --- a/services/outposts/pom.xml +++ b/services/outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT outposts AWS Java SDK :: Services :: Outposts diff --git a/services/panorama/pom.xml b/services/panorama/pom.xml index add4bcfc0b49..0e2cdee1c959 100644 --- a/services/panorama/pom.xml +++ b/services/panorama/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT panorama AWS Java SDK :: Services :: Panorama diff --git a/services/paymentcryptography/pom.xml b/services/paymentcryptography/pom.xml index a060e97b302d..7c85d757107b 100644 --- a/services/paymentcryptography/pom.xml +++ b/services/paymentcryptography/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT paymentcryptography AWS Java SDK :: Services :: Payment Cryptography diff --git a/services/paymentcryptographydata/pom.xml b/services/paymentcryptographydata/pom.xml index 85a9a75b1b5f..aa6f8f8eb8e9 100644 --- a/services/paymentcryptographydata/pom.xml +++ b/services/paymentcryptographydata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT paymentcryptographydata AWS Java SDK :: Services :: Payment Cryptography Data diff --git a/services/pcaconnectorad/pom.xml b/services/pcaconnectorad/pom.xml index cda8e553c28a..d597db12cd62 100644 --- a/services/pcaconnectorad/pom.xml +++ b/services/pcaconnectorad/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT pcaconnectorad AWS Java SDK :: Services :: Pca Connector Ad diff --git a/services/pcaconnectorscep/pom.xml b/services/pcaconnectorscep/pom.xml index 94994ad1db7c..d43105c54c4f 100644 --- a/services/pcaconnectorscep/pom.xml +++ b/services/pcaconnectorscep/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT pcaconnectorscep AWS Java SDK :: Services :: Pca Connector Scep diff --git a/services/pcs/pom.xml b/services/pcs/pom.xml index bfee601590be..a80b512863ab 100644 --- a/services/pcs/pom.xml +++ b/services/pcs/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT pcs AWS Java SDK :: Services :: PCS diff --git a/services/personalize/pom.xml b/services/personalize/pom.xml index f98df6df8611..4d4e48db9c5e 100644 --- a/services/personalize/pom.xml +++ b/services/personalize/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT personalize AWS Java SDK :: Services :: Personalize diff --git a/services/personalizeevents/pom.xml b/services/personalizeevents/pom.xml index ee75939fab65..87919008b2ae 100644 --- a/services/personalizeevents/pom.xml +++ b/services/personalizeevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT personalizeevents AWS Java SDK :: Services :: Personalize Events diff --git a/services/personalizeruntime/pom.xml b/services/personalizeruntime/pom.xml index be8359817e03..89b536754b3f 100644 --- a/services/personalizeruntime/pom.xml +++ b/services/personalizeruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT personalizeruntime AWS Java SDK :: Services :: Personalize Runtime diff --git a/services/pi/pom.xml b/services/pi/pom.xml index aa5a661bd297..187a5dc40a19 100644 --- a/services/pi/pom.xml +++ b/services/pi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT pi AWS Java SDK :: Services :: PI diff --git a/services/pinpoint/pom.xml b/services/pinpoint/pom.xml index 1c7265cec318..00d356d47505 100644 --- a/services/pinpoint/pom.xml +++ b/services/pinpoint/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT pinpoint AWS Java SDK :: Services :: Amazon Pinpoint diff --git a/services/pinpointemail/pom.xml b/services/pinpointemail/pom.xml index 0a8b56a5957d..5455173296a4 100644 --- a/services/pinpointemail/pom.xml +++ b/services/pinpointemail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT pinpointemail AWS Java SDK :: Services :: Pinpoint Email diff --git a/services/pinpointsmsvoice/pom.xml b/services/pinpointsmsvoice/pom.xml index f7dc129abc63..eb5cce811f48 100644 --- a/services/pinpointsmsvoice/pom.xml +++ b/services/pinpointsmsvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT pinpointsmsvoice AWS Java SDK :: Services :: Pinpoint SMS Voice diff --git a/services/pinpointsmsvoicev2/pom.xml b/services/pinpointsmsvoicev2/pom.xml index 77efa1f509e4..ab458575744c 100644 --- a/services/pinpointsmsvoicev2/pom.xml +++ b/services/pinpointsmsvoicev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT pinpointsmsvoicev2 AWS Java SDK :: Services :: Pinpoint SMS Voice V2 diff --git a/services/pipes/pom.xml b/services/pipes/pom.xml index 6ecc2f48244f..3544ea6c1f3e 100644 --- a/services/pipes/pom.xml +++ b/services/pipes/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT pipes AWS Java SDK :: Services :: Pipes diff --git a/services/polly/pom.xml b/services/polly/pom.xml index e7ad8959663f..fe087a6e37ee 100644 --- a/services/polly/pom.xml +++ b/services/polly/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT polly AWS Java SDK :: Services :: Amazon Polly diff --git a/services/pom.xml b/services/pom.xml index ea78c326a4c4..fdbe1c238355 100644 --- a/services/pom.xml +++ b/services/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.24 + 2.27.25-SNAPSHOT services AWS Java SDK :: Services diff --git a/services/pricing/pom.xml b/services/pricing/pom.xml index 90344eb782bb..c5dcd42b77f4 100644 --- a/services/pricing/pom.xml +++ b/services/pricing/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24 + 2.27.25-SNAPSHOT 4.0.0 pricing diff --git a/services/privatenetworks/pom.xml b/services/privatenetworks/pom.xml index bdad350104e6..728df45f31da 100644 --- a/services/privatenetworks/pom.xml +++ b/services/privatenetworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT privatenetworks AWS Java SDK :: Services :: Private Networks diff --git a/services/proton/pom.xml b/services/proton/pom.xml index 20cade6e97ca..0bae4785639a 100644 --- a/services/proton/pom.xml +++ b/services/proton/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT proton AWS Java SDK :: Services :: Proton diff --git a/services/qapps/pom.xml b/services/qapps/pom.xml index d33bce91da80..b981aab8d6ef 100644 --- a/services/qapps/pom.xml +++ b/services/qapps/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT qapps AWS Java SDK :: Services :: Q Apps diff --git a/services/qbusiness/pom.xml b/services/qbusiness/pom.xml index 671f965f364f..156c3542e708 100644 --- a/services/qbusiness/pom.xml +++ b/services/qbusiness/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT qbusiness AWS Java SDK :: Services :: Q Business diff --git a/services/qconnect/pom.xml b/services/qconnect/pom.xml index 889fbedc4783..395263950327 100644 --- a/services/qconnect/pom.xml +++ b/services/qconnect/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT qconnect AWS Java SDK :: Services :: Q Connect diff --git a/services/qldb/pom.xml b/services/qldb/pom.xml index a121c0a2697a..87dde29e15eb 100644 --- a/services/qldb/pom.xml +++ b/services/qldb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT qldb AWS Java SDK :: Services :: QLDB diff --git a/services/qldbsession/pom.xml b/services/qldbsession/pom.xml index 2d240df953ec..8b223dd1519a 100644 --- a/services/qldbsession/pom.xml +++ b/services/qldbsession/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT qldbsession AWS Java SDK :: Services :: QLDB Session diff --git a/services/quicksight/pom.xml b/services/quicksight/pom.xml index 7f1bed675136..608ee8442ba4 100644 --- a/services/quicksight/pom.xml +++ b/services/quicksight/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT quicksight AWS Java SDK :: Services :: QuickSight diff --git a/services/ram/pom.xml b/services/ram/pom.xml index ed09c6a676be..14da1b38a0d6 100644 --- a/services/ram/pom.xml +++ b/services/ram/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT ram AWS Java SDK :: Services :: RAM diff --git a/services/rbin/pom.xml b/services/rbin/pom.xml index b8d15803ab1b..7dcb0708f24e 100644 --- a/services/rbin/pom.xml +++ b/services/rbin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT rbin AWS Java SDK :: Services :: Rbin diff --git a/services/rds/pom.xml b/services/rds/pom.xml index 80a1907c87e6..87db4e7f5de4 100644 --- a/services/rds/pom.xml +++ b/services/rds/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT rds AWS Java SDK :: Services :: Amazon RDS diff --git a/services/rdsdata/pom.xml b/services/rdsdata/pom.xml index 045c79ad088d..6c70ca61f547 100644 --- a/services/rdsdata/pom.xml +++ b/services/rdsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT rdsdata AWS Java SDK :: Services :: RDS Data diff --git a/services/redshift/pom.xml b/services/redshift/pom.xml index 9ec79fb0c954..355085d4271b 100644 --- a/services/redshift/pom.xml +++ b/services/redshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT redshift AWS Java SDK :: Services :: Amazon Redshift diff --git a/services/redshiftdata/pom.xml b/services/redshiftdata/pom.xml index 77d5a28ef6f5..199db90fc3fc 100644 --- a/services/redshiftdata/pom.xml +++ b/services/redshiftdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT redshiftdata AWS Java SDK :: Services :: Redshift Data diff --git a/services/redshiftserverless/pom.xml b/services/redshiftserverless/pom.xml index 5b1c6fe19413..8b9dc959db31 100644 --- a/services/redshiftserverless/pom.xml +++ b/services/redshiftserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT redshiftserverless AWS Java SDK :: Services :: Redshift Serverless diff --git a/services/rekognition/pom.xml b/services/rekognition/pom.xml index 09b4e7acc9a1..8f4896fb4cf9 100644 --- a/services/rekognition/pom.xml +++ b/services/rekognition/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT rekognition AWS Java SDK :: Services :: Amazon Rekognition diff --git a/services/repostspace/pom.xml b/services/repostspace/pom.xml index 780101a6b348..f15f7ea0a85d 100644 --- a/services/repostspace/pom.xml +++ b/services/repostspace/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT repostspace AWS Java SDK :: Services :: Repostspace diff --git a/services/resiliencehub/pom.xml b/services/resiliencehub/pom.xml index 42d033562a1a..a439b8487b89 100644 --- a/services/resiliencehub/pom.xml +++ b/services/resiliencehub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT resiliencehub AWS Java SDK :: Services :: Resiliencehub diff --git a/services/resourceexplorer2/pom.xml b/services/resourceexplorer2/pom.xml index 8ca5997d8125..803fe9cbd252 100644 --- a/services/resourceexplorer2/pom.xml +++ b/services/resourceexplorer2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT resourceexplorer2 AWS Java SDK :: Services :: Resource Explorer 2 diff --git a/services/resourcegroups/pom.xml b/services/resourcegroups/pom.xml index ac3b8deeaed7..c96577d8efd9 100644 --- a/services/resourcegroups/pom.xml +++ b/services/resourcegroups/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24 + 2.27.25-SNAPSHOT 4.0.0 resourcegroups diff --git a/services/resourcegroupstaggingapi/pom.xml b/services/resourcegroupstaggingapi/pom.xml index ceee8dfcaa66..099f0c4bdf48 100644 --- a/services/resourcegroupstaggingapi/pom.xml +++ b/services/resourcegroupstaggingapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT resourcegroupstaggingapi AWS Java SDK :: Services :: AWS Resource Groups Tagging API diff --git a/services/robomaker/pom.xml b/services/robomaker/pom.xml index 5dfb8a7ce141..9c60e520490c 100644 --- a/services/robomaker/pom.xml +++ b/services/robomaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT robomaker AWS Java SDK :: Services :: RoboMaker diff --git a/services/rolesanywhere/pom.xml b/services/rolesanywhere/pom.xml index a28e5e284f79..b860ffaaf909 100644 --- a/services/rolesanywhere/pom.xml +++ b/services/rolesanywhere/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT rolesanywhere AWS Java SDK :: Services :: Roles Anywhere diff --git a/services/route53/pom.xml b/services/route53/pom.xml index fca0e27b4058..676484c4a15a 100644 --- a/services/route53/pom.xml +++ b/services/route53/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT route53 AWS Java SDK :: Services :: Amazon Route53 diff --git a/services/route53domains/pom.xml b/services/route53domains/pom.xml index 6066bade76a4..61d4f55ad995 100644 --- a/services/route53domains/pom.xml +++ b/services/route53domains/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT route53domains AWS Java SDK :: Services :: Amazon Route53 Domains diff --git a/services/route53profiles/pom.xml b/services/route53profiles/pom.xml index 64e95ec35c15..8fbf78ae4898 100644 --- a/services/route53profiles/pom.xml +++ b/services/route53profiles/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT route53profiles AWS Java SDK :: Services :: Route53 Profiles diff --git a/services/route53recoverycluster/pom.xml b/services/route53recoverycluster/pom.xml index ebd289918913..dc19cff78fbe 100644 --- a/services/route53recoverycluster/pom.xml +++ b/services/route53recoverycluster/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT route53recoverycluster AWS Java SDK :: Services :: Route53 Recovery Cluster diff --git a/services/route53recoverycontrolconfig/pom.xml b/services/route53recoverycontrolconfig/pom.xml index c177a4cf22c4..f4bb6898f905 100644 --- a/services/route53recoverycontrolconfig/pom.xml +++ b/services/route53recoverycontrolconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT route53recoverycontrolconfig AWS Java SDK :: Services :: Route53 Recovery Control Config diff --git a/services/route53recoveryreadiness/pom.xml b/services/route53recoveryreadiness/pom.xml index 960b2c9d410c..e192f0c3d156 100644 --- a/services/route53recoveryreadiness/pom.xml +++ b/services/route53recoveryreadiness/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT route53recoveryreadiness AWS Java SDK :: Services :: Route53 Recovery Readiness diff --git a/services/route53resolver/pom.xml b/services/route53resolver/pom.xml index 45c813ef9932..797be0bbe3f0 100644 --- a/services/route53resolver/pom.xml +++ b/services/route53resolver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT route53resolver AWS Java SDK :: Services :: Route53Resolver diff --git a/services/rum/pom.xml b/services/rum/pom.xml index 558efc7c0a06..b567e267ca6c 100644 --- a/services/rum/pom.xml +++ b/services/rum/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT rum AWS Java SDK :: Services :: RUM diff --git a/services/s3/pom.xml b/services/s3/pom.xml index 3df3279fc2f5..e26c10abda75 100644 --- a/services/s3/pom.xml +++ b/services/s3/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT s3 AWS Java SDK :: Services :: Amazon S3 diff --git a/services/s3control/pom.xml b/services/s3control/pom.xml index 56bf6bdf5fd4..0cba66ca9d0c 100644 --- a/services/s3control/pom.xml +++ b/services/s3control/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT s3control AWS Java SDK :: Services :: Amazon S3 Control diff --git a/services/s3outposts/pom.xml b/services/s3outposts/pom.xml index 1e0a684da5af..6d2ce4798865 100644 --- a/services/s3outposts/pom.xml +++ b/services/s3outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT s3outposts AWS Java SDK :: Services :: S3 Outposts diff --git a/services/sagemaker/pom.xml b/services/sagemaker/pom.xml index f6fe779adc19..2b06869c45d5 100644 --- a/services/sagemaker/pom.xml +++ b/services/sagemaker/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24 + 2.27.25-SNAPSHOT 4.0.0 sagemaker diff --git a/services/sagemakera2iruntime/pom.xml b/services/sagemakera2iruntime/pom.xml index 7e8caed3c3f2..9107c244d984 100644 --- a/services/sagemakera2iruntime/pom.xml +++ b/services/sagemakera2iruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT sagemakera2iruntime AWS Java SDK :: Services :: SageMaker A2I Runtime diff --git a/services/sagemakeredge/pom.xml b/services/sagemakeredge/pom.xml index 10f2a6a2a3da..fc0e81936f4d 100644 --- a/services/sagemakeredge/pom.xml +++ b/services/sagemakeredge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT sagemakeredge AWS Java SDK :: Services :: Sagemaker Edge diff --git a/services/sagemakerfeaturestoreruntime/pom.xml b/services/sagemakerfeaturestoreruntime/pom.xml index e13e1c5ad644..a29e42eea68a 100644 --- a/services/sagemakerfeaturestoreruntime/pom.xml +++ b/services/sagemakerfeaturestoreruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT sagemakerfeaturestoreruntime AWS Java SDK :: Services :: Sage Maker Feature Store Runtime diff --git a/services/sagemakergeospatial/pom.xml b/services/sagemakergeospatial/pom.xml index c44e7211374d..d9dd6d24f5f2 100644 --- a/services/sagemakergeospatial/pom.xml +++ b/services/sagemakergeospatial/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT sagemakergeospatial AWS Java SDK :: Services :: Sage Maker Geospatial diff --git a/services/sagemakermetrics/pom.xml b/services/sagemakermetrics/pom.xml index fc209d941d76..5457ba35f91c 100644 --- a/services/sagemakermetrics/pom.xml +++ b/services/sagemakermetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT sagemakermetrics AWS Java SDK :: Services :: Sage Maker Metrics diff --git a/services/sagemakerruntime/pom.xml b/services/sagemakerruntime/pom.xml index 3d573558f8bb..a71f29c00f1c 100644 --- a/services/sagemakerruntime/pom.xml +++ b/services/sagemakerruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT sagemakerruntime AWS Java SDK :: Services :: SageMaker Runtime diff --git a/services/savingsplans/pom.xml b/services/savingsplans/pom.xml index b9c2e3a0954c..620ea134c7bf 100644 --- a/services/savingsplans/pom.xml +++ b/services/savingsplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT savingsplans AWS Java SDK :: Services :: Savingsplans diff --git a/services/scheduler/pom.xml b/services/scheduler/pom.xml index e89b51258995..184189b91b32 100644 --- a/services/scheduler/pom.xml +++ b/services/scheduler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT scheduler AWS Java SDK :: Services :: Scheduler diff --git a/services/schemas/pom.xml b/services/schemas/pom.xml index f63680a16f01..1670075d0679 100644 --- a/services/schemas/pom.xml +++ b/services/schemas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT schemas AWS Java SDK :: Services :: Schemas diff --git a/services/secretsmanager/pom.xml b/services/secretsmanager/pom.xml index 4de2c5e62c04..62ca71857b76 100644 --- a/services/secretsmanager/pom.xml +++ b/services/secretsmanager/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT secretsmanager AWS Java SDK :: Services :: AWS Secrets Manager diff --git a/services/securityhub/pom.xml b/services/securityhub/pom.xml index 7b1e7f68975e..8e29649b57f0 100644 --- a/services/securityhub/pom.xml +++ b/services/securityhub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT securityhub AWS Java SDK :: Services :: SecurityHub diff --git a/services/securitylake/pom.xml b/services/securitylake/pom.xml index b2ace5cd941e..4718d749b0cf 100644 --- a/services/securitylake/pom.xml +++ b/services/securitylake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT securitylake AWS Java SDK :: Services :: Security Lake diff --git a/services/serverlessapplicationrepository/pom.xml b/services/serverlessapplicationrepository/pom.xml index ac321bfbb1b9..f5c5f02578ba 100644 --- a/services/serverlessapplicationrepository/pom.xml +++ b/services/serverlessapplicationrepository/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24 + 2.27.25-SNAPSHOT 4.0.0 serverlessapplicationrepository diff --git a/services/servicecatalog/pom.xml b/services/servicecatalog/pom.xml index d08d0a7b63fd..e5dbfdc6cb76 100644 --- a/services/servicecatalog/pom.xml +++ b/services/servicecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT servicecatalog AWS Java SDK :: Services :: AWS Service Catalog diff --git a/services/servicecatalogappregistry/pom.xml b/services/servicecatalogappregistry/pom.xml index 53017eea74a1..730161047f59 100644 --- a/services/servicecatalogappregistry/pom.xml +++ b/services/servicecatalogappregistry/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT servicecatalogappregistry AWS Java SDK :: Services :: Service Catalog App Registry diff --git a/services/servicediscovery/pom.xml b/services/servicediscovery/pom.xml index d42054211f2b..fafbd6a90324 100644 --- a/services/servicediscovery/pom.xml +++ b/services/servicediscovery/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24 + 2.27.25-SNAPSHOT 4.0.0 servicediscovery diff --git a/services/servicequotas/pom.xml b/services/servicequotas/pom.xml index b888e288afc8..a52547d446a3 100644 --- a/services/servicequotas/pom.xml +++ b/services/servicequotas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT servicequotas AWS Java SDK :: Services :: Service Quotas diff --git a/services/ses/pom.xml b/services/ses/pom.xml index 8b44bc794a84..97de84a57b1c 100644 --- a/services/ses/pom.xml +++ b/services/ses/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT ses AWS Java SDK :: Services :: Amazon SES diff --git a/services/sesv2/pom.xml b/services/sesv2/pom.xml index 4435be0d7dd9..a25eff8ae105 100644 --- a/services/sesv2/pom.xml +++ b/services/sesv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT sesv2 AWS Java SDK :: Services :: SESv2 diff --git a/services/sfn/pom.xml b/services/sfn/pom.xml index 4d40fa58172b..2506b9915db0 100644 --- a/services/sfn/pom.xml +++ b/services/sfn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT sfn AWS Java SDK :: Services :: AWS Step Functions diff --git a/services/shield/pom.xml b/services/shield/pom.xml index 665681b0bb44..42408366f902 100644 --- a/services/shield/pom.xml +++ b/services/shield/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT shield AWS Java SDK :: Services :: AWS Shield diff --git a/services/signer/pom.xml b/services/signer/pom.xml index 57340a32b109..d3ab8549763c 100644 --- a/services/signer/pom.xml +++ b/services/signer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT signer AWS Java SDK :: Services :: Signer diff --git a/services/simspaceweaver/pom.xml b/services/simspaceweaver/pom.xml index 85ccfc1eddcd..121349ef4182 100644 --- a/services/simspaceweaver/pom.xml +++ b/services/simspaceweaver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT simspaceweaver AWS Java SDK :: Services :: Sim Space Weaver diff --git a/services/sms/pom.xml b/services/sms/pom.xml index 8dc382f39ca9..a066faf9b892 100644 --- a/services/sms/pom.xml +++ b/services/sms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT sms AWS Java SDK :: Services :: AWS Server Migration diff --git a/services/snowball/pom.xml b/services/snowball/pom.xml index ec005ca47ae1..19387fb02868 100644 --- a/services/snowball/pom.xml +++ b/services/snowball/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT snowball AWS Java SDK :: Services :: Amazon Snowball diff --git a/services/snowdevicemanagement/pom.xml b/services/snowdevicemanagement/pom.xml index 11e67c9052f1..953cc3855818 100644 --- a/services/snowdevicemanagement/pom.xml +++ b/services/snowdevicemanagement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT snowdevicemanagement AWS Java SDK :: Services :: Snow Device Management diff --git a/services/sns/pom.xml b/services/sns/pom.xml index c8d4f191bb73..85eecd0d2e04 100644 --- a/services/sns/pom.xml +++ b/services/sns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT sns AWS Java SDK :: Services :: Amazon SNS diff --git a/services/sqs/pom.xml b/services/sqs/pom.xml index bf2d50ceafb7..e550a1a39f5a 100644 --- a/services/sqs/pom.xml +++ b/services/sqs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT sqs AWS Java SDK :: Services :: Amazon SQS diff --git a/services/ssm/pom.xml b/services/ssm/pom.xml index 55203a3e7487..7cabcc8b07dc 100644 --- a/services/ssm/pom.xml +++ b/services/ssm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT ssm AWS Java SDK :: Services :: AWS Simple Systems Management (SSM) diff --git a/services/ssmcontacts/pom.xml b/services/ssmcontacts/pom.xml index 3cbc84e71616..8dc363e9727c 100644 --- a/services/ssmcontacts/pom.xml +++ b/services/ssmcontacts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT ssmcontacts AWS Java SDK :: Services :: SSM Contacts diff --git a/services/ssmincidents/pom.xml b/services/ssmincidents/pom.xml index 7df3c26b33da..b8c17d9ecdba 100644 --- a/services/ssmincidents/pom.xml +++ b/services/ssmincidents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT ssmincidents AWS Java SDK :: Services :: SSM Incidents diff --git a/services/ssmquicksetup/pom.xml b/services/ssmquicksetup/pom.xml index e7936d0ba2cb..8b1dd6ac5718 100644 --- a/services/ssmquicksetup/pom.xml +++ b/services/ssmquicksetup/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT ssmquicksetup AWS Java SDK :: Services :: SSM Quick Setup diff --git a/services/ssmsap/pom.xml b/services/ssmsap/pom.xml index b49892d50138..bb8db3cefa1a 100644 --- a/services/ssmsap/pom.xml +++ b/services/ssmsap/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT ssmsap AWS Java SDK :: Services :: Ssm Sap diff --git a/services/sso/pom.xml b/services/sso/pom.xml index 87ed6e368386..4291111712db 100644 --- a/services/sso/pom.xml +++ b/services/sso/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT sso AWS Java SDK :: Services :: SSO diff --git a/services/ssoadmin/pom.xml b/services/ssoadmin/pom.xml index 4f4420c7b603..eae6197b881b 100644 --- a/services/ssoadmin/pom.xml +++ b/services/ssoadmin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT ssoadmin AWS Java SDK :: Services :: SSO Admin diff --git a/services/ssooidc/pom.xml b/services/ssooidc/pom.xml index 2a6f6db2ed8f..c8b4ea6e7b03 100644 --- a/services/ssooidc/pom.xml +++ b/services/ssooidc/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT ssooidc AWS Java SDK :: Services :: SSO OIDC diff --git a/services/storagegateway/pom.xml b/services/storagegateway/pom.xml index b2bc22c0f1e3..5c544a1c20a9 100644 --- a/services/storagegateway/pom.xml +++ b/services/storagegateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT storagegateway AWS Java SDK :: Services :: AWS Storage Gateway diff --git a/services/sts/pom.xml b/services/sts/pom.xml index 668c257438db..a051ad6a3fcb 100644 --- a/services/sts/pom.xml +++ b/services/sts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT sts AWS Java SDK :: Services :: AWS STS diff --git a/services/supplychain/pom.xml b/services/supplychain/pom.xml index 79e21c1155e0..491a712c0518 100644 --- a/services/supplychain/pom.xml +++ b/services/supplychain/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT supplychain AWS Java SDK :: Services :: Supply Chain diff --git a/services/support/pom.xml b/services/support/pom.xml index 7db9926b2cde..fde1d051fd60 100644 --- a/services/support/pom.xml +++ b/services/support/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT support AWS Java SDK :: Services :: AWS Support diff --git a/services/supportapp/pom.xml b/services/supportapp/pom.xml index 760e00e1b9d1..85c4f68a22bc 100644 --- a/services/supportapp/pom.xml +++ b/services/supportapp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT supportapp AWS Java SDK :: Services :: Support App diff --git a/services/swf/pom.xml b/services/swf/pom.xml index 2f6239c31e88..473880025cee 100644 --- a/services/swf/pom.xml +++ b/services/swf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT swf AWS Java SDK :: Services :: Amazon SWF diff --git a/services/synthetics/pom.xml b/services/synthetics/pom.xml index ee59235ea5d8..848b54f204a9 100644 --- a/services/synthetics/pom.xml +++ b/services/synthetics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT synthetics AWS Java SDK :: Services :: Synthetics diff --git a/services/taxsettings/pom.xml b/services/taxsettings/pom.xml index a14127156f27..ab541fa8a1df 100644 --- a/services/taxsettings/pom.xml +++ b/services/taxsettings/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT taxsettings AWS Java SDK :: Services :: Tax Settings diff --git a/services/textract/pom.xml b/services/textract/pom.xml index 11ad9b389324..b42ddb5bef51 100644 --- a/services/textract/pom.xml +++ b/services/textract/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT textract AWS Java SDK :: Services :: Textract diff --git a/services/timestreaminfluxdb/pom.xml b/services/timestreaminfluxdb/pom.xml index afbbaff31c27..b73fcccb4e99 100644 --- a/services/timestreaminfluxdb/pom.xml +++ b/services/timestreaminfluxdb/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT timestreaminfluxdb AWS Java SDK :: Services :: Timestream Influx DB diff --git a/services/timestreamquery/pom.xml b/services/timestreamquery/pom.xml index eb719c5691c1..100975636527 100644 --- a/services/timestreamquery/pom.xml +++ b/services/timestreamquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT timestreamquery AWS Java SDK :: Services :: Timestream Query diff --git a/services/timestreamwrite/pom.xml b/services/timestreamwrite/pom.xml index 608a962a9b6b..01c01a0c432e 100644 --- a/services/timestreamwrite/pom.xml +++ b/services/timestreamwrite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT timestreamwrite AWS Java SDK :: Services :: Timestream Write diff --git a/services/tnb/pom.xml b/services/tnb/pom.xml index 8b896bd91a48..f8d754733e04 100644 --- a/services/tnb/pom.xml +++ b/services/tnb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT tnb AWS Java SDK :: Services :: Tnb diff --git a/services/transcribe/pom.xml b/services/transcribe/pom.xml index 1b0c9979847f..fb104c61db64 100644 --- a/services/transcribe/pom.xml +++ b/services/transcribe/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT transcribe AWS Java SDK :: Services :: Transcribe diff --git a/services/transcribestreaming/pom.xml b/services/transcribestreaming/pom.xml index 0becf8a77ec7..4bd8f9a44756 100644 --- a/services/transcribestreaming/pom.xml +++ b/services/transcribestreaming/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT transcribestreaming AWS Java SDK :: Services :: AWS Transcribe Streaming diff --git a/services/transfer/pom.xml b/services/transfer/pom.xml index 7dda6da8d55c..45dfe0cdea0a 100644 --- a/services/transfer/pom.xml +++ b/services/transfer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT transfer AWS Java SDK :: Services :: Transfer diff --git a/services/translate/pom.xml b/services/translate/pom.xml index 0f920db639af..570ee645dc75 100644 --- a/services/translate/pom.xml +++ b/services/translate/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24 + 2.27.25-SNAPSHOT 4.0.0 translate diff --git a/services/trustedadvisor/pom.xml b/services/trustedadvisor/pom.xml index 549bf9088656..f658bf1ee499 100644 --- a/services/trustedadvisor/pom.xml +++ b/services/trustedadvisor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT trustedadvisor AWS Java SDK :: Services :: Trusted Advisor diff --git a/services/verifiedpermissions/pom.xml b/services/verifiedpermissions/pom.xml index bcc50024601a..f0d859a0693c 100644 --- a/services/verifiedpermissions/pom.xml +++ b/services/verifiedpermissions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT verifiedpermissions AWS Java SDK :: Services :: Verified Permissions diff --git a/services/voiceid/pom.xml b/services/voiceid/pom.xml index a716d3fbee99..85471e49b57d 100644 --- a/services/voiceid/pom.xml +++ b/services/voiceid/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT voiceid AWS Java SDK :: Services :: Voice ID diff --git a/services/vpclattice/pom.xml b/services/vpclattice/pom.xml index 778da649eb7b..fbb8fce92b98 100644 --- a/services/vpclattice/pom.xml +++ b/services/vpclattice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT vpclattice AWS Java SDK :: Services :: VPC Lattice diff --git a/services/waf/pom.xml b/services/waf/pom.xml index b6c18d64e093..f67176a38863 100644 --- a/services/waf/pom.xml +++ b/services/waf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT waf AWS Java SDK :: Services :: AWS WAF diff --git a/services/wafv2/pom.xml b/services/wafv2/pom.xml index ada5857f85c4..e4e0d4e0d1c5 100644 --- a/services/wafv2/pom.xml +++ b/services/wafv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT wafv2 AWS Java SDK :: Services :: WAFV2 diff --git a/services/wellarchitected/pom.xml b/services/wellarchitected/pom.xml index fbf83857d319..29cda9cac478 100644 --- a/services/wellarchitected/pom.xml +++ b/services/wellarchitected/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT wellarchitected AWS Java SDK :: Services :: Well Architected diff --git a/services/wisdom/pom.xml b/services/wisdom/pom.xml index e5a8645c2cec..e5c7dcf4eb70 100644 --- a/services/wisdom/pom.xml +++ b/services/wisdom/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT wisdom AWS Java SDK :: Services :: Wisdom diff --git a/services/workdocs/pom.xml b/services/workdocs/pom.xml index 7287e75c64d5..e70d67e176d3 100644 --- a/services/workdocs/pom.xml +++ b/services/workdocs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT workdocs AWS Java SDK :: Services :: Amazon WorkDocs diff --git a/services/worklink/pom.xml b/services/worklink/pom.xml index dca01c4d9c05..40f8be32949d 100644 --- a/services/worklink/pom.xml +++ b/services/worklink/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT worklink AWS Java SDK :: Services :: WorkLink diff --git a/services/workmail/pom.xml b/services/workmail/pom.xml index 669b9f13123f..f6a5961b1e98 100644 --- a/services/workmail/pom.xml +++ b/services/workmail/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.24 + 2.27.25-SNAPSHOT 4.0.0 workmail diff --git a/services/workmailmessageflow/pom.xml b/services/workmailmessageflow/pom.xml index 943f0a5df2a5..68bad17a6055 100644 --- a/services/workmailmessageflow/pom.xml +++ b/services/workmailmessageflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT workmailmessageflow AWS Java SDK :: Services :: WorkMailMessageFlow diff --git a/services/workspaces/pom.xml b/services/workspaces/pom.xml index 428e777dea0e..8740e9405438 100644 --- a/services/workspaces/pom.xml +++ b/services/workspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT workspaces AWS Java SDK :: Services :: Amazon WorkSpaces diff --git a/services/workspacesthinclient/pom.xml b/services/workspacesthinclient/pom.xml index a67cc4521d69..226f728009dd 100644 --- a/services/workspacesthinclient/pom.xml +++ b/services/workspacesthinclient/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT workspacesthinclient AWS Java SDK :: Services :: Work Spaces Thin Client diff --git a/services/workspacesweb/pom.xml b/services/workspacesweb/pom.xml index 83ddd3dc4c9e..f7aa5792a926 100644 --- a/services/workspacesweb/pom.xml +++ b/services/workspacesweb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT workspacesweb AWS Java SDK :: Services :: Work Spaces Web diff --git a/services/xray/pom.xml b/services/xray/pom.xml index 8ce78ac60cf6..91feff4aa2a7 100644 --- a/services/xray/pom.xml +++ b/services/xray/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.24 + 2.27.25-SNAPSHOT xray AWS Java SDK :: Services :: AWS X-Ray diff --git a/test/auth-tests/pom.xml b/test/auth-tests/pom.xml index e022f8f6dc12..269e757bce7c 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.27.24 + 2.27.25-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/bundle-logging-bridge-binding-test/pom.xml b/test/bundle-logging-bridge-binding-test/pom.xml index 4c140a946fd4..25c983577893 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.27.24 + 2.27.25-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/bundle-shading-tests/pom.xml b/test/bundle-shading-tests/pom.xml index 4d10da922d16..a84535cee326 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.27.24 + 2.27.25-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/codegen-generated-classes-test/pom.xml b/test/codegen-generated-classes-test/pom.xml index ea14ddfd934b..6f583084f2a5 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.27.24 + 2.27.25-SNAPSHOT ../../pom.xml diff --git a/test/crt-unavailable-tests/pom.xml b/test/crt-unavailable-tests/pom.xml index 678d6ebd0602..de14dc75a1ac 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.27.24 + 2.27.25-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/http-client-tests/pom.xml b/test/http-client-tests/pom.xml index cf9769217066..a674e7e23701 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.27.24 + 2.27.25-SNAPSHOT ../../pom.xml http-client-tests diff --git a/test/module-path-tests/pom.xml b/test/module-path-tests/pom.xml index d4ebeb5c9c57..f0407bbd8136 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.27.24 + 2.27.25-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/old-client-version-compatibility-test/pom.xml b/test/old-client-version-compatibility-test/pom.xml index e4ef9516e307..ea525ac4e0cb 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.27.24 + 2.27.25-SNAPSHOT ../../pom.xml diff --git a/test/protocol-tests-core/pom.xml b/test/protocol-tests-core/pom.xml index 97fdace4ec40..31aab1125967 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.27.24 + 2.27.25-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/protocol-tests/pom.xml b/test/protocol-tests/pom.xml index 1541230ef0c2..d073fc63c86a 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.27.24 + 2.27.25-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/region-testing/pom.xml b/test/region-testing/pom.xml index 27ca49c56fd5..46098234c65b 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.27.24 + 2.27.25-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/ruleset-testing-core/pom.xml b/test/ruleset-testing-core/pom.xml index b761fac94ac9..6f1b1c2451a6 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.27.24 + 2.27.25-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/s3-benchmarks/pom.xml b/test/s3-benchmarks/pom.xml index c58e2731ca49..194ea0d95189 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.27.24 + 2.27.25-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/sdk-benchmarks/pom.xml b/test/sdk-benchmarks/pom.xml index 72ab2fb74f87..ba28496f1e18 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.27.24 + 2.27.25-SNAPSHOT ../../pom.xml diff --git a/test/sdk-native-image-test/pom.xml b/test/sdk-native-image-test/pom.xml index 28c30d7be0ab..9390fde3a8e8 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.27.24 + 2.27.25-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/service-test-utils/pom.xml b/test/service-test-utils/pom.xml index 9e2639708b0d..33ed88373e7a 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.27.24 + 2.27.25-SNAPSHOT ../../pom.xml service-test-utils diff --git a/test/stability-tests/pom.xml b/test/stability-tests/pom.xml index 707edba57665..cc6e2615f711 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.27.24 + 2.27.25-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/test-utils/pom.xml b/test/test-utils/pom.xml index 1da42960dad6..f4182ef1f8fa 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.27.24 + 2.27.25-SNAPSHOT ../../pom.xml test-utils diff --git a/test/tests-coverage-reporting/pom.xml b/test/tests-coverage-reporting/pom.xml index 0449f561ac08..6d90ece2d94a 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.27.24 + 2.27.25-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/v2-migration-tests/pom.xml b/test/v2-migration-tests/pom.xml index ebd95d4be385..980f4bc5e8f7 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.27.24 + 2.27.25-SNAPSHOT ../.. diff --git a/third-party/pom.xml b/third-party/pom.xml index 9a1e06349d83..0ea43509ef2f 100644 --- a/third-party/pom.xml +++ b/third-party/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.24 + 2.27.25-SNAPSHOT third-party diff --git a/third-party/third-party-jackson-core/pom.xml b/third-party/third-party-jackson-core/pom.xml index 8df67c94cb9e..98d0da9df473 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.27.24 + 2.27.25-SNAPSHOT 4.0.0 diff --git a/third-party/third-party-jackson-dataformat-cbor/pom.xml b/third-party/third-party-jackson-dataformat-cbor/pom.xml index 5ec0d5cb8425..bb25f9cf62b7 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.27.24 + 2.27.25-SNAPSHOT 4.0.0 diff --git a/third-party/third-party-slf4j-api/pom.xml b/third-party/third-party-slf4j-api/pom.xml index 71c11385c8ec..8caf6c7e58a5 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.27.24 + 2.27.25-SNAPSHOT 4.0.0 diff --git a/utils/pom.xml b/utils/pom.xml index 7b089e1fda38..23ca909fc891 100644 --- a/utils/pom.xml +++ b/utils/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.24 + 2.27.25-SNAPSHOT 4.0.0 diff --git a/v2-migration/pom.xml b/v2-migration/pom.xml index 5bd1df21a72a..80f18e541b4a 100644 --- a/v2-migration/pom.xml +++ b/v2-migration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.24 + 2.27.25-SNAPSHOT ../pom.xml From 40bdde83f6281a7ed860500e2042e5a671e4bb6f Mon Sep 17 00:00:00 2001 From: John Viegas <70235430+joviegas@users.noreply.github.com> Date: Wed, 11 Sep 2024 15:02:43 -0700 Subject: [PATCH 064/108] SQS Automatic Request Batching (#5580) * Codegenerate BatchManager API under AsyncClient and Initail Interfaces for BatchManager (#5321) * Codegenerate BatchManager API under AsyncClient and Add empty initial Batchmanager interfaces and Implementations * Addressed review comments * Added Internal classes required for BatchManager Implementation * Revert "Added Internal classes required for BatchManager Implementation" This reverts commit 318969b9fe00870070be7a2c6036bfb3d636912e. * Internal classes and RequestBatchManager Impelementation (#5418) * Added Internal classes required for BatchManager Implementation * Added Batch Send Implementation * Handled review comments * Handled review comments * Handled review comments * Made RequestBatchManager class a Abstract class * Checkstyle issues * Removed unused methods * New lines removed * Made public static to private state for sqsBatch functions * Constants added * Sonar cloud issues fixed * commit to check why test on codebuild * Increased Timeouts for get * Added abstract methods * Handled comments to remove Builders * Handled comments to take care when batchmanager closed while pending requests * Handled comments * Checkstyle issue * Added Consumer builders args for existing APIs of BatchManager (#5514) * Receive Batch Manager Implementation (#5488) * Add Recieve Buffer Queue And its related configuration * Update ReceiveBatch manager * Recieve Batch Manager Implementation * Receive Batch Manager Implemetation * Handled review comments * Checkstyle failure * Flsky test case fixed * Flaky test case fixed * Hamdled review comments * Handled comments * Removed ReceiveMessageCompletableFuture * SdkClosable implemented * Added ReceiveMessageBatchManager class for completeness * Checkstyle issues * Null checks * Handled comments from Zoe * Updated the defaults to 50ms same as V1 after surface area review * Revert "Updated the defaults to 50ms same as V1 after surface area review" This reverts commit e7d2295cc03fabae90e30883fd1ac8613dbb79df. * Bytes Based batching for SendMessageRequest Batching (#5540) * Initial changes * Initial changes 2 * Byte Based batching for SendMessage API * Byte Based batching for SendMessage API * Handled comments * Checkstyle issue * Add User Agent for Sqs Calls made using Automatic Batching Manager (#5546) * Add User Agent for Sqs Calls made using Automatic Batching Manager as hll/abm * Review comments * Update comments from PR 5488 (#5550) * Update comments of PR 5488 * Update comments from PR 5488 * Handled surface area review comments (#5563) * Initial version * Intermediate changes * Update after internal poll * ResponseCOnfiguration construction updated * RequestOverride configuration check added to Bypass batch manager * Handled review comments * Removed TODO since validations are handled in BatchPverrideConfiguration * Fix issue where the Scheduled Timeout was incorrectly completing the futures with empty messages (#5571) * Fix issue where the Scheduled Timeout was incorrectly completing the futures with empty messages * Handled review comments * Integ test for Automatic Request Batching (#5576) * feat(sqs): add BatchManager for client-side request batching to Amazon SQS The new BatchManager allows for simple request batching using client-side buffering, improving cost efficiency and reducing the number of requests sent to Amazon SQS. The client-side buffering supports up to 10 requests per batch and is supported by the SqsAsyncClient. Batched requests, along with receive message polling, help to increase throughput. * Add check for scheduledExecutor such that it not null when creating SqsAsyncBatchManager (#5582) * Add check for scheduledExecutor such that it not null when creating SqsAsyncBatchManager * Update services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/SqsAsyncBatchManagerBuilderTest.java Co-authored-by: David Ho <70000000+davidh44@users.noreply.github.com> * Update services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/SqsAsyncBatchManagerBuilderTest.java Co-authored-by: David Ho <70000000+davidh44@users.noreply.github.com> * Update services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/SqsAsyncBatchManagerBuilderTest.java Co-authored-by: David Ho <70000000+davidh44@users.noreply.github.com> --------- Co-authored-by: David Ho <70000000+davidh44@users.noreply.github.com> * Updating Timeouts in gets so that we dont wait infinitely --------- Co-authored-by: David Ho <70000000+davidh44@users.noreply.github.com> --- ...ture-AmazonSimpleQueueService-97fc706.json | 6 + .../amazon/awssdk/codegen/AddMetadata.java | 1 + .../awssdk/codegen/internal/Constant.java | 2 + .../customization/CustomizationConfig.java | 13 + .../codegen/model/intermediate/Metadata.java | 20 + .../codegen/naming/DefaultNamingStrategy.java | 5 + .../awssdk/codegen/naming/NamingStrategy.java | 5 + .../awssdk/codegen/poet/PoetExtension.java | 5 + .../codegen/poet/client/AsyncClientClass.java | 46 +- .../poet/client/AsyncClientInterface.java | 19 + .../client/DelegatingAsyncClientClass.java | 5 + .../awssdk/codegen/poet/ClientTestModels.java | 12 + .../poet/client/AsyncClientClassTest.java | 7 + .../poet/client/AsyncClientInterfaceTest.java | 7 + .../c2j/batchmanager/customization.config | 3 + .../client/c2j/batchmanager/service-2.json | 84 ++++ .../client/c2j/rest-json/customization.config | 3 +- .../sra/test-json-async-client-class.java | 10 + .../test-abstract-async-client-class.java | 9 + .../poet/client/test-batchmanager-async.java | 214 ++++++++ .../client/test-json-async-client-class.java | 10 + ...n-async-client-interface-batchmanager.java | 116 +++++ .../test-json-async-client-interface.java | 8 + services/sqs/pom.xml | 21 + ...RequestBatchManagerSqsIntegrationTest.java | 460 +++++++++++++++++ ...esponseBatchManagerSqsIntegrationTest.java | 213 ++++++++ .../BatchOverrideConfiguration.java | 316 ++++++++++++ .../batchmanager/SqsAsyncBatchManager.java | 198 ++++++++ .../BatchingExecutionContext.java | 50 ++ .../internal/batchmanager/BatchingMap.java | 96 ++++ .../ChangeMessageVisibilityBatchManager.java | 146 ++++++ .../DefaultSqsAsyncBatchManager.java | 145 ++++++ .../DeleteMessageBatchManager.java | 146 ++++++ .../batchmanager/IdentifiableMessage.java | 68 +++ .../batchmanager/QueueAttributesManager.java | 161 ++++++ .../batchmanager/ReceiveBatchManager.java | 75 +++ .../ReceiveMessageBatchManager.java | 117 +++++ .../batchmanager/ReceiveQueueBuffer.java | 246 ++++++++++ .../batchmanager/ReceiveSqsMessageHelper.java | 179 +++++++ .../batchmanager/RequestBatchBuffer.java | 165 +++++++ .../RequestBatchConfiguration.java | 124 +++++ .../batchmanager/RequestBatchManager.java | 179 +++++++ .../RequestPayloadCalculator.java | 52 ++ .../ResponseBatchConfiguration.java | 178 +++++++ .../batchmanager/SendMessageBatchManager.java | 154 ++++++ .../codegen-resources/customization.config | 3 +- .../batchmanager/BaseSqsBatchManagerTest.java | 374 ++++++++++++++ .../BatchOverrideConfigurationTest.java | 132 +++++ .../sqs/batchmanager/BatchResponse.java | 31 ++ .../sqs/batchmanager/BatchResponseEntry.java | 34 ++ .../sqs/batchmanager/CustomClient.java | 33 ++ .../batchmanager/IdentifiableMessageTest.java | 64 +++ .../QueueAttributesManagerTest.java | 145 ++++++ .../batchmanager/ReceiveBatchManagerTest.java | 233 +++++++++ .../batchmanager/ReceiveBatchesMockTest.java | 238 +++++++++ .../ReceiveMessageBatchManagerTest.java | 253 ++++++++++ .../batchmanager/ReceiveQueueBufferTest.java | 464 ++++++++++++++++++ .../ReceiveSqsMessageHelperTest.java | 292 +++++++++++ .../batchmanager/RequestBatchBufferTest.java | 201 ++++++++ .../batchmanager/RequestBatchManagerTest.java | 244 +++++++++ .../RequestPayloadCalculatorTest.java | 90 ++++ .../sqs/batchmanager/SampleBatchManager.java | 60 +++ .../SqsAsyncBatchManagerBuilderTest.java | 65 +++ .../SqsAsyncBatchManagerTest.java | 106 ++++ 64 files changed, 7154 insertions(+), 7 deletions(-) create mode 100644 .changes/next-release/feature-AmazonSimpleQueueService-97fc706.json create mode 100644 codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/c2j/batchmanager/customization.config create mode 100644 codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/c2j/batchmanager/service-2.json create mode 100644 codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/test-batchmanager-async.java create mode 100644 codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/test-json-async-client-interface-batchmanager.java create mode 100644 services/sqs/src/it/java/software/amazon/awssdk/services/sqs/RequestBatchManagerSqsIntegrationTest.java create mode 100644 services/sqs/src/it/java/software/amazon/awssdk/services/sqs/ResponseBatchManagerSqsIntegrationTest.java create mode 100644 services/sqs/src/main/java/software/amazon/awssdk/services/sqs/batchmanager/BatchOverrideConfiguration.java create mode 100644 services/sqs/src/main/java/software/amazon/awssdk/services/sqs/batchmanager/SqsAsyncBatchManager.java create mode 100644 services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/BatchingExecutionContext.java create mode 100644 services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/BatchingMap.java create mode 100644 services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/ChangeMessageVisibilityBatchManager.java create mode 100644 services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/DefaultSqsAsyncBatchManager.java create mode 100644 services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/DeleteMessageBatchManager.java create mode 100644 services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/IdentifiableMessage.java create mode 100644 services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/QueueAttributesManager.java create mode 100644 services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/ReceiveBatchManager.java create mode 100644 services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/ReceiveMessageBatchManager.java create mode 100644 services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/ReceiveQueueBuffer.java create mode 100644 services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/ReceiveSqsMessageHelper.java create mode 100644 services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/RequestBatchBuffer.java create mode 100644 services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/RequestBatchConfiguration.java create mode 100644 services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/RequestBatchManager.java create mode 100644 services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/RequestPayloadCalculator.java create mode 100644 services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/ResponseBatchConfiguration.java create mode 100644 services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/SendMessageBatchManager.java create mode 100644 services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/BaseSqsBatchManagerTest.java create mode 100644 services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/BatchOverrideConfigurationTest.java create mode 100644 services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/BatchResponse.java create mode 100644 services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/BatchResponseEntry.java create mode 100644 services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/CustomClient.java create mode 100644 services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/IdentifiableMessageTest.java create mode 100644 services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/QueueAttributesManagerTest.java create mode 100644 services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/ReceiveBatchManagerTest.java create mode 100644 services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/ReceiveBatchesMockTest.java create mode 100644 services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/ReceiveMessageBatchManagerTest.java create mode 100644 services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/ReceiveQueueBufferTest.java create mode 100644 services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/ReceiveSqsMessageHelperTest.java create mode 100644 services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/RequestBatchBufferTest.java create mode 100644 services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/RequestBatchManagerTest.java create mode 100644 services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/RequestPayloadCalculatorTest.java create mode 100644 services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/SampleBatchManager.java create mode 100644 services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/SqsAsyncBatchManagerBuilderTest.java create mode 100644 services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/SqsAsyncBatchManagerTest.java diff --git a/.changes/next-release/feature-AmazonSimpleQueueService-97fc706.json b/.changes/next-release/feature-AmazonSimpleQueueService-97fc706.json new file mode 100644 index 000000000000..f3335518838a --- /dev/null +++ b/.changes/next-release/feature-AmazonSimpleQueueService-97fc706.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Amazon Simple Queue Service", + "contributor": "", + "description": "The AWS SDK for Java now supports a new `BatchManager` for Amazon Simple Queue Service (SQS), allowing for client-side request batching with `SqsAsyncClient`. This feature improves cost efficiency by buffering up to 10 requests before sending them as a batch to SQS. The implementation also supports receive message polling, which further enhances throughput by minimizing the number of individual requests sent. The batched requests help to optimize performance and reduce the costs associated with using Amazon SQS." +} diff --git a/codegen/src/main/java/software/amazon/awssdk/codegen/AddMetadata.java b/codegen/src/main/java/software/amazon/awssdk/codegen/AddMetadata.java index 974b9e122fda..f66ff4d6fd84 100644 --- a/codegen/src/main/java/software/amazon/awssdk/codegen/AddMetadata.java +++ b/codegen/src/main/java/software/amazon/awssdk/codegen/AddMetadata.java @@ -60,6 +60,7 @@ public static Metadata constructMetadata(ServiceModel serviceModel, .withBaseBuilder(String.format(Constant.BASE_BUILDER_CLASS_NAME_PATTERN, serviceName)) .withDocumentation(serviceModel.getDocumentation()) .withServiceAbbreviation(serviceMetadata.getServiceAbbreviation()) + .withBatchmanagerPackageName(namingStrategy.getBatchManagerPackageName(serviceName)) .withServiceFullName(serviceMetadata.getServiceFullName()) .withServiceName(serviceName) .withSyncClient(String.format(Constant.SYNC_CLIENT_CLASS_NAME_PATTERN, serviceName)) diff --git a/codegen/src/main/java/software/amazon/awssdk/codegen/internal/Constant.java b/codegen/src/main/java/software/amazon/awssdk/codegen/internal/Constant.java index a5579638ecd3..548df37ff885 100644 --- a/codegen/src/main/java/software/amazon/awssdk/codegen/internal/Constant.java +++ b/codegen/src/main/java/software/amazon/awssdk/codegen/internal/Constant.java @@ -76,6 +76,8 @@ public final class Constant { public static final String PACKAGE_NAME_SMOKE_TEST_PATTERN = "%s.smoketests"; + public static final String PACKAGE_NAME_BATCHMANAGER_PATTERN = "%s.batchmanager"; + public static final String PACKAGE_NAME_CUSTOM_AUTH_PATTERN = "%s.auth"; public static final String AUTH_POLICY_ENUM_CLASS_DIR = "software/amazon/awssdk/auth/policy/actions"; diff --git a/codegen/src/main/java/software/amazon/awssdk/codegen/model/config/customization/CustomizationConfig.java b/codegen/src/main/java/software/amazon/awssdk/codegen/model/config/customization/CustomizationConfig.java index 43f7e832f33f..70289e2a05a7 100644 --- a/codegen/src/main/java/software/amazon/awssdk/codegen/model/config/customization/CustomizationConfig.java +++ b/codegen/src/main/java/software/amazon/awssdk/codegen/model/config/customization/CustomizationConfig.java @@ -342,6 +342,11 @@ public class CustomizationConfig { */ private Map preClientExecutionRequestCustomizer; + /** + * A boolean flag to indicate if Automatic Batch Request is supported. + */ + private boolean batchManagerSupported; + private CustomizationConfig() { } @@ -901,4 +906,12 @@ public void setPreClientExecutionRequestCustomizer(Map type.addField(EndpointDiscoveryRefreshCache.class, "endpointDiscoveryCache", PRIVATE)); } @@ -180,9 +186,6 @@ protected void addAdditionalMethods(TypeSpec.Builder type) { @Override protected void addWaiterMethod(TypeSpec.Builder type) { - type.addField(FieldSpec.builder(ClassName.get(ScheduledExecutorService.class), "executorService") - .addModifiers(PRIVATE, FINAL) - .build()); MethodSpec waiter = MethodSpec.methodBuilder("waiter") .addModifiers(PUBLIC) @@ -263,7 +266,7 @@ private MethodSpec constructor(TypeSpec.Builder classBuilder) { builder.endControlFlow(); } - if (model.hasWaiters()) { + if (shouldAddScheduledExecutor()) { builder.addStatement("this.executorService = clientConfiguration.option($T.SCHEDULED_EXECUTOR_SERVICE)", SdkClientOption.class); } @@ -271,6 +274,10 @@ private MethodSpec constructor(TypeSpec.Builder classBuilder) { return builder.build(); } + private boolean shouldAddScheduledExecutor() { + return model.hasWaiters() || model.getCustomizationConfig().getBatchManagerSupported(); + } + private boolean hasOperationWithEventStreamOutput() { return model.getOperations().values().stream().anyMatch(OperationModel::hasEventStreamOutput); } @@ -547,6 +554,26 @@ protected MethodSpec utilitiesMethod() { .build(); } + @Override + protected void addBatchManagerMethod(Builder type) { + + String scheduledExecutor = "executorService"; + ClassName returnType; + + returnType = poetExtensions.getBatchManagerAsyncInterface(); + + MethodSpec batchManager = MethodSpec.methodBuilder("batchManager") + .addModifiers(PUBLIC) + .addAnnotation(Override.class) + .returns(returnType) + .addStatement("return $T.builder().client(this).scheduledExecutor($N).build()", + returnType, scheduledExecutor) + .build(); + + + type.addMethod(batchManager); + } + private MethodSpec resolveMetricPublishersMethod() { String clientConfigName = "clientConfiguration"; String requestOverrideConfigName = "requestOverrideConfiguration"; @@ -621,4 +648,13 @@ private boolean hasStreamingV4AuthOperations() { return model.getOperations().values().stream() .anyMatch(this::shouldUseAsyncWithBodySigner); } + + private void addScheduledExecutorIfNeeded(Builder classBuilder) { + if (!hasScheduledExecutor) { + classBuilder.addField(FieldSpec.builder(ClassName.get(ScheduledExecutorService.class), "executorService") + .addModifiers(PRIVATE, FINAL) + .build()); + hasScheduledExecutor = true; + } + } } diff --git a/codegen/src/main/java/software/amazon/awssdk/codegen/poet/client/AsyncClientInterface.java b/codegen/src/main/java/software/amazon/awssdk/codegen/poet/client/AsyncClientInterface.java index 3417f0853afb..cbd5f3cb3e9a 100644 --- a/codegen/src/main/java/software/amazon/awssdk/codegen/poet/client/AsyncClientInterface.java +++ b/codegen/src/main/java/software/amazon/awssdk/codegen/poet/client/AsyncClientInterface.java @@ -96,6 +96,9 @@ public TypeSpec poetSpec() { if (model.hasWaiters()) { addWaiterMethod(result); } + if (model.getCustomizationConfig().getBatchManagerSupported()) { + addBatchManagerMethod(result); + } result.addMethod(serviceClientConfigMethod()); addAdditionalMethods(result); addCloseMethod(result); @@ -162,6 +165,16 @@ protected void addWaiterMethod(TypeSpec.Builder type) { type.addMethod(waiterOperationBody(builder).build()); } + protected void addBatchManagerMethod(TypeSpec.Builder type) { + ClassName returnType = poetExtensions.getBatchManagerAsyncInterface(); + MethodSpec.Builder builder = MethodSpec.methodBuilder("batchManager") + .addModifiers(PUBLIC) + .returns(returnType) + .addJavadoc("Creates an instance of {@link $T} object with the " + + "configuration set on this client.", returnType); + type.addMethod(batchManagerOperationBody(builder).build()); + } + @Override public ClassName className() { return className; @@ -532,4 +545,10 @@ protected MethodSpec.Builder waiterOperationBody(MethodSpec.Builder builder) { return builder.addModifiers(DEFAULT, PUBLIC) .addStatement("throw new $T()", UnsupportedOperationException.class); } + + protected MethodSpec.Builder batchManagerOperationBody(MethodSpec.Builder builder) { + return builder.addModifiers(DEFAULT, PUBLIC) + .addStatement("throw new $T()", UnsupportedOperationException.class); + } + } diff --git a/codegen/src/main/java/software/amazon/awssdk/codegen/poet/client/DelegatingAsyncClientClass.java b/codegen/src/main/java/software/amazon/awssdk/codegen/poet/client/DelegatingAsyncClientClass.java index 27e3cee5d046..5af2c45ad0bc 100644 --- a/codegen/src/main/java/software/amazon/awssdk/codegen/poet/client/DelegatingAsyncClientClass.java +++ b/codegen/src/main/java/software/amazon/awssdk/codegen/poet/client/DelegatingAsyncClientClass.java @@ -217,4 +217,9 @@ protected MethodSpec.Builder utilitiesOperationBody(MethodSpec.Builder builder) protected MethodSpec.Builder waiterOperationBody(MethodSpec.Builder builder) { return builder.addAnnotation(Override.class).addStatement("return delegate.waiter()"); } + + @Override + protected MethodSpec.Builder batchManagerOperationBody(MethodSpec.Builder builder) { + return builder.addAnnotation(Override.class).addStatement("return delegate.batchManager()"); + } } diff --git a/codegen/src/test/java/software/amazon/awssdk/codegen/poet/ClientTestModels.java b/codegen/src/test/java/software/amazon/awssdk/codegen/poet/ClientTestModels.java index 5da67e8f2e8a..d67baa9fa240 100644 --- a/codegen/src/test/java/software/amazon/awssdk/codegen/poet/ClientTestModels.java +++ b/codegen/src/test/java/software/amazon/awssdk/codegen/poet/ClientTestModels.java @@ -398,6 +398,18 @@ public static IntermediateModel internalConfigModels() { return new IntermediateModelBuilder(models).build(); } + public static IntermediateModel batchManagerModels() { + File serviceModel = new File(ClientTestModels.class.getResource("client/c2j/batchmanager/service-2.json").getFile()); + File customizationModel = new File(ClientTestModels.class.getResource("client/c2j/batchmanager/customization.config").getFile()); + + C2jModels models = C2jModels.builder() + .serviceModel(getServiceModel(serviceModel)) + .customizationConfig(getCustomizationConfig(customizationModel)) + .build(); + + return new IntermediateModelBuilder(models).build(); + } + private static ServiceModel getServiceModel(File file) { return ModelLoaderUtils.loadModel(ServiceModel.class, file); } diff --git a/codegen/src/test/java/software/amazon/awssdk/codegen/poet/client/AsyncClientClassTest.java b/codegen/src/test/java/software/amazon/awssdk/codegen/poet/client/AsyncClientClassTest.java index fc9157feae18..60ca355827ef 100644 --- a/codegen/src/test/java/software/amazon/awssdk/codegen/poet/client/AsyncClientClassTest.java +++ b/codegen/src/test/java/software/amazon/awssdk/codegen/poet/client/AsyncClientClassTest.java @@ -18,6 +18,7 @@ import static org.hamcrest.MatcherAssert.assertThat; import static software.amazon.awssdk.codegen.poet.ClientTestModels.awsJsonServiceModels; import static software.amazon.awssdk.codegen.poet.ClientTestModels.awsQueryCompatibleJsonServiceModels; +import static software.amazon.awssdk.codegen.poet.ClientTestModels.batchManagerModels; import static software.amazon.awssdk.codegen.poet.ClientTestModels.customContentTypeModels; import static software.amazon.awssdk.codegen.poet.ClientTestModels.customPackageModels; import static software.amazon.awssdk.codegen.poet.ClientTestModels.endpointDiscoveryModels; @@ -92,6 +93,12 @@ public void asyncClientCustomPackageName() { assertThat(syncClientCustomServiceMetaData, generatesTo("test-custompackage-async.java")); } + @Test + public void asyncClientBatchManager() { + ClassSpec aSyncClientBatchManager = createAsyncClientClass(batchManagerModels()); + assertThat(aSyncClientBatchManager, generatesTo("test-batchmanager-async.java")); + } + private AsyncClientClass createAsyncClientClass(IntermediateModel model) { return new AsyncClientClass(GeneratorTaskParams.create(model, "sources/", "tests/", "resources/")); } diff --git a/codegen/src/test/java/software/amazon/awssdk/codegen/poet/client/AsyncClientInterfaceTest.java b/codegen/src/test/java/software/amazon/awssdk/codegen/poet/client/AsyncClientInterfaceTest.java index 2ab2aa389716..fda4c6f2b459 100644 --- a/codegen/src/test/java/software/amazon/awssdk/codegen/poet/client/AsyncClientInterfaceTest.java +++ b/codegen/src/test/java/software/amazon/awssdk/codegen/poet/client/AsyncClientInterfaceTest.java @@ -16,6 +16,7 @@ package software.amazon.awssdk.codegen.poet.client; import static org.hamcrest.MatcherAssert.assertThat; +import static software.amazon.awssdk.codegen.poet.ClientTestModels.batchManagerModels; import static software.amazon.awssdk.codegen.poet.ClientTestModels.restJsonServiceModels; import static software.amazon.awssdk.codegen.poet.PoetMatchers.generatesTo; @@ -28,4 +29,10 @@ public void asyncClientInterface() { ClassSpec asyncClientInterface = new AsyncClientInterface(restJsonServiceModels()); assertThat(asyncClientInterface, generatesTo("test-json-async-client-interface.java")); } + + @Test + public void asyncClientInterfaceWithBatchManager() { + ClassSpec asyncClientInterface = new AsyncClientInterface(batchManagerModels()); + assertThat(asyncClientInterface, generatesTo("test-json-async-client-interface-batchmanager.java")); + } } diff --git a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/c2j/batchmanager/customization.config b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/c2j/batchmanager/customization.config new file mode 100644 index 000000000000..87eafa0c2fe6 --- /dev/null +++ b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/c2j/batchmanager/customization.config @@ -0,0 +1,3 @@ +{ + "batchManagerSupported": true +} diff --git a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/c2j/batchmanager/service-2.json b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/c2j/batchmanager/service-2.json new file mode 100644 index 000000000000..96d476b66dd2 --- /dev/null +++ b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/c2j/batchmanager/service-2.json @@ -0,0 +1,84 @@ +{ + "version":"2.0", + "metadata":{ + "apiVersion":"2016-03-11", + "endpointPrefix":"batchmanagertest", + "jsonVersion":"1.1", + "protocol":"rest-json", + "serviceAbbreviation":"BatchManagerTest", + "serviceFullName":"BatchManagerTest", + "serviceId":"BatchManagerTest", + "signatureVersion":"v4", + "uid":"batchmanagertest-2016-03-11" + }, + "operations":{ + "SendRequest":{ + "name":"SendMessage", + "http":{ + "method":"POST", + "requestUri":"/" + }, + "input":{"shape":"SendRequestRequest"}, + "output":{ + "shape":"SendRequestResult", + "resultWrapper":"SendRequestResult" + } + } + }, + "shapes": { + "String": { + "type": "string" + }, + "Integer": { + "type": "integer" + }, + "Boolean": { + "type": "boolean" + }, + "SendRequestRequest": { + "type": "structure", + "required": [ + "QueueUrl", + "MessageBody" + ], + "members": { + "QueueUrl": { + "shape": "String" + }, + "MessageBody": { + "shape": "String" + }, + "DelaySeconds": { + "shape": "Integer" + }, + "MessageDeduplicationId": { + "shape": "String" + }, + "MessageGroupId": { + "shape": "String" + } + } + }, + "SendRequestResult":{ + "type":"structure", + "members":{ + "MD5OfMessageBody":{ + "shape":"String" + }, + "MD5OfMessageAttributes":{ + "shape":"String" + }, + "MD5OfMessageSystemAttributes":{ + "shape":"String" + }, + "MessageId":{ + "shape":"String" + }, + "SequenceNumber":{ + "shape":"String" + } + } + } + }, + "documentation": "A service that implements the batchManager() method" +} diff --git a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/c2j/rest-json/customization.config b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/c2j/rest-json/customization.config index 04b7901237f7..683ddcaa682e 100644 --- a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/c2j/rest-json/customization.config +++ b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/c2j/rest-json/customization.config @@ -65,5 +65,6 @@ "EventStream": ["EventOne", "event-two", "eventThree"] }, "asyncClientDecoratorClass": true, - "syncClientDecoratorClass": true + "syncClientDecoratorClass": true, + "batchManagerSupported": true } diff --git a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/sra/test-json-async-client-class.java b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/sra/test-json-async-client-class.java index eebbfa82aa87..aa5c4ef710ce 100644 --- a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/sra/test-json-async-client-class.java +++ b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/sra/test-json-async-client-class.java @@ -7,6 +7,7 @@ import java.util.List; import java.util.concurrent.CompletableFuture; import java.util.concurrent.Executor; +import java.util.concurrent.ScheduledExecutorService; import java.util.function.Consumer; import org.reactivestreams.Publisher; import org.slf4j.Logger; @@ -58,6 +59,7 @@ import software.amazon.awssdk.protocols.json.BaseAwsJsonProtocolFactory; import software.amazon.awssdk.protocols.json.JsonOperationMetadata; import software.amazon.awssdk.retries.api.RetryStrategy; +import software.amazon.awssdk.services.json.batchmanager.JsonAsyncBatchManager; import software.amazon.awssdk.services.json.internal.JsonServiceClientConfigurationBuilder; import software.amazon.awssdk.services.json.model.APostOperationRequest; import software.amazon.awssdk.services.json.model.APostOperationResponse; @@ -142,6 +144,8 @@ final class DefaultJsonAsyncClient implements JsonAsyncClient { private final SdkClientConfiguration clientConfiguration; + private final ScheduledExecutorService executorService; + private final Executor executor; protected DefaultJsonAsyncClient(SdkClientConfiguration clientConfiguration) { @@ -149,6 +153,7 @@ protected DefaultJsonAsyncClient(SdkClientConfiguration clientConfiguration) { this.clientConfiguration = clientConfiguration.toBuilder().option(SdkClientOption.SDK_CLIENT, this).build(); this.protocolFactory = init(AwsJsonProtocolFactory.builder()).build(); this.executor = clientConfiguration.option(SdkAdvancedAsyncClientOption.FUTURE_COMPLETION_EXECUTOR); + this.executorService = clientConfiguration.option(SdkClientOption.SCHEDULED_EXECUTOR_SERVICE); } @Override @@ -1318,6 +1323,11 @@ public CompletableFuture streamingOutputOperation( } } + @Override + public JsonAsyncBatchManager batchManager() { + return JsonAsyncBatchManager.builder().client(this).scheduledExecutor(executorService).build(); + } + @Override public final JsonServiceClientConfiguration serviceClientConfiguration() { return new JsonServiceClientConfigurationBuilder(this.clientConfiguration.toBuilder()).build(); diff --git a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/test-abstract-async-client-class.java b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/test-abstract-async-client-class.java index 199e851cd15f..4ac8bf8fa893 100644 --- a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/test-abstract-async-client-class.java +++ b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/test-abstract-async-client-class.java @@ -8,6 +8,7 @@ import software.amazon.awssdk.core.SdkClient; import software.amazon.awssdk.core.async.AsyncRequestBody; import software.amazon.awssdk.core.async.AsyncResponseTransformer; +import software.amazon.awssdk.services.json.batchmanager.JsonAsyncBatchManager; import software.amazon.awssdk.services.json.model.APostOperationRequest; import software.amazon.awssdk.services.json.model.APostOperationResponse; import software.amazon.awssdk.services.json.model.APostOperationWithOutputRequest; @@ -548,6 +549,14 @@ public CompletableFuture streamingOutputOperation( request -> delegate.streamingOutputOperation(request, asyncResponseTransformer)); } + /** + * Creates an instance of {@link JsonAsyncBatchManager} object with the configuration set on this client. + */ + @Override + public JsonAsyncBatchManager batchManager() { + return delegate.batchManager(); + } + @Override public final JsonServiceClientConfiguration serviceClientConfiguration() { return delegate.serviceClientConfiguration(); diff --git a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/test-batchmanager-async.java b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/test-batchmanager-async.java new file mode 100644 index 000000000000..316daaa58fbd --- /dev/null +++ b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/test-batchmanager-async.java @@ -0,0 +1,214 @@ +package software.amazon.awssdk.services.batchmanagertest; + +import static software.amazon.awssdk.utils.FunctionalUtils.runAndLogError; + +import java.util.Collections; +import java.util.List; +import java.util.concurrent.CompletableFuture; +import java.util.concurrent.ScheduledExecutorService; +import java.util.function.Consumer; +import org.slf4j.Logger; +import org.slf4j.LoggerFactory; +import software.amazon.awssdk.annotations.Generated; +import software.amazon.awssdk.annotations.SdkInternalApi; +import software.amazon.awssdk.awscore.client.handler.AwsAsyncClientHandler; +import software.amazon.awssdk.awscore.exception.AwsServiceException; +import software.amazon.awssdk.awscore.internal.AwsProtocolMetadata; +import software.amazon.awssdk.awscore.internal.AwsServiceProtocol; +import software.amazon.awssdk.awscore.retry.AwsRetryStrategy; +import software.amazon.awssdk.core.RequestOverrideConfiguration; +import software.amazon.awssdk.core.SdkPlugin; +import software.amazon.awssdk.core.SdkRequest; +import software.amazon.awssdk.core.client.config.ClientOverrideConfiguration; +import software.amazon.awssdk.core.client.config.SdkClientConfiguration; +import software.amazon.awssdk.core.client.config.SdkClientOption; +import software.amazon.awssdk.core.client.handler.AsyncClientHandler; +import software.amazon.awssdk.core.client.handler.ClientExecutionParams; +import software.amazon.awssdk.core.http.HttpResponseHandler; +import software.amazon.awssdk.core.metrics.CoreMetric; +import software.amazon.awssdk.core.retry.RetryMode; +import software.amazon.awssdk.metrics.MetricCollector; +import software.amazon.awssdk.metrics.MetricPublisher; +import software.amazon.awssdk.metrics.NoOpMetricCollector; +import software.amazon.awssdk.protocols.json.AwsJsonProtocol; +import software.amazon.awssdk.protocols.json.AwsJsonProtocolFactory; +import software.amazon.awssdk.protocols.json.BaseAwsJsonProtocolFactory; +import software.amazon.awssdk.protocols.json.JsonOperationMetadata; +import software.amazon.awssdk.retries.api.RetryStrategy; +import software.amazon.awssdk.services.batchmanagertest.batchmanager.BatchManagerTestAsyncBatchManager; +import software.amazon.awssdk.services.batchmanagertest.internal.BatchManagerTestServiceClientConfigurationBuilder; +import software.amazon.awssdk.services.batchmanagertest.model.BatchManagerTestException; +import software.amazon.awssdk.services.batchmanagertest.model.SendRequestRequest; +import software.amazon.awssdk.services.batchmanagertest.model.SendRequestResponse; +import software.amazon.awssdk.services.batchmanagertest.transform.SendRequestRequestMarshaller; +import software.amazon.awssdk.utils.CompletableFutureUtils; + +/** + * Internal implementation of {@link BatchManagerTestAsyncClient}. + * + * @see BatchManagerTestAsyncClient#builder() + */ +@Generated("software.amazon.awssdk:codegen") +@SdkInternalApi +final class DefaultBatchManagerTestAsyncClient implements BatchManagerTestAsyncClient { + private static final Logger log = LoggerFactory.getLogger(DefaultBatchManagerTestAsyncClient.class); + + private static final AwsProtocolMetadata protocolMetadata = AwsProtocolMetadata.builder() + .serviceProtocol(AwsServiceProtocol.REST_JSON).build(); + + private final AsyncClientHandler clientHandler; + + private final AwsJsonProtocolFactory protocolFactory; + + private final SdkClientConfiguration clientConfiguration; + + private final ScheduledExecutorService executorService; + + protected DefaultBatchManagerTestAsyncClient(SdkClientConfiguration clientConfiguration) { + this.clientHandler = new AwsAsyncClientHandler(clientConfiguration); + this.clientConfiguration = clientConfiguration.toBuilder().option(SdkClientOption.SDK_CLIENT, this).build(); + this.protocolFactory = init(AwsJsonProtocolFactory.builder()).build(); + this.executorService = clientConfiguration.option(SdkClientOption.SCHEDULED_EXECUTOR_SERVICE); + } + + /** + * Invokes the SendRequest operation asynchronously. + * + * @param sendRequestRequest + * @return A Java Future containing the result of the SendRequest operation returned by the service.
+ * The CompletableFuture returned by this method can be completed exceptionally with the following + * exceptions. The exception returned is wrapped with CompletionException, so you need to invoke + * {@link Throwable#getCause} to retrieve the underlying exception. + *
    + *
  • SdkException Base class for all exceptions that can be thrown by the SDK (both service and client). + * Can be used for catch all scenarios.
  • + *
  • SdkClientException If any client side error occurs such as an IO related failure, failure to get + * credentials, etc.
  • + *
  • BatchManagerTestException Base class for all service exceptions. Unknown exceptions will be thrown as + * an instance of this type.
  • + *
+ * @sample BatchManagerTestAsyncClient.SendRequest + * @see AWS + * API Documentation + */ + @Override + public CompletableFuture sendRequest(SendRequestRequest sendRequestRequest) { + SdkClientConfiguration clientConfiguration = updateSdkClientConfiguration(sendRequestRequest, this.clientConfiguration); + List metricPublishers = resolveMetricPublishers(clientConfiguration, sendRequestRequest + .overrideConfiguration().orElse(null)); + MetricCollector apiCallMetricCollector = metricPublishers.isEmpty() ? NoOpMetricCollector.create() : MetricCollector + .create("ApiCall"); + try { + apiCallMetricCollector.reportMetric(CoreMetric.SERVICE_ID, "BatchManagerTest"); + apiCallMetricCollector.reportMetric(CoreMetric.OPERATION_NAME, "SendRequest"); + JsonOperationMetadata operationMetadata = JsonOperationMetadata.builder().hasStreamingSuccessResponse(false) + .isPayloadJson(true).build(); + + HttpResponseHandler responseHandler = protocolFactory.createResponseHandler(operationMetadata, + SendRequestResponse::builder); + + HttpResponseHandler errorResponseHandler = createErrorResponseHandler(protocolFactory, + operationMetadata); + + CompletableFuture executeFuture = clientHandler + .execute(new ClientExecutionParams() + .withOperationName("SendRequest").withProtocolMetadata(protocolMetadata) + .withMarshaller(new SendRequestRequestMarshaller(protocolFactory)) + .withResponseHandler(responseHandler).withErrorResponseHandler(errorResponseHandler) + .withRequestConfiguration(clientConfiguration).withMetricCollector(apiCallMetricCollector) + .withInput(sendRequestRequest)); + CompletableFuture whenCompleted = executeFuture.whenComplete((r, e) -> { + metricPublishers.forEach(p -> p.publish(apiCallMetricCollector.collect())); + }); + executeFuture = CompletableFutureUtils.forwardExceptionTo(whenCompleted, executeFuture); + return executeFuture; + } catch (Throwable t) { + metricPublishers.forEach(p -> p.publish(apiCallMetricCollector.collect())); + return CompletableFutureUtils.failedFuture(t); + } + } + + @Override + public BatchManagerTestAsyncBatchManager batchManager() { + return BatchManagerTestAsyncBatchManager.builder().client(this).scheduledExecutor(executorService).build(); + } + + @Override + public final BatchManagerTestServiceClientConfiguration serviceClientConfiguration() { + return new BatchManagerTestServiceClientConfigurationBuilder(this.clientConfiguration.toBuilder()).build(); + } + + @Override + public final String serviceName() { + return SERVICE_NAME; + } + + private > T init(T builder) { + return builder.clientConfiguration(clientConfiguration) + .defaultServiceExceptionSupplier(BatchManagerTestException::builder).protocol(AwsJsonProtocol.REST_JSON) + .protocolVersion("1.1"); + } + + private static List resolveMetricPublishers(SdkClientConfiguration clientConfiguration, + RequestOverrideConfiguration requestOverrideConfiguration) { + List publishers = null; + if (requestOverrideConfiguration != null) { + publishers = requestOverrideConfiguration.metricPublishers(); + } + if (publishers == null || publishers.isEmpty()) { + publishers = clientConfiguration.option(SdkClientOption.METRIC_PUBLISHERS); + } + if (publishers == null) { + publishers = Collections.emptyList(); + } + return publishers; + } + + private void updateRetryStrategyClientConfiguration(SdkClientConfiguration.Builder configuration) { + ClientOverrideConfiguration.Builder builder = configuration.asOverrideConfigurationBuilder(); + RetryMode retryMode = builder.retryMode(); + if (retryMode != null) { + configuration.option(SdkClientOption.RETRY_STRATEGY, AwsRetryStrategy.forRetryMode(retryMode)); + } else { + Consumer> configurator = builder.retryStrategyConfigurator(); + if (configurator != null) { + RetryStrategy.Builder defaultBuilder = AwsRetryStrategy.defaultRetryStrategy().toBuilder(); + configurator.accept(defaultBuilder); + configuration.option(SdkClientOption.RETRY_STRATEGY, defaultBuilder.build()); + } else { + RetryStrategy retryStrategy = builder.retryStrategy(); + if (retryStrategy != null) { + configuration.option(SdkClientOption.RETRY_STRATEGY, retryStrategy); + } + } + } + configuration.option(SdkClientOption.CONFIGURED_RETRY_MODE, null); + configuration.option(SdkClientOption.CONFIGURED_RETRY_STRATEGY, null); + configuration.option(SdkClientOption.CONFIGURED_RETRY_CONFIGURATOR, null); + } + + private SdkClientConfiguration updateSdkClientConfiguration(SdkRequest request, SdkClientConfiguration clientConfiguration) { + List plugins = request.overrideConfiguration().map(c -> c.plugins()).orElse(Collections.emptyList()); + SdkClientConfiguration.Builder configuration = clientConfiguration.toBuilder(); + if (plugins.isEmpty()) { + return configuration.build(); + } + BatchManagerTestServiceClientConfigurationBuilder serviceConfigBuilder = new BatchManagerTestServiceClientConfigurationBuilder( + configuration); + for (SdkPlugin plugin : plugins) { + plugin.configureClient(serviceConfigBuilder); + } + updateRetryStrategyClientConfiguration(configuration); + return configuration.build(); + } + + private HttpResponseHandler createErrorResponseHandler(BaseAwsJsonProtocolFactory protocolFactory, + JsonOperationMetadata operationMetadata) { + return protocolFactory.createErrorResponseHandler(operationMetadata); + } + + @Override + public void close() { + clientHandler.close(); + } +} diff --git a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/test-json-async-client-class.java b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/test-json-async-client-class.java index fdfba7f97eee..da160d482eaf 100644 --- a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/test-json-async-client-class.java +++ b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/test-json-async-client-class.java @@ -7,6 +7,7 @@ import java.util.List; import java.util.concurrent.CompletableFuture; import java.util.concurrent.Executor; +import java.util.concurrent.ScheduledExecutorService; import java.util.function.Consumer; import org.reactivestreams.Publisher; import org.slf4j.Logger; @@ -64,6 +65,7 @@ import software.amazon.awssdk.protocols.json.BaseAwsJsonProtocolFactory; import software.amazon.awssdk.protocols.json.JsonOperationMetadata; import software.amazon.awssdk.retries.api.RetryStrategy; +import software.amazon.awssdk.services.json.batchmanager.JsonAsyncBatchManager; import software.amazon.awssdk.services.json.internal.JsonServiceClientConfigurationBuilder; import software.amazon.awssdk.services.json.model.APostOperationRequest; import software.amazon.awssdk.services.json.model.APostOperationResponse; @@ -149,6 +151,8 @@ final class DefaultJsonAsyncClient implements JsonAsyncClient { private final SdkClientConfiguration clientConfiguration; + private final ScheduledExecutorService executorService; + private final Executor executor; protected DefaultJsonAsyncClient(SdkClientConfiguration clientConfiguration) { @@ -156,6 +160,7 @@ protected DefaultJsonAsyncClient(SdkClientConfiguration clientConfiguration) { this.clientConfiguration = clientConfiguration.toBuilder().option(SdkClientOption.SDK_CLIENT, this).build(); this.protocolFactory = init(AwsJsonProtocolFactory.builder()).build(); this.executor = clientConfiguration.option(SdkAdvancedAsyncClientOption.FUTURE_COMPLETION_EXECUTOR); + this.executorService = clientConfiguration.option(SdkClientOption.SCHEDULED_EXECUTOR_SERVICE); } @Override @@ -1337,6 +1342,11 @@ public CompletableFuture streamingOutputOperation( } } + @Override + public JsonAsyncBatchManager batchManager() { + return JsonAsyncBatchManager.builder().client(this).scheduledExecutor(executorService).build(); + } + @Override public final JsonServiceClientConfiguration serviceClientConfiguration() { return new JsonServiceClientConfigurationBuilder(this.clientConfiguration.toBuilder()).build(); diff --git a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/test-json-async-client-interface-batchmanager.java b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/test-json-async-client-interface-batchmanager.java new file mode 100644 index 000000000000..37610c446156 --- /dev/null +++ b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/test-json-async-client-interface-batchmanager.java @@ -0,0 +1,116 @@ +package software.amazon.awssdk.services.batchmanagertest; + +import java.util.concurrent.CompletableFuture; +import java.util.function.Consumer; +import software.amazon.awssdk.annotations.Generated; +import software.amazon.awssdk.annotations.SdkPublicApi; +import software.amazon.awssdk.annotations.ThreadSafe; +import software.amazon.awssdk.awscore.AwsClient; +import software.amazon.awssdk.services.batchmanagertest.batchmanager.BatchManagerTestAsyncBatchManager; +import software.amazon.awssdk.services.batchmanagertest.model.SendRequestRequest; +import software.amazon.awssdk.services.batchmanagertest.model.SendRequestResponse; + +/** + * Service client for accessing BatchManagerTest asynchronously. This can be created using the static {@link #builder()} + * method.The asynchronous client performs non-blocking I/O when configured with any {@code SdkAsyncHttpClient} + * supported in the SDK. However, full non-blocking is not guaranteed as the async client may perform blocking calls in + * some cases such as credentials retrieval and endpoint discovery as part of the async API call. + * + * A service that implements the batchManager() method + */ +@Generated("software.amazon.awssdk:codegen") +@SdkPublicApi +@ThreadSafe +public interface BatchManagerTestAsyncClient extends AwsClient { + String SERVICE_NAME = "batchmanagertest"; + + /** + * Value for looking up the service's metadata from the + * {@link software.amazon.awssdk.regions.ServiceMetadataProvider}. + */ + String SERVICE_METADATA_ID = "batchmanagertest"; + + /** + * Invokes the SendRequest operation asynchronously. + * + * @param sendRequestRequest + * @return A Java Future containing the result of the SendRequest operation returned by the service.
+ * The CompletableFuture returned by this method can be completed exceptionally with the following + * exceptions. The exception returned is wrapped with CompletionException, so you need to invoke + * {@link Throwable#getCause} to retrieve the underlying exception. + *
    + *
  • SdkException Base class for all exceptions that can be thrown by the SDK (both service and client). + * Can be used for catch all scenarios.
  • + *
  • SdkClientException If any client side error occurs such as an IO related failure, failure to get + * credentials, etc.
  • + *
  • BatchManagerTestException Base class for all service exceptions. Unknown exceptions will be thrown as + * an instance of this type.
  • + *
+ * @sample BatchManagerTestAsyncClient.SendRequest + * @see AWS + * API Documentation + */ + default CompletableFuture sendRequest(SendRequestRequest sendRequestRequest) { + throw new UnsupportedOperationException(); + } + + /** + * Invokes the SendRequest operation asynchronously.
+ *

+ * This is a convenience which creates an instance of the {@link SendRequestRequest.Builder} avoiding the need to + * create one manually via {@link SendRequestRequest#builder()} + *

+ * + * @param sendRequestRequest + * A {@link Consumer} that will call methods on + * {@link software.amazon.awssdk.services.batchmanagertest.model.SendRequestRequest.Builder} to create a + * request. + * @return A Java Future containing the result of the SendRequest operation returned by the service.
+ * The CompletableFuture returned by this method can be completed exceptionally with the following + * exceptions. The exception returned is wrapped with CompletionException, so you need to invoke + * {@link Throwable#getCause} to retrieve the underlying exception. + *
    + *
  • SdkException Base class for all exceptions that can be thrown by the SDK (both service and client). + * Can be used for catch all scenarios.
  • + *
  • SdkClientException If any client side error occurs such as an IO related failure, failure to get + * credentials, etc.
  • + *
  • BatchManagerTestException Base class for all service exceptions. Unknown exceptions will be thrown as + * an instance of this type.
  • + *
+ * @sample BatchManagerTestAsyncClient.SendRequest + * @see AWS + * API Documentation + */ + default CompletableFuture sendRequest(Consumer sendRequestRequest) { + return sendRequest(SendRequestRequest.builder().applyMutation(sendRequestRequest).build()); + } + + /** + * Creates an instance of {@link BatchManagerTestAsyncBatchManager} object with the configuration set on this + * client. + */ + default BatchManagerTestAsyncBatchManager batchManager() { + throw new UnsupportedOperationException(); + } + + @Override + default BatchManagerTestServiceClientConfiguration serviceClientConfiguration() { + throw new UnsupportedOperationException(); + } + + /** + * Create a {@link BatchManagerTestAsyncClient} with the region loaded from the + * {@link software.amazon.awssdk.regions.providers.DefaultAwsRegionProviderChain} and credentials loaded from the + * {@link software.amazon.awssdk.auth.credentials.DefaultCredentialsProvider}. + */ + static BatchManagerTestAsyncClient create() { + return builder().build(); + } + + /** + * Create a builder that can be used to configure and create a {@link BatchManagerTestAsyncClient}. + */ + static BatchManagerTestAsyncClientBuilder builder() { + return new DefaultBatchManagerTestAsyncClientBuilder(); + } +} \ No newline at end of file diff --git a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/test-json-async-client-interface.java b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/test-json-async-client-interface.java index 96427fe2c4ed..2c188d2664bb 100644 --- a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/test-json-async-client-interface.java +++ b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/test-json-async-client-interface.java @@ -14,6 +14,7 @@ import software.amazon.awssdk.services.builder.CustomBuilder; import software.amazon.awssdk.services.builder.DefaultBuilder; import software.amazon.awssdk.services.builder.DefaultBuilderTwo; +import software.amazon.awssdk.services.json.batchmanager.JsonAsyncBatchManager; import software.amazon.awssdk.services.json.model.APostOperationRequest; import software.amazon.awssdk.services.json.model.APostOperationResponse; import software.amazon.awssdk.services.json.model.APostOperationWithOutputRequest; @@ -1868,6 +1869,13 @@ default CompletableFuture streamingOutputOpera .build(), destinationPath); } + /** + * Creates an instance of {@link JsonAsyncBatchManager} object with the configuration set on this client. + */ + default JsonAsyncBatchManager batchManager() { + throw new UnsupportedOperationException(); + } + @Override default JsonServiceClientConfiguration serviceClientConfiguration() { throw new UnsupportedOperationException(); diff --git a/services/sqs/pom.xml b/services/sqs/pom.xml index e550a1a39f5a..8e8adf8d4354 100644 --- a/services/sqs/pom.xml +++ b/services/sqs/pom.xml @@ -91,5 +91,26 @@ ${awsjavasdk.version} test + + org.junit.jupiter + junit-jupiter + test + + + nl.jqno.equalsverifier + equalsverifier + test + + + org.assertj + assertj-core + test + + + org.mockito + mockito-junit-jupiter + test + + diff --git a/services/sqs/src/it/java/software/amazon/awssdk/services/sqs/RequestBatchManagerSqsIntegrationTest.java b/services/sqs/src/it/java/software/amazon/awssdk/services/sqs/RequestBatchManagerSqsIntegrationTest.java new file mode 100644 index 000000000000..5faf289cda17 --- /dev/null +++ b/services/sqs/src/it/java/software/amazon/awssdk/services/sqs/RequestBatchManagerSqsIntegrationTest.java @@ -0,0 +1,460 @@ +/* + * 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.sqs; + +import static org.assertj.core.api.Assertions.assertThat; + +import java.nio.charset.StandardCharsets; +import java.time.Duration; +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import java.util.concurrent.CompletableFuture; +import java.util.concurrent.ConcurrentHashMap; +import java.util.concurrent.CountDownLatch; +import java.util.concurrent.ExecutionException; +import java.util.concurrent.ExecutorService; +import java.util.concurrent.Executors; +import java.util.concurrent.TimeUnit; +import java.util.concurrent.TimeoutException; +import java.util.stream.Stream; + +import org.junit.jupiter.api.AfterAll; +import org.junit.jupiter.api.AfterEach; +import org.junit.jupiter.api.BeforeAll; +import org.junit.jupiter.api.BeforeEach; +import org.junit.jupiter.api.TestInstance; +import org.junit.jupiter.params.ParameterizedTest; +import org.junit.jupiter.params.provider.Arguments; +import org.junit.jupiter.params.provider.MethodSource; + +import software.amazon.awssdk.services.sqs.batchmanager.SqsAsyncBatchManager; +import software.amazon.awssdk.services.sqs.model.ChangeMessageVisibilityRequest; +import software.amazon.awssdk.services.sqs.model.CreateQueueRequest; +import software.amazon.awssdk.services.sqs.model.DeleteMessageRequest; +import software.amazon.awssdk.services.sqs.model.GetQueueUrlRequest; +import software.amazon.awssdk.services.sqs.model.Message; +import software.amazon.awssdk.services.sqs.model.PurgeQueueRequest; +import software.amazon.awssdk.services.sqs.model.ReceiveMessageRequest; +import software.amazon.awssdk.services.sqs.model.SendMessageRequest; +import software.amazon.awssdk.services.sqs.model.SendMessageResponse; +import software.amazon.awssdk.utils.BinaryUtils; +import software.amazon.awssdk.utils.Logger; +import software.amazon.awssdk.utils.Md5Utils; + +@TestInstance(TestInstance.Lifecycle.PER_CLASS) +public class RequestBatchManagerSqsIntegrationTest extends IntegrationTestBase { + + private static final int DEFAULT_MAX_BATCH_OPEN = 200; + private static final String TEST_QUEUE_PREFIX = "myTestQueue"; + private static final Logger log = Logger.loggerFor(RequestBatchManagerSqsIntegrationTest.class); + private static SqsAsyncClient client; + private static String defaultQueueUrl; + private SqsAsyncBatchManager batchManager; + + @BeforeAll + public static void setUpBeforeClass() throws Exception { + client = createSqsAyncClient(); + + + defaultQueueUrl = client.createQueue(CreateQueueRequest.builder() + .queueName(TEST_QUEUE_PREFIX + "0") + .build()) + .get(3, TimeUnit.SECONDS) + .queueUrl(); + } + + @AfterAll + public static void tearDownAfterClass() { + purgeQueue(defaultQueueUrl); + client.close(); + } + + @BeforeEach + public void setUp() { + batchManager = client.batchManager(); + } + + @AfterEach + public void tearDown() { + batchManager.close(); + } + + @ParameterizedTest + @MethodSource("provideQueueUrls") + public void sendTenMessages(String queueUrl) { + executeSendMessagesTest(10, queueUrl); + } + + @ParameterizedTest + @MethodSource("provideQueueUrls") + public void sendTwentyMessages(String queueUrl) { + executeSendMessagesTest(20, queueUrl); + } + + @ParameterizedTest + @MethodSource("provideQueueUrls") + public void scheduleSendFiveMessages(String queueUrl) { + long startTime = System.nanoTime(); + Map requests = createSendMessageRequests(5, queueUrl); + Map> responses = sendMessages(requests); + waitForAllResponses(responses); + long endTime = System.nanoTime(); + + assertThat(Duration.ofNanos(endTime - startTime).toMillis()).isGreaterThan(DEFAULT_MAX_BATCH_OPEN); + verifyResponses(requests, responses); + } + + @ParameterizedTest + @MethodSource("provideQueueUrls") + public void scheduleTwoSendMessageBatches(String queueUrl) { + long startTime = System.nanoTime(); + Map requests = createSendMessageRequests(10, queueUrl); + Map> responses = sendMessages(0, 5, requests); + waitFor(DEFAULT_MAX_BATCH_OPEN + 10); + responses.putAll(sendMessages(5, 5, requests)); + waitForAllResponses(responses); + long endTime = System.nanoTime(); + + assertThat(responses).hasSize(10); + assertThat(Duration.ofNanos(endTime - startTime).toMillis()).isGreaterThan(DEFAULT_MAX_BATCH_OPEN + 100); + verifyResponses(requests, responses); + } + + @ParameterizedTest + @MethodSource("provideMessageAndThreadCounts") + public void sendMultipleMessagesWithMultiThread(int numMessages, int numThreads, String queueUrl) { + executeConcurrentSendMessagesTest(numThreads, numMessages, queueUrl); + } + + @ParameterizedTest + @MethodSource("provideQueueUrls") + public void scheduleFiveMessagesWithEachThreadToDifferentLocations(String queueUrl) throws Exception { + int numThreads = 10; + int numMessages = 5; + + Map requests = createSendMessageRequestsForDifferentDestinations(numThreads, numMessages); + ConcurrentHashMap> responses = new ConcurrentHashMap<>(); + ExecutorService executorService = Executors.newFixedThreadPool(numThreads); + + List>>> sendRequestFutures = + createThreadsAndSendMessages(numThreads, numMessages, requests, responses, executorService); + + checkThreadedResponses(requests, responses, sendRequestFutures); + + cleanupQueues(numThreads); + } + + @ParameterizedTest + @MethodSource("messageAndQueueProvider") + public void deleteMessages(int numMessages, String queueUrl) throws Exception { + executeDeleteMessagesTest(numMessages, queueUrl); + } + + @ParameterizedTest + @MethodSource("messageAndQueueProvider") + public void changeVisibilityMessages(int numMessages, String queueUrl) throws Exception { + executeChangeVisibilityTest(numMessages, queueUrl); + } + + + @ParameterizedTest + @MethodSource("provideQueueUrls") + void sendMessagesWhichCanExceed256KiBCollectively(String queueUrl) { + + String largeMessageBody = createLargeString('a', 256_000); + + List> futures = new ArrayList<>(); + + // Send the large message 10 times and collect the futures + for (int i = 0; i < 10; i++) { + CompletableFuture future = + batchManager.sendMessage(r -> r.queueUrl(queueUrl).messageBody(largeMessageBody)); + futures.add(future); + } + + // Wait for all sendMessage futures to complete + CompletableFuture allFutures = CompletableFuture.allOf(futures.toArray(new CompletableFuture[0])); + allFutures.join(); + + // Validate that all responses have a non-null messageId + futures.forEach(future -> { + SendMessageResponse response = future.join(); + assertThat(response.messageId()).isNotNull(); + assertThat(response.md5OfMessageBody()).isNotNull(); + }); + } + + + private String createLargeString(char ch, int length) { + StringBuilder sb = new StringBuilder(length); + for (int i = 0; i < length; i++) { + sb.append(ch); + } + return sb.toString(); + } + + + private static Stream provideQueueUrls() { + return Stream.of( + Arguments.of(defaultQueueUrl) + ); + } + + private static Stream messageAndQueueProvider() { + return Stream.of( + Arguments.of(1, defaultQueueUrl), + Arguments.of(5, defaultQueueUrl), + Arguments.of(10, defaultQueueUrl) + ); + } + + private static Stream provideMessageAndThreadCounts() { + return Stream.of( + Arguments.of(1, 1, defaultQueueUrl), + Arguments.of(10, 1, defaultQueueUrl), + Arguments.of(1, 10, defaultQueueUrl), + Arguments.of(10, 10, defaultQueueUrl) + ); + } + + private void executeSendMessagesTest(int numMessages, String queueUrl) { + Map requests = createSendMessageRequests(numMessages, queueUrl); + Map> responses = sendMessages(requests); + verifyResponses(requests, responses); + } + + private void executeConcurrentSendMessagesTest(int numThreads, int numMessages, String queueUrl) { + Map requests = createSendMessageRequests(numThreads * numMessages, queueUrl); + ConcurrentHashMap> responses = new ConcurrentHashMap<>(); + ExecutorService executorService = Executors.newFixedThreadPool(numThreads); + + List>>> sendRequestFutures = + createThreadsAndSendMessages(numThreads, numMessages, requests, responses, executorService); + + checkThreadedResponses(requests, responses, sendRequestFutures); + } + + private void executeDeleteMessagesTest(int numMessages, String queueUrl) throws Exception { + Map requests = createSendMessageRequestsForDestination(numMessages, queueUrl); + Map> responses = sendMessages(requests); + waitForAllResponses(responses); + + List messages = receiveMessages(queueUrl, numMessages); + deleteMessagesInBatches(messages, queueUrl); + purgeQueue(queueUrl); + + assertThat(responses).hasSize(numMessages); + } + + private void executeChangeVisibilityTest(int numMessages, String queueUrl) throws Exception { + Map requests = createSendMessageRequestsForDestination(numMessages, queueUrl); + Map> responses = sendMessages(requests); + waitForAllResponses(responses); + + List messages = receiveMessages(queueUrl, numMessages); + changeVisibilityForMessages(messages, queueUrl); + assertThat(responses).hasSize(numMessages); + } + + private Map createSendMessageRequests(int size, String queueUrl) { + return createSendMessageRequestsForDestination(size, queueUrl); + } + + private Map createSendMessageRequestsForDestination(int size, String queueUrl) { + Map requests = new HashMap<>(); + for (int i = 0; i < size; i++) { + String key = Integer.toString(i); + requests.put(key, createSendMessageRequestToDestination(key, queueUrl)); + } + return requests; + } + + private SendMessageRequest createSendMessageRequestToDestination(String messageBody, String queueUrl) { + SendMessageRequest.Builder requestBuilder = SendMessageRequest.builder() + .messageBody(messageBody) + .queueUrl(queueUrl); + // Check if the queue URL corresponds to a FIFO queue + if (queueUrl.endsWith(".fifo")) { + // Include a MessageGroupId for FIFO queues + requestBuilder.messageGroupId("default-group"); // Use a consistent or meaningful group ID + } + return requestBuilder.build(); + } + + private Map> sendMessages(Map requests) { + return sendMessages(0, requests.size(), requests); + } + + private Map> sendMessages(int start, int size, Map requests) { + Map> responses = new HashMap<>(); + for (int i = start; i < start + size; i++) { + String key = Integer.toString(i); + SendMessageRequest request = requests.get(key); + responses.put(key, batchManager.sendMessage(request)); + } + return responses; + } + + private List>>> createThreadsAndSendMessages( + int numThreads, int numMessages, Map requests, + ConcurrentHashMap> responses, ExecutorService executorService) { + List>>> executions = new ArrayList<>(); + for (int i = 0; i < numThreads; i++) { + executions.add(sendMessagesToDestination(i * numMessages, numMessages, requests, responses, executorService)); + } + return executions; + } + + private CompletableFuture>> sendMessagesToDestination( + int start, int size, Map requests, + ConcurrentHashMap> responses, ExecutorService executorService) { + return CompletableFuture.supplyAsync(() -> { + Map> newResponses = sendMessages(start, size, requests); + responses.putAll(newResponses); + return newResponses; + }, executorService); + } + + private void checkThreadedResponses(Map requests, + ConcurrentHashMap> responses, + List>>> sendRequestFutures) { + for (CompletableFuture>> sendRequestFuture : sendRequestFutures) { + try { + waitForAllResponses(sendRequestFuture.get(300, TimeUnit.MILLISECONDS)); + } catch (InterruptedException | ExecutionException | TimeoutException e) { + log.error(() -> String.valueOf(e)); + } + } + verifyResponses(requests, responses); + } + + private void verifyResponses(Map requests, Map> responses) { + assertThat(responses).hasSameSizeAs(requests); + responses.forEach((key, future) -> { + String expectedMd5 = BinaryUtils.toHex(Md5Utils.computeMD5Hash(requests.get(key).messageBody().getBytes(StandardCharsets.UTF_8))); + assertThat(future.join().md5OfMessageBody()).isEqualTo(expectedMd5); + }); + } + + private void waitForAllResponses(Map> responses) { + CompletableFuture.allOf(responses.values().toArray(new CompletableFuture[0])).join(); + } + + private List receiveMessages(String queueUrl, int numMessages) throws Exception { + return client.receiveMessage(ReceiveMessageRequest.builder() + .queueUrl(queueUrl) + .maxNumberOfMessages(numMessages) + .build()) + .get(3, TimeUnit.SECONDS) + .messages(); + } + + private void deleteMessagesInBatches(List messages, String queueUrl) throws Exception { + while (!messages.isEmpty()) { + Map deleteRequests = createDeleteRequests(messages, queueUrl); + sendDeleteMessages(deleteRequests); + messages = receiveMessages(queueUrl, messages.size()); + } + } + + private void changeVisibilityForMessages(List messages, String queueUrl) throws Exception { + while (!messages.isEmpty()) { + Map visibilityRequests = createChangeVisibilityRequests(messages, queueUrl); + sendChangeVisibilityRequests(visibilityRequests); + messages = receiveMessages(queueUrl, messages.size()); + } + } + + private Map createDeleteRequests(List messages, String queueUrl) { + Map requests = new HashMap<>(); + for (int i = 0; i < messages.size(); i++) { + requests.put(Integer.toString(i), DeleteMessageRequest.builder() + .receiptHandle(messages.get(i).receiptHandle()) + .queueUrl(queueUrl) + .build()); + } + return requests; + } + + private void sendDeleteMessages(Map deleteRequests) { + deleteRequests.forEach((key, request) -> batchManager.deleteMessage(request)); + } + + private Map createChangeVisibilityRequests(List messages, String queueUrl) { + Map requests = new HashMap<>(); + for (int i = 0; i < messages.size(); i++) { + requests.put(Integer.toString(i), ChangeMessageVisibilityRequest.builder() + .receiptHandle(messages.get(i).receiptHandle()) + .queueUrl(queueUrl) + .build()); + } + return requests; + } + + private void sendChangeVisibilityRequests(Map visibilityRequests) { + visibilityRequests.forEach((key, request) -> batchManager.changeMessageVisibility(request)); + } + + private String createQueue(String queueName) throws Exception { + return client.createQueue(CreateQueueRequest.builder() + .queueName(queueName) + .build()) + .get(3, TimeUnit.SECONDS) + .queueUrl(); + } + + private void cleanupQueues(int numThreads) throws Exception { + for (int i = 1; i < numThreads; i++) { + String queueUrl = client.getQueueUrl(GetQueueUrlRequest.builder().queueName(TEST_QUEUE_PREFIX + i).build()) + .get(3, TimeUnit.SECONDS) + .queueUrl(); + purgeQueue(queueUrl); + } + } + + private static void purgeQueue(String queueUrl) { + client.purgeQueue(PurgeQueueRequest.builder() + .queueUrl(queueUrl) + .build()); + } + + private void waitFor(int milliseconds) { + CountDownLatch latch = new CountDownLatch(1); + try { + latch.await(milliseconds, TimeUnit.MILLISECONDS); + } catch (InterruptedException e) { + Thread.currentThread().interrupt(); + } + } + + private Map createSendMessageRequestsForDifferentDestinations(int numDestinations, int destinationSize) throws Exception { + Map requests = new HashMap<>(); + for (int i = 0; i < numDestinations; i++) { + // Create a new queue for each destination + String queueUrl = createQueue(TEST_QUEUE_PREFIX + i); + + for (int j = 0; j < destinationSize; j++) { + // Generate a unique key for each message + String key = Integer.toString(i * destinationSize + j); + // Create a SendMessageRequest for the specific destination (queue) + requests.put(key, createSendMessageRequestToDestination(key, queueUrl)); + } + } + return requests; + } +} \ No newline at end of file diff --git a/services/sqs/src/it/java/software/amazon/awssdk/services/sqs/ResponseBatchManagerSqsIntegrationTest.java b/services/sqs/src/it/java/software/amazon/awssdk/services/sqs/ResponseBatchManagerSqsIntegrationTest.java new file mode 100644 index 000000000000..3b8762cbc357 --- /dev/null +++ b/services/sqs/src/it/java/software/amazon/awssdk/services/sqs/ResponseBatchManagerSqsIntegrationTest.java @@ -0,0 +1,213 @@ +/* + * 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.sqs; + +import static org.assertj.core.api.Assertions.assertThat; +import static org.junit.jupiter.api.Assertions.assertFalse; +import static org.junit.jupiter.api.Assertions.assertTrue; + +import java.time.Duration; +import java.util.ArrayList; +import java.util.Collections; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import java.util.UUID; +import java.util.concurrent.CompletableFuture; +import java.util.concurrent.Executors; +import java.util.concurrent.TimeUnit; +import java.util.stream.Collectors; +import java.util.stream.IntStream; +import org.junit.jupiter.api.AfterAll; +import org.junit.jupiter.api.BeforeAll; +import org.junit.jupiter.api.TestInstance; +import org.junit.jupiter.api.Test; +import org.junit.jupiter.api.Timeout; +import software.amazon.awssdk.services.sqs.batchmanager.SqsAsyncBatchManager; +import software.amazon.awssdk.services.sqs.model.CreateQueueRequest; +import software.amazon.awssdk.services.sqs.model.DeleteMessageResponse; +import software.amazon.awssdk.services.sqs.model.Message; +import software.amazon.awssdk.services.sqs.model.MessageAttributeValue; +import software.amazon.awssdk.services.sqs.model.MessageSystemAttributeName; +import software.amazon.awssdk.services.sqs.model.PurgeQueueRequest; +import software.amazon.awssdk.services.sqs.model.ReceiveMessageResponse; + + +@TestInstance(TestInstance.Lifecycle.PER_CLASS) +public class ResponseBatchManagerSqsIntegrationTest extends IntegrationTestBase { + private static final String TEST_QUEUE_PREFIX = "ResponseBatchManagerSqsIntegrationTest-"; + private static SqsAsyncClient client; + private static String defaultQueueUrl; + private static SqsAsyncBatchManager batchManager; + + @BeforeAll + public static void setUpBeforeClass() throws Exception { + client = SqsAsyncClient.builder() + .credentialsProvider(getCredentialsProvider()) + .build(); + defaultQueueUrl = client.createQueue(CreateQueueRequest.builder() + .queueName(TEST_QUEUE_PREFIX + UUID.randomUUID().toString()) + .build()) + .get(3, TimeUnit.SECONDS) + .queueUrl(); + } + + @AfterAll + public static void tearDownAfterClass() { + purgeQueue(defaultQueueUrl); + client.deleteQueue(d -> d.queueUrl(defaultQueueUrl)).join(); + if(batchManager != null){ + batchManager.close(); + } + client.close(); + } + + private static void purgeQueue(String queueUrl) { + client.purgeQueue(PurgeQueueRequest.builder() + .queueUrl(queueUrl) + .build()) + .join(); + } + + private static void deleteMessages(ReceiveMessageResponse receiveMessageResponse, SqsAsyncBatchManager batchManager) { + List> deleteFutures = + receiveMessageResponse.messages().stream() + .map(message -> batchManager.deleteMessage(r -> r.queueUrl(defaultQueueUrl) + .receiptHandle(message.receiptHandle()))) + .collect(Collectors.toList()); + CompletableFuture.allOf(deleteFutures.toArray(new CompletableFuture[0])).join(); + } + + private static void sendMessages(SqsAsyncBatchManager batchManager, String queueUrl, int numOfMessages) throws Exception { + List> futures = IntStream.rangeClosed(1, numOfMessages) + .mapToObj(i -> batchManager.sendMessage(s -> s.queueUrl(queueUrl) + .messageBody("Message " + i) + .messageAttributes(messageAttributeValueMap())) + .thenAccept(response -> { + })) // Removed logging + .collect(Collectors.toList()); + CompletableFuture.allOf(futures.toArray(new CompletableFuture[0])).get(); + } + + private static Map messageAttributeValueMap() { + Map attributes = new HashMap<>(); + attributes.put("keyOne", MessageAttributeValue.builder().stringValue("4").dataType("String").build()); + attributes.put("keyTwo", MessageAttributeValue.builder().stringValue("2").dataType("String").build()); + attributes.put("keyThree", MessageAttributeValue.builder().stringValue("3").dataType("String").build()); + attributes.put("keyFour", MessageAttributeValue.builder().stringValue("5").dataType("String").build()); + return attributes; + } + + private void assertMessagesReceived(SqsAsyncBatchManager batchManager, int expectedMessageCount) throws Exception { + List allMessages = new ArrayList<>(); + while (allMessages.size() < expectedMessageCount) { + CompletableFuture receiveMessageFuture = + batchManager.receiveMessage(r -> r.queueUrl(defaultQueueUrl)); + ReceiveMessageResponse receiveMessageResponse = receiveMessageFuture.get(5, TimeUnit.SECONDS); + if (!receiveMessageResponse.messages().isEmpty()) { + allMessages.addAll(receiveMessageResponse.messages()); + deleteMessages(receiveMessageResponse, batchManager); + } + } + assertThat(allMessages.size()).isEqualTo(expectedMessageCount); + } + + @Timeout(value = 10, unit = TimeUnit.SECONDS) + @Test + void simpleReceiveMessagesWithDefaultConfiguration() throws Exception { + batchManager = client.batchManager(); + sendMessages(batchManager, defaultQueueUrl, 10); + assertMessagesReceived(batchManager, 10); + + List allMessages = batchManager.receiveMessage(r -> r.queueUrl(defaultQueueUrl)) + .get(5, TimeUnit.SECONDS) + .messages(); + assertTrue(allMessages.stream().allMatch(m -> m.messageAttributes().isEmpty()), "Expected no message attributes."); + assertTrue(allMessages.stream().allMatch(m -> m.attributes().isEmpty()), "Expected no system attributes."); + } + + @Timeout(value = 10, unit = TimeUnit.SECONDS) + @Test + void simpleReceiveMessagesWithCustomConfigurations() throws Exception { + batchManager = SqsAsyncBatchManager.builder() + .client(client) + .scheduledExecutor(Executors.newScheduledThreadPool(5)) + .overrideConfiguration(b -> b + .receiveMessageMinWaitDuration(Duration.ofSeconds(10)) + .receiveMessageVisibilityTimeout(Duration.ofSeconds(1)) + .receiveMessageAttributeNames(Collections.singletonList("*")) + .receiveMessageSystemAttributeNames(Collections.singletonList(MessageSystemAttributeName.ALL))) + .build(); + + sendMessages(batchManager, defaultQueueUrl, 10); + assertMessagesReceived(batchManager, 10); + + List allMessages = batchManager.receiveMessage(r -> r.queueUrl(defaultQueueUrl)) + .get(5, TimeUnit.SECONDS) + .messages(); + + Map expectedMessageAttributes = messageAttributeValueMap(); + allMessages.forEach(m -> { + assertFalse(m.messageAttributes().isEmpty(), "Expected message attributes, but found none."); + assertThat(m.messageAttributes()).isEqualTo(expectedMessageAttributes); + assertFalse(m.attributes().isEmpty(), "Expected system attributes, but found none."); + assertTrue(m.attributes().containsKey(MessageSystemAttributeName.SENDER_ID), "Expected SenderId, but missing."); + assertTrue(m.attributes().containsKey(MessageSystemAttributeName.APPROXIMATE_FIRST_RECEIVE_TIMESTAMP), "Expected " + + + "ApproximateFirstReceiveTimestamp, but missing."); + }); + } + + @Timeout(value = 10, unit = TimeUnit.SECONDS) + @Test + void requestLevelMaxMessageAndWaitTimeIsHonoured() throws Exception { + batchManager = client.batchManager(); + + sendMessages(batchManager, defaultQueueUrl, 10); + + List allMessages = new ArrayList<>(); + List> deleteFutures = new ArrayList<>(); + int expectedMessageCount = 10; + + while (allMessages.size() < expectedMessageCount) { + CompletableFuture future = + batchManager.receiveMessage(r -> r.queueUrl(defaultQueueUrl) + .maxNumberOfMessages(1) + .waitTimeSeconds(2)); + + // Process the received message and delete if non-empty + future.whenComplete((response, throwable) -> { + if (response != null && !response.messages().isEmpty()) { + allMessages.addAll(response.messages()); + assertThat(response.messages().size()).isEqualTo(1); + + // Collect deleteMessage futures for each message + response.messages().forEach(message -> { + CompletableFuture deleteFuture = batchManager.deleteMessage(d -> d.queueUrl(defaultQueueUrl) + .receiptHandle(message.receiptHandle())); + deleteFutures.add(deleteFuture); + }); + } + }).join(); // Wait for each receiveMessage future to complete before continuing + } + + // Wait for all deleteMessage futures to complete + CompletableFuture allDeleteFutures = CompletableFuture.allOf(deleteFutures.toArray(new CompletableFuture[0])); + allDeleteFutures.join(); + + assertThat(allMessages.size()).isEqualTo(expectedMessageCount); + } +} \ No newline at end of file diff --git a/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/batchmanager/BatchOverrideConfiguration.java b/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/batchmanager/BatchOverrideConfiguration.java new file mode 100644 index 000000000000..a701f099962a --- /dev/null +++ b/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/batchmanager/BatchOverrideConfiguration.java @@ -0,0 +1,316 @@ +/* + * 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.sqs.batchmanager; + +import java.time.Duration; +import java.util.ArrayList; +import java.util.Collections; +import java.util.List; +import software.amazon.awssdk.annotations.SdkPublicApi; +import software.amazon.awssdk.services.sqs.model.ChangeMessageVisibilityBatchRequest; +import software.amazon.awssdk.services.sqs.model.DeleteMessageBatchRequest; +import software.amazon.awssdk.services.sqs.model.MessageSystemAttributeName; +import software.amazon.awssdk.services.sqs.model.ReceiveMessageRequest; +import software.amazon.awssdk.services.sqs.model.SendMessageBatchRequest; +import software.amazon.awssdk.utils.ToString; +import software.amazon.awssdk.utils.Validate; +import software.amazon.awssdk.utils.builder.CopyableBuilder; +import software.amazon.awssdk.utils.builder.ToCopyableBuilder; + +/** + * Configuration values for the BatchManager implementation used for controlling batch operations. + * All values are optional, and default values will be used if they are not specified. + */ +@SdkPublicApi +public final class BatchOverrideConfiguration implements ToCopyableBuilder { + + private final Integer maxBatchSize; + private final Duration sendRequestFrequency; + private final Duration receiveMessageVisibilityTimeout; + private final Duration receiveMessageMinWaitDuration; + private final List receiveMessageSystemAttributeNames; + private final List receiveMessageAttributeNames; + + + private BatchOverrideConfiguration(Builder builder) { + this.maxBatchSize = Validate.isPositiveOrNull(builder.maxBatchSize, + "maxBatchSize"); + Validate.isTrue(this.maxBatchSize == null || this.maxBatchSize <= 10, + "The maxBatchSize must be less than or equal to 10. A batch can contain up to 10 messages."); + + this.sendRequestFrequency = Validate.isPositiveOrNull(builder.sendRequestFrequency, + "sendRequestFrequency"); + this.receiveMessageVisibilityTimeout = Validate.isPositiveOrNull(builder.receiveMessageVisibilityTimeout, + "receiveMessageVisibilityTimeout"); + this.receiveMessageMinWaitDuration = Validate.isPositiveOrNull(builder.receiveMessageMinWaitDuration, + "receiveMessageMinWaitDuration"); + this.receiveMessageSystemAttributeNames = + builder.receiveMessageSystemAttributeNames == null ? Collections.emptyList() : + Collections.unmodifiableList(builder.receiveMessageSystemAttributeNames); + + this.receiveMessageAttributeNames = + builder.receiveMessageAttributeNames == null ? Collections.emptyList() : + Collections.unmodifiableList(builder.receiveMessageAttributeNames); + } + + public static Builder builder() { + return new Builder(); + } + + /** + * @return the maximum number of items that can be batched together in a single outbound SQS request + * (e.g., for {@link SendMessageBatchRequest}, {@link ChangeMessageVisibilityBatchRequest}, or + * {@link DeleteMessageBatchRequest}). A batch can contain up to a maximum of 10 messages. + * The default value is 10. + */ + public Integer maxBatchSize() { + return maxBatchSize; + } + + /** + * @return the maximum duration an outgoing call waits for additional messages of the same type before being sent. + * If the {@link #maxBatchSize()} is reached before this duration, the batch will be sent immediately. + * The default value is 200 milliseconds. + */ + public Duration sendRequestFrequency() { + return sendRequestFrequency; + } + + /** + * @return the custom visibility timeout to use when retrieving messages from SQS. If not set, + * the default visibility timeout configured on the SQS queue will be used. + */ + public Duration receiveMessageVisibilityTimeout() { + return receiveMessageVisibilityTimeout; + } + + /** + * @return the minimum wait time for incoming receive message requests. Without a non-zero minimum wait time, + * threads can waste CPU resources busy-waiting for messages. The default value is 50 milliseconds. + */ + public Duration receiveMessageMinWaitDuration() { + return receiveMessageMinWaitDuration; + } + + /** + * @return the system attribute names to request for {@link ReceiveMessageRequest}. Requests with differing + * system attribute names will bypass the batch manager and make a direct call to SQS. + */ + public List receiveMessageSystemAttributeNames() { + return receiveMessageSystemAttributeNames; + } + + /** + * @return the message attribute names to request for {@link ReceiveMessageRequest}. Requests with different + * message attribute names will bypass the batch manager and make a direct call to SQS. + */ + public List receiveMessageAttributeNames() { + return receiveMessageAttributeNames; + } + + + @Override + public Builder toBuilder() { + return new Builder() + .maxBatchSize(maxBatchSize) + .sendRequestFrequency(sendRequestFrequency) + .receiveMessageVisibilityTimeout(receiveMessageVisibilityTimeout) + .receiveMessageMinWaitDuration(receiveMessageMinWaitDuration) + .receiveMessageSystemAttributeNames(receiveMessageSystemAttributeNames) + .receiveMessageAttributeNames(receiveMessageAttributeNames); + } + + @Override + public String toString() { + return ToString.builder("BatchOverrideConfiguration") + .add("maxBatchSize", maxBatchSize) + .add("sendRequestFrequency", sendRequestFrequency) + .add("receiveMessageVisibilityTimeout", receiveMessageVisibilityTimeout) + .add("receiveMessageMinWaitDuration", receiveMessageMinWaitDuration) + .add("receiveMessageSystemAttributeNames", receiveMessageSystemAttributeNames) + .add("receiveMessageAttributeNames", receiveMessageAttributeNames) + .build(); + } + + @Override + public boolean equals(Object o) { + if (this == o) { + return true; + } + if (o == null || getClass() != o.getClass()) { + return false; + } + + BatchOverrideConfiguration that = (BatchOverrideConfiguration) o; + + if (maxBatchSize != null ? !maxBatchSize.equals(that.maxBatchSize) : that.maxBatchSize != null) { + return false; + } + if (sendRequestFrequency != null ? !sendRequestFrequency.equals(that.sendRequestFrequency) : + that.sendRequestFrequency != null) { + return false; + } + if (receiveMessageVisibilityTimeout != null + ? !receiveMessageVisibilityTimeout.equals(that.receiveMessageVisibilityTimeout) : + that.receiveMessageVisibilityTimeout != null) { + return false; + } + if (receiveMessageMinWaitDuration != null ? !receiveMessageMinWaitDuration.equals(that.receiveMessageMinWaitDuration) : + that.receiveMessageMinWaitDuration != null) { + return false; + } + if (receiveMessageSystemAttributeNames != null ? + !receiveMessageSystemAttributeNames.equals(that.receiveMessageSystemAttributeNames) + : that.receiveMessageSystemAttributeNames != null) { + return false; + } + return receiveMessageAttributeNames != null ? receiveMessageAttributeNames.equals(that.receiveMessageAttributeNames) : + that.receiveMessageAttributeNames == null; + } + + @Override + public int hashCode() { + int result = maxBatchSize != null ? maxBatchSize.hashCode() : 0; + result = 31 * result + (sendRequestFrequency != null ? sendRequestFrequency.hashCode() : 0); + result = 31 * result + (receiveMessageVisibilityTimeout != null ? receiveMessageVisibilityTimeout.hashCode() : 0); + result = 31 * result + (receiveMessageMinWaitDuration != null ? receiveMessageMinWaitDuration.hashCode() : 0); + result = 31 * result + (receiveMessageSystemAttributeNames != null ? receiveMessageSystemAttributeNames.hashCode() : 0); + result = 31 * result + (receiveMessageAttributeNames != null ? receiveMessageAttributeNames.hashCode() : 0); + return result; + } + + public static final class Builder implements CopyableBuilder { + + private Integer maxBatchSize = 10; + private Duration sendRequestFrequency ; + private Duration receiveMessageVisibilityTimeout; + private Duration receiveMessageMinWaitDuration ; + private List receiveMessageSystemAttributeNames = Collections.emptyList(); + private List receiveMessageAttributeNames = Collections.emptyList(); + + + private Builder() { + } + + /** + * Specifies the maximum number of items that the buffered client will include in a single outbound batch request. + * Outbound requests include {@link SendMessageBatchRequest}, {@link ChangeMessageVisibilityBatchRequest}, + * and {@link DeleteMessageBatchRequest}. + * A batch can contain up to a maximum of 10 messages. The default value is 10. + * + * @param maxBatchSize The maximum number of items to be batched together in a single request. + * @return This Builder object for method chaining. + */ + public Builder maxBatchSize(Integer maxBatchSize) { + this.maxBatchSize = maxBatchSize; + return this; + } + + /** + * Specifies the frequency at which outbound batches are sent. + * This defines the maximum duration that an outbound batch is held open for additional outbound + * requests before being sent. Outbound requests include SendMessageBatchRequest, + * ChangeMessageVisibilityBatchRequest, and DeleteMessageBatchRequest. If the maxBatchSize is reached + * before this duration, the batch will be sent immediately. + * Increasing the {@code sendRequestFrequency} gives more time for additional messages to be added to + * the batch, which can reduce the number of requests and increase throughput. However, a higher + * frequency may also result in increased average message latency. The default value is 200 milliseconds. + * + * @param sendRequestFrequency The new value for the frequency at which outbound requests are sent. + * @return This Builder object for method chaining. + */ + public Builder sendRequestFrequency(Duration sendRequestFrequency) { + this.sendRequestFrequency = sendRequestFrequency; + return this; + } + + /** + * Defines the custom visibility timeout to use when retrieving messages from SQS. If set to a positive value, + * this timeout will override the default visibility timeout set on the SQS queue. If no value is set, + * then by default, the visibility timeout of the queue will be used. Only positive values are supported. + * + * @param receiveMessageVisibilityTimeout The new visibilityTimeout value. + * @return This Builder object for method chaining. + */ + public Builder receiveMessageVisibilityTimeout(Duration receiveMessageVisibilityTimeout) { + this.receiveMessageVisibilityTimeout = receiveMessageVisibilityTimeout; + return this; + } + + /** + * Configures the minimum wait time for incoming receive message requests. The default value is 50 milliseconds. + * Without a non-zero minimum wait time, threads can easily waste CPU time by busy-waiting against empty local buffers. + * Avoid setting this to 0 unless you are confident that threads will perform useful work between each call + * to receive messages. + * The call may return sooner than the configured `WaitTimeSeconds` if there are messages in the buffer. + * If no messages are available and the wait time expires, the call will return an empty message list. + * + * @param receiveMessageMinWaitDuration The new minimum wait time value. + * @return This Builder object for method chaining. + */ + public Builder receiveMessageMinWaitDuration(Duration receiveMessageMinWaitDuration) { + this.receiveMessageMinWaitDuration = receiveMessageMinWaitDuration; + return this; + } + + /** + * Defines the list of message system attribute names to request in receive message calls. + * If no `messageSystemAttributeNames` are set in the individual request, the ones configured here will be used. + *

+ * Requests with different `messageSystemAttributeNames` than those configured here will bypass the + * BatchManager and make a direct call to SQS. Only requests with matching attribute names will be + * batched and fulfilled from the receive buffers. + * + * @param receiveMessageSystemAttributeNames The list of message system attribute names to request. + * If null, an empty list will be used. + * @return This builder object for method chaining. + */ + public Builder receiveMessageSystemAttributeNames(List receiveMessageSystemAttributeNames) { + this.receiveMessageSystemAttributeNames = receiveMessageSystemAttributeNames != null ? + new ArrayList<>(receiveMessageSystemAttributeNames) : + Collections.emptyList(); + return this; + } + + /** + * Defines the list of message attribute names to request in receive message calls. + * If no `receiveMessageAttributeNames` are set in the individual requests, the ones configured here will be used. + *

+ * Requests with different `receiveMessageAttributeNames` than those configured here will bypass the batched and + * fulfilled from the receive buffers. + * + * @param receiveMessageAttributeNames The list of message attribute names to request. + * If null, an empty list will be used. + * @return This builder object for method chaining. + */ + public Builder receiveMessageAttributeNames(List receiveMessageAttributeNames) { + this.receiveMessageAttributeNames = receiveMessageAttributeNames != null ? + new ArrayList<>(receiveMessageAttributeNames) : + Collections.emptyList(); + return this; + } + + /** + * Builds a new {@link BatchOverrideConfiguration} object based on the values set in this builder. + * + * @return A new {@link BatchOverrideConfiguration} object. + */ + public BatchOverrideConfiguration build() { + return new BatchOverrideConfiguration(this); + } + } +} diff --git a/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/batchmanager/SqsAsyncBatchManager.java b/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/batchmanager/SqsAsyncBatchManager.java new file mode 100644 index 000000000000..d8d54f718a59 --- /dev/null +++ b/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/batchmanager/SqsAsyncBatchManager.java @@ -0,0 +1,198 @@ +/* + * 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.sqs.batchmanager; + +import java.util.concurrent.CompletableFuture; +import java.util.concurrent.ScheduledExecutorService; +import java.util.function.Consumer; +import software.amazon.awssdk.annotations.SdkPublicApi; +import software.amazon.awssdk.services.sqs.SqsAsyncClient; +import software.amazon.awssdk.services.sqs.internal.batchmanager.DefaultSqsAsyncBatchManager; +import software.amazon.awssdk.services.sqs.model.ChangeMessageVisibilityRequest; +import software.amazon.awssdk.services.sqs.model.ChangeMessageVisibilityResponse; +import software.amazon.awssdk.services.sqs.model.DeleteMessageRequest; +import software.amazon.awssdk.services.sqs.model.DeleteMessageResponse; +import software.amazon.awssdk.services.sqs.model.ReceiveMessageRequest; +import software.amazon.awssdk.services.sqs.model.ReceiveMessageResponse; +import software.amazon.awssdk.services.sqs.model.SendMessageRequest; +import software.amazon.awssdk.services.sqs.model.SendMessageResponse; +import software.amazon.awssdk.utils.SdkAutoCloseable; + +/** + * Batch manager for implementing automatic batching with an SQS async client. Create an instance using {@link #builder()}. + *

+ * This manager buffers client requests and sends them in batches to the service, enhancing efficiency by reducing the number of + * API requests. Requests are buffered until they reach a specified limit or a timeout occurs. + */ +@SdkPublicApi +public interface SqsAsyncBatchManager extends SdkAutoCloseable { + + /** + * Creates a builder for configuring and creating an {@link SqsAsyncBatchManager}. + * + * @return A new builder. + */ + static Builder builder() { + return DefaultSqsAsyncBatchManager.builder(); + } + + /** + * Buffers and batches {@link SendMessageRequest}s, sending them as a + * {@link software.amazon.awssdk.services.sqs.model.SendMessageBatchRequest}. Requests are grouped by queue URL and override + * configuration, and sent when the batch size or timeout is reached. + * + * @param request The SendMessageRequest to be buffered. + * @return CompletableFuture of the corresponding {@link SendMessageResponse}. + */ + default CompletableFuture sendMessage(SendMessageRequest request) { + throw new UnsupportedOperationException(); + } + + + /** + * Buffers and batches {@link SendMessageRequest}s using a {@link Consumer} to configure the request, + * sending them as a {@link software.amazon.awssdk.services.sqs.model.SendMessageBatchRequest}. + * Requests are grouped by queue URL and override configuration, and sent when the batch size or timeout is reached. + * + * @param sendMessageRequest A {@link Consumer} to configure the SendMessageRequest to be buffered. + * @return CompletableFuture of the corresponding {@link SendMessageResponse}. + */ + default CompletableFuture sendMessage(Consumer sendMessageRequest) { + return sendMessage(SendMessageRequest.builder().applyMutation(sendMessageRequest).build()); + } + + /** + * Buffers and batches {@link DeleteMessageRequest}s, sending them as a + * {@link software.amazon.awssdk.services.sqs.model.DeleteMessageBatchRequest}. Requests are grouped by queue URL and override + * configuration, and sent when the batch size or timeout is reached. + * + * @param request The DeleteMessageRequest to be buffered. + * @return CompletableFuture of the corresponding {@link DeleteMessageResponse}. + */ + default CompletableFuture deleteMessage(DeleteMessageRequest request) { + throw new UnsupportedOperationException(); + } + + + /** + * Buffers and batches {@link DeleteMessageRequest}s using a {@link Consumer} to configure the request, + * sending them as a {@link software.amazon.awssdk.services.sqs.model.DeleteMessageBatchRequest}. + * Requests are grouped by queue URL and override configuration, and sent when the batch size or timeout is reached. + * + * @param request A {@link Consumer} to configure the DeleteMessageRequest to be buffered. + * @return CompletableFuture of the corresponding {@link DeleteMessageResponse}. + */ + default CompletableFuture deleteMessage(Consumer request) { + return deleteMessage(DeleteMessageRequest.builder().applyMutation(request).build()); + } + + /** + * Buffers and batches {@link ChangeMessageVisibilityRequest}s, sending them as a + * {@link software.amazon.awssdk.services.sqs.model.ChangeMessageVisibilityBatchRequest}. Requests are grouped by queue URL + * and override configuration, and sent when the batch size or timeout is reached. + * + * @param request The ChangeMessageVisibilityRequest to be buffered. + * @return CompletableFuture of the corresponding {@link ChangeMessageVisibilityResponse}. + */ + default CompletableFuture changeMessageVisibility(ChangeMessageVisibilityRequest request) { + throw new UnsupportedOperationException(); + } + + /** + * Buffers and batches {@link ChangeMessageVisibilityRequest}s using a {@link Consumer} to configure the request, + * sending them as a {@link software.amazon.awssdk.services.sqs.model.ChangeMessageVisibilityBatchRequest}. + * Requests are grouped by queue URL and override configuration, and sent when the batch size or timeout is reached. + * + * @param request A {@link Consumer} to configure the ChangeMessageVisibilityRequest to be buffered. + * @return CompletableFuture of the corresponding {@link ChangeMessageVisibilityResponse}. + */ + default CompletableFuture changeMessageVisibility( + Consumer request) { + return changeMessageVisibility(ChangeMessageVisibilityRequest.builder().applyMutation(request).build()); + } + + + /** + * Buffers and retrieves messages with {@link ReceiveMessageRequest}, with a maximum of 10 messages per request. Returns an + * empty message if no messages are available in SQS. + * + * @param request The ReceiveMessageRequest. + * @return CompletableFuture of the corresponding {@link ReceiveMessageResponse}. + */ + default CompletableFuture receiveMessage(ReceiveMessageRequest request) { + throw new UnsupportedOperationException(); + } + + /** + * Buffers and retrieves messages with {@link ReceiveMessageRequest} using a {@link Consumer} to configure the request, + * with a maximum of 10 messages per request. Returns an empty message if no messages are available in SQS. + * + * @param request A {@link Consumer} to configure the ReceiveMessageRequest. + * @return CompletableFuture of the corresponding {@link ReceiveMessageResponse}. + */ + default CompletableFuture receiveMessage( + Consumer request) { + return receiveMessage(ReceiveMessageRequest.builder().applyMutation(request).build()); + } + + + interface Builder { + + /** + * Sets custom overrides for the BatchManager configuration. + * + * @param overrideConfiguration The configuration overrides. + * @return This builder for method chaining. + */ + Builder overrideConfiguration(BatchOverrideConfiguration overrideConfiguration); + + /** + * Sets custom overrides for the BatchManager configuration using a {@link Consumer} to configure the overrides. + * + * @param overrideConfiguration A {@link Consumer} to configure the {@link BatchOverrideConfiguration}. + * @return This builder for method chaining. + */ + default Builder overrideConfiguration(Consumer overrideConfiguration) { + return overrideConfiguration(BatchOverrideConfiguration.builder().applyMutation(overrideConfiguration).build()); + } + + /** + * Sets a custom {@link software.amazon.awssdk.services.sqs.SqsClient} for polling resources. This client must be closed + * by the caller. + * + * @param client The SqsAsyncClient to use. + * @return This builder for method chaining. + * @throws NullPointerException If client is null. + */ + Builder client(SqsAsyncClient client); + + /** + * Sets a custom {@link ScheduledExecutorService} for periodic buffer flushes. This executor must be closed by the + * caller. + * + * @param scheduledExecutor The executor to use. + * @return This builder for method chaining. + */ + Builder scheduledExecutor(ScheduledExecutorService scheduledExecutor); + + /** + * Builds an instance of {@link SqsAsyncBatchManager} based on the supplied configurations. + * + * @return An initialized SqsAsyncBatchManager. + */ + SqsAsyncBatchManager build(); + } +} diff --git a/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/BatchingExecutionContext.java b/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/BatchingExecutionContext.java new file mode 100644 index 000000000000..d3cd056f7b11 --- /dev/null +++ b/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/BatchingExecutionContext.java @@ -0,0 +1,50 @@ +/* + * 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.sqs.internal.batchmanager; + +import java.util.Optional; +import java.util.concurrent.CompletableFuture; +import software.amazon.awssdk.annotations.SdkInternalApi; + +@SdkInternalApi +public final class BatchingExecutionContext { + + private final RequestT request; + private final CompletableFuture response; + + private final Optional responsePayloadByteSize; + + public BatchingExecutionContext(RequestT request, CompletableFuture response) { + this.request = request; + this.response = response; + responsePayloadByteSize = RequestPayloadCalculator.calculateMessageSize(request); + } + + public RequestT request() { + return request; + } + + public CompletableFuture response() { + return response; + } + + /** + * Optional because responsePayloadByteSize is required only for SendMessageRequests and not for other requests. + */ + public Optional responsePayloadByteSize() { + return responsePayloadByteSize; + } +} diff --git a/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/BatchingMap.java b/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/BatchingMap.java new file mode 100644 index 000000000000..171b76aa4bff --- /dev/null +++ b/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/BatchingMap.java @@ -0,0 +1,96 @@ +/* + * 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.sqs.internal.batchmanager; + +import java.util.Map; +import java.util.concurrent.CompletableFuture; +import java.util.concurrent.ConcurrentHashMap; +import java.util.concurrent.ScheduledFuture; +import java.util.function.BiConsumer; +import java.util.function.Supplier; +import software.amazon.awssdk.annotations.SdkInternalApi; + +/** + * Outer map maps a batchKey (ex. queueUrl, overrideConfig etc.) to a {@link RequestBatchBuffer} + * + * @param the type of an outgoing response + */ +@SdkInternalApi +public final class BatchingMap { + + private final int maxBatchKeys; + private final int maxBatchBytesSize; + private final int maxBatchSize; + private final int maxBufferSize; + private final Map> batchContextMap; + + public BatchingMap(RequestBatchConfiguration overrideConfiguration) { + this.batchContextMap = new ConcurrentHashMap<>(); + this.maxBatchKeys = overrideConfiguration.maxBatchKeys(); + this.maxBatchBytesSize = overrideConfiguration.maxBatchBytesSize(); + this.maxBatchSize = overrideConfiguration.maxBatchItems(); + this.maxBufferSize = overrideConfiguration.maxBufferSize(); + } + + public void put(String batchKey, Supplier> scheduleFlush, RequestT request, + CompletableFuture response) throws IllegalStateException { + batchContextMap.computeIfAbsent(batchKey, k -> { + if (batchContextMap.size() == maxBatchKeys) { + throw new IllegalStateException("Reached MaxBatchKeys of: " + maxBatchKeys); + } + return new RequestBatchBuffer<>(scheduleFlush.get(), maxBatchSize, maxBatchBytesSize, maxBufferSize); + }).put(request, response); + } + + public boolean contains(String batchKey) { + return batchContextMap.containsKey(batchKey); + } + + public void putScheduledFlush(String batchKey, ScheduledFuture scheduledFlush) { + batchContextMap.get(batchKey).putScheduledFlush(scheduledFlush); + } + + public void forEach(BiConsumer> action) { + batchContextMap.forEach(action); + } + + public Map> flushableRequests(String batchKey) { + return batchContextMap.get(batchKey).flushableRequests(); + } + + public Map> flushableRequestsOnByteLimitBeforeAdd(String batchKey, + RequestT request) { + return batchContextMap.get(batchKey).flushableRequestsOnByteLimitBeforeAdd(request); + } + + public Map> flushableScheduledRequests(String batchKey, + int maxBatchItems) { + return batchContextMap.get(batchKey).flushableScheduledRequests(maxBatchItems); + } + + public void cancelScheduledFlush(String batchKey) { + batchContextMap.get(batchKey).cancelScheduledFlush(); + } + + public void clear() { + for (Map.Entry> entry : batchContextMap.entrySet()) { + String key = entry.getKey(); + entry.getValue().clear(); + batchContextMap.remove(key); + } + batchContextMap.clear(); + } +} diff --git a/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/ChangeMessageVisibilityBatchManager.java b/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/ChangeMessageVisibilityBatchManager.java new file mode 100644 index 000000000000..910866e3088b --- /dev/null +++ b/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/ChangeMessageVisibilityBatchManager.java @@ -0,0 +1,146 @@ +/* + * 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.sqs.internal.batchmanager; + +import java.util.ArrayList; +import java.util.List; +import java.util.Optional; +import java.util.concurrent.CompletableFuture; +import java.util.concurrent.ScheduledExecutorService; +import java.util.stream.Collectors; +import software.amazon.awssdk.annotations.SdkInternalApi; +import software.amazon.awssdk.awscore.AwsRequestOverrideConfiguration; +import software.amazon.awssdk.awscore.exception.AwsErrorDetails; +import software.amazon.awssdk.services.sqs.SqsAsyncClient; +import software.amazon.awssdk.services.sqs.model.BatchResultErrorEntry; +import software.amazon.awssdk.services.sqs.model.ChangeMessageVisibilityBatchRequest; +import software.amazon.awssdk.services.sqs.model.ChangeMessageVisibilityBatchRequestEntry; +import software.amazon.awssdk.services.sqs.model.ChangeMessageVisibilityBatchResponse; +import software.amazon.awssdk.services.sqs.model.ChangeMessageVisibilityBatchResultEntry; +import software.amazon.awssdk.services.sqs.model.ChangeMessageVisibilityRequest; +import software.amazon.awssdk.services.sqs.model.ChangeMessageVisibilityResponse; +import software.amazon.awssdk.services.sqs.model.SqsException; +import software.amazon.awssdk.utils.Either; + +@SdkInternalApi +public class ChangeMessageVisibilityBatchManager extends RequestBatchManager { + + private final SqsAsyncClient sqsAsyncClient; + + protected ChangeMessageVisibilityBatchManager(RequestBatchConfiguration overrideConfiguration, + ScheduledExecutorService scheduledExecutor, + SqsAsyncClient sqsAsyncClient) { + super(overrideConfiguration, scheduledExecutor); + this.sqsAsyncClient = sqsAsyncClient; + } + + private static ChangeMessageVisibilityBatchRequest createChangeMessageVisibilityBatchRequest( + List> identifiedRequests, String batchKey) { + + List entries = + identifiedRequests.stream() + .map(identifiedRequest -> createChangeMessageVisibilityBatchRequestEntry( + identifiedRequest.id(), + identifiedRequest.message())) + .collect(Collectors.toList()); + + // All requests have the same overrideConfiguration, so it's sufficient to retrieve it from the first request. + Optional overrideConfiguration = identifiedRequests.get(0) + .message() + .overrideConfiguration(); + + return overrideConfiguration + .map(config -> ChangeMessageVisibilityBatchRequest.builder() + .queueUrl(batchKey) + .overrideConfiguration(config.toBuilder() + .applyMutation(USER_AGENT_APPLIER) + .build()) + .entries(entries) + .build()) + .orElseGet(() -> ChangeMessageVisibilityBatchRequest.builder() + .queueUrl(batchKey) + .overrideConfiguration(o -> o + .applyMutation(USER_AGENT_APPLIER) + .build()) + .entries(entries) + .build()); + } + + private static ChangeMessageVisibilityBatchRequestEntry createChangeMessageVisibilityBatchRequestEntry( + String id, + ChangeMessageVisibilityRequest request) { + return ChangeMessageVisibilityBatchRequestEntry.builder().id(id).receiptHandle(request.receiptHandle()) + .visibilityTimeout(request.visibilityTimeout()).build(); + } + + private static IdentifiableMessage createChangeMessageVisibilityResponse( + ChangeMessageVisibilityBatchResultEntry successfulEntry, ChangeMessageVisibilityBatchResponse batchResponse) { + String key = successfulEntry.id(); + ChangeMessageVisibilityResponse.Builder builder = ChangeMessageVisibilityResponse.builder(); + if (batchResponse.responseMetadata() != null) { + builder.responseMetadata(batchResponse.responseMetadata()); + } + if (batchResponse.sdkHttpResponse() != null) { + builder.sdkHttpResponse(batchResponse.sdkHttpResponse()); + } + ChangeMessageVisibilityResponse response = builder.build(); + return new IdentifiableMessage<>(key, response); + } + + private static IdentifiableMessage changeMessageVisibilityCreateThrowable(BatchResultErrorEntry failedEntry) { + String key = failedEntry.id(); + AwsErrorDetails errorDetailsBuilder = AwsErrorDetails.builder().errorCode(failedEntry.code()) + .errorMessage(failedEntry.message()).build(); + Throwable response = SqsException.builder().awsErrorDetails(errorDetailsBuilder).build(); + return new IdentifiableMessage<>(key, response); + } + + @Override + protected CompletableFuture batchAndSend( + List> identifiedRequests, String batchKey) { + ChangeMessageVisibilityBatchRequest batchRequest = createChangeMessageVisibilityBatchRequest(identifiedRequests, + batchKey); + return sqsAsyncClient.changeMessageVisibilityBatch(batchRequest); + } + + @Override + protected String getBatchKey(ChangeMessageVisibilityRequest request) { + return request.overrideConfiguration().map(overrideConfig -> request.queueUrl() + overrideConfig.hashCode()) + .orElseGet(request::queueUrl); + } + + @Override + protected List, + IdentifiableMessage>> mapBatchResponse(ChangeMessageVisibilityBatchResponse batchResponse) { + + List, IdentifiableMessage>> mappedResponses = + new ArrayList<>(); + batchResponse.successful().forEach( + batchResponseEntry -> { + IdentifiableMessage response = createChangeMessageVisibilityResponse( + batchResponseEntry, batchResponse); + mappedResponses.add(Either.left(response)); + }); + batchResponse.failed().forEach(batchResponseEntry -> { + IdentifiableMessage response = changeMessageVisibilityCreateThrowable(batchResponseEntry); + mappedResponses.add(Either.right(response)); + }); + return mappedResponses; + + } +} \ No newline at end of file diff --git a/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/DefaultSqsAsyncBatchManager.java b/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/DefaultSqsAsyncBatchManager.java new file mode 100644 index 000000000000..08300d485249 --- /dev/null +++ b/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/DefaultSqsAsyncBatchManager.java @@ -0,0 +1,145 @@ +/* + * 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.sqs.internal.batchmanager; + + +import static software.amazon.awssdk.services.sqs.internal.batchmanager.ResponseBatchConfiguration.MAX_SEND_MESSAGE_PAYLOAD_SIZE_BYTES; + +import java.util.concurrent.CompletableFuture; +import java.util.concurrent.ScheduledExecutorService; +import software.amazon.awssdk.annotations.SdkInternalApi; +import software.amazon.awssdk.services.sqs.SqsAsyncClient; +import software.amazon.awssdk.services.sqs.batchmanager.BatchOverrideConfiguration; +import software.amazon.awssdk.services.sqs.batchmanager.SqsAsyncBatchManager; +import software.amazon.awssdk.services.sqs.model.ChangeMessageVisibilityRequest; +import software.amazon.awssdk.services.sqs.model.ChangeMessageVisibilityResponse; +import software.amazon.awssdk.services.sqs.model.DeleteMessageRequest; +import software.amazon.awssdk.services.sqs.model.DeleteMessageResponse; +import software.amazon.awssdk.services.sqs.model.ReceiveMessageRequest; +import software.amazon.awssdk.services.sqs.model.ReceiveMessageResponse; +import software.amazon.awssdk.services.sqs.model.SendMessageRequest; +import software.amazon.awssdk.services.sqs.model.SendMessageResponse; +import software.amazon.awssdk.utils.Validate; + +@SdkInternalApi +public final class DefaultSqsAsyncBatchManager implements SqsAsyncBatchManager { + private final SqsAsyncClient client; + + private final SendMessageBatchManager sendMessageBatchManager; + + private final DeleteMessageBatchManager deleteMessageBatchManager; + + private final ChangeMessageVisibilityBatchManager changeMessageVisibilityBatchManager; + + private final ReceiveMessageBatchManager receiveMessageBatchManager; + + private DefaultSqsAsyncBatchManager(DefaultBuilder builder) { + this.client = Validate.notNull(builder.client, "client cannot be null"); + ScheduledExecutorService scheduledExecutor = Validate.notNull(builder.scheduledExecutor, + "scheduledExecutor cannot be null"); + this.sendMessageBatchManager = + new SendMessageBatchManager( + RequestBatchConfiguration.builder(builder.overrideConfiguration) + .maxBatchBytesSize(MAX_SEND_MESSAGE_PAYLOAD_SIZE_BYTES) + .build(), + scheduledExecutor, + client + ); + + this.deleteMessageBatchManager = + new DeleteMessageBatchManager( + RequestBatchConfiguration.builder(builder.overrideConfiguration).build(), + scheduledExecutor, + client + ); + + this.changeMessageVisibilityBatchManager = + new ChangeMessageVisibilityBatchManager( + RequestBatchConfiguration.builder(builder.overrideConfiguration).build(), + scheduledExecutor, + client + ); + + this.receiveMessageBatchManager = + new ReceiveMessageBatchManager(client, + scheduledExecutor, + ResponseBatchConfiguration.builder(builder.overrideConfiguration).build()); + } + + @Override + public CompletableFuture sendMessage(SendMessageRequest request) { + return sendMessageBatchManager.batchRequest(request); + } + + @Override + public CompletableFuture deleteMessage(DeleteMessageRequest request) { + return deleteMessageBatchManager.batchRequest(request); + } + + @Override + public CompletableFuture changeMessageVisibility(ChangeMessageVisibilityRequest request) { + return changeMessageVisibilityBatchManager.batchRequest(request); + } + + @Override + public CompletableFuture receiveMessage(ReceiveMessageRequest request) { + return this.receiveMessageBatchManager.batchRequest(request); + } + + public static SqsAsyncBatchManager.Builder builder() { + return new DefaultBuilder(); + } + + @Override + public void close() { + sendMessageBatchManager.close(); + deleteMessageBatchManager.close(); + changeMessageVisibilityBatchManager.close(); + receiveMessageBatchManager.close(); + } + + public static final class DefaultBuilder implements SqsAsyncBatchManager.Builder { + private SqsAsyncClient client; + private BatchOverrideConfiguration overrideConfiguration; + private ScheduledExecutorService scheduledExecutor; + + private DefaultBuilder() { + } + + @Override + public SqsAsyncBatchManager.Builder overrideConfiguration(BatchOverrideConfiguration overrideConfiguration) { + this.overrideConfiguration = overrideConfiguration; + return this; + } + + @Override + public SqsAsyncBatchManager.Builder client(SqsAsyncClient client) { + this.client = client; + return this; + } + + @Override + public SqsAsyncBatchManager.Builder scheduledExecutor(ScheduledExecutorService scheduledExecutor) { + this.scheduledExecutor = scheduledExecutor; + return this; + } + + @Override + public SqsAsyncBatchManager build() { + return new DefaultSqsAsyncBatchManager(this); + } + } +} diff --git a/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/DeleteMessageBatchManager.java b/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/DeleteMessageBatchManager.java new file mode 100644 index 000000000000..683d1f8a97ab --- /dev/null +++ b/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/DeleteMessageBatchManager.java @@ -0,0 +1,146 @@ +/* + * 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.sqs.internal.batchmanager; + +import java.util.ArrayList; +import java.util.List; +import java.util.Optional; +import java.util.concurrent.CompletableFuture; +import java.util.concurrent.ScheduledExecutorService; +import java.util.stream.Collectors; +import software.amazon.awssdk.annotations.SdkInternalApi; +import software.amazon.awssdk.awscore.AwsRequestOverrideConfiguration; +import software.amazon.awssdk.awscore.exception.AwsErrorDetails; +import software.amazon.awssdk.services.sqs.SqsAsyncClient; +import software.amazon.awssdk.services.sqs.model.BatchResultErrorEntry; +import software.amazon.awssdk.services.sqs.model.DeleteMessageBatchRequest; +import software.amazon.awssdk.services.sqs.model.DeleteMessageBatchRequestEntry; +import software.amazon.awssdk.services.sqs.model.DeleteMessageBatchResponse; +import software.amazon.awssdk.services.sqs.model.DeleteMessageBatchResultEntry; +import software.amazon.awssdk.services.sqs.model.DeleteMessageRequest; +import software.amazon.awssdk.services.sqs.model.DeleteMessageResponse; +import software.amazon.awssdk.services.sqs.model.SqsException; +import software.amazon.awssdk.utils.Either; + +@SdkInternalApi +public class DeleteMessageBatchManager extends RequestBatchManager { + + private final SqsAsyncClient sqsAsyncClient; + + protected DeleteMessageBatchManager(RequestBatchConfiguration overrideConfiguration, + ScheduledExecutorService scheduledExecutor, + SqsAsyncClient sqsAsyncClient) { + super(overrideConfiguration, scheduledExecutor); + this.sqsAsyncClient = sqsAsyncClient; + } + + private static DeleteMessageBatchRequest createDeleteMessageBatchRequest( + List> identifiedRequests, String batchKey) { + + List entries = identifiedRequests + .stream() + .map(identifiedRequest -> createDeleteMessageBatchRequestEntry( + identifiedRequest.id(), identifiedRequest.message() + )) + .collect(Collectors.toList()); + + // Since requests are batched together according to a combination of their queueUrl and overrideConfiguration, + // all requests must have the same overrideConfiguration, so it is sufficient to retrieve it from the first request. + Optional overrideConfiguration = identifiedRequests.get(0).message() + .overrideConfiguration(); + + return overrideConfiguration.map( + overrideConfig -> DeleteMessageBatchRequest.builder() + .queueUrl(batchKey) + .overrideConfiguration( + overrideConfig.toBuilder() + .applyMutation(USER_AGENT_APPLIER) + .build() + ) + .entries(entries) + .build() + ).orElseGet( + () -> DeleteMessageBatchRequest.builder() + .queueUrl(batchKey) + .overrideConfiguration(o -> + o.applyMutation(USER_AGENT_APPLIER).build() + ) + .entries(entries) + .build() + ); + } + + private static DeleteMessageBatchRequestEntry createDeleteMessageBatchRequestEntry(String id, DeleteMessageRequest request) { + return DeleteMessageBatchRequestEntry.builder().id(id).receiptHandle(request.receiptHandle()).build(); + } + + + private static IdentifiableMessage createDeleteMessageResponse( + DeleteMessageBatchResultEntry successfulEntry, DeleteMessageBatchResponse batchResponse) { + String key = successfulEntry.id(); + DeleteMessageResponse.Builder builder = DeleteMessageResponse.builder(); + if (batchResponse.responseMetadata() != null) { + builder.responseMetadata(batchResponse.responseMetadata()); + } + if (batchResponse.sdkHttpResponse() != null) { + builder.sdkHttpResponse(batchResponse.sdkHttpResponse()); + } + DeleteMessageResponse response = builder.build(); + return new IdentifiableMessage<>(key, response); + } + + private static IdentifiableMessage deleteMessageCreateThrowable(BatchResultErrorEntry failedEntry) { + String key = failedEntry.id(); + AwsErrorDetails errorDetailsBuilder = AwsErrorDetails.builder().errorCode(failedEntry.code()) + .errorMessage(failedEntry.message()).build(); + Throwable response = SqsException.builder().awsErrorDetails(errorDetailsBuilder).build(); + return new IdentifiableMessage<>(key, response); + } + + @Override + protected CompletableFuture batchAndSend( + List> identifiedRequests, String batchKey) { + DeleteMessageBatchRequest batchRequest = createDeleteMessageBatchRequest(identifiedRequests, batchKey); + return sqsAsyncClient.deleteMessageBatch(batchRequest); + } + + @Override + protected String getBatchKey(DeleteMessageRequest request) { + return request.overrideConfiguration().map(overrideConfig -> request.queueUrl() + overrideConfig.hashCode()) + .orElse(request.queueUrl()); + } + + @Override + protected List, + IdentifiableMessage>> mapBatchResponse(DeleteMessageBatchResponse batchResponse) { + + List, IdentifiableMessage>> mappedResponses = + new ArrayList<>(); + batchResponse.successful().forEach( + batchResponseEntry -> { + IdentifiableMessage response = createDeleteMessageResponse(batchResponseEntry, + batchResponse); + mappedResponses.add(Either.left(response)); + }); + batchResponse.failed().forEach(batchResponseEntry -> { + IdentifiableMessage response = deleteMessageCreateThrowable(batchResponseEntry); + mappedResponses.add(Either.right(response)); + }); + return mappedResponses; + } + +} diff --git a/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/IdentifiableMessage.java b/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/IdentifiableMessage.java new file mode 100644 index 000000000000..63cc78f42b9f --- /dev/null +++ b/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/IdentifiableMessage.java @@ -0,0 +1,68 @@ +/* + * 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.sqs.internal.batchmanager; + +import software.amazon.awssdk.annotations.SdkInternalApi; +import software.amazon.awssdk.utils.Validate; + +/** + * Wrapper class for a message (either request/response) and its associated batch id. + * + * @param The message + */ +@SdkInternalApi +public final class IdentifiableMessage { + + private final String id; + private final MessageT message; + + public IdentifiableMessage(String id, MessageT message) { + this.id = Validate.notNull(id, "ID cannot be null"); + this.message = Validate.notNull(message, "Message cannot be null"); + } + + public String id() { + return id; + } + + public MessageT message() { + return message; + } + + @Override + public boolean equals(Object o) { + if (this == o) { + return true; + } + if (o == null || getClass() != o.getClass()) { + return false; + } + + IdentifiableMessage that = (IdentifiableMessage) o; + + if (!id.equals(that.id)) { + return false; + } + return message.equals(that.message); + } + + @Override + public int hashCode() { + int result = id.hashCode(); + result = 31 * result + message.hashCode(); + return result; + } +} diff --git a/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/QueueAttributesManager.java b/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/QueueAttributesManager.java new file mode 100644 index 000000000000..268b563ac694 --- /dev/null +++ b/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/QueueAttributesManager.java @@ -0,0 +1,161 @@ +/* + * 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.sqs.internal.batchmanager; + + +import static software.amazon.awssdk.services.sqs.internal.batchmanager.RequestBatchManager.USER_AGENT_APPLIER; + +import java.time.Duration; +import java.util.Arrays; +import java.util.List; +import java.util.Map; +import java.util.concurrent.CompletableFuture; +import java.util.concurrent.TimeUnit; +import java.util.concurrent.atomic.AtomicReference; +import java.util.stream.Collectors; +import software.amazon.awssdk.annotations.SdkInternalApi; +import software.amazon.awssdk.services.sqs.SqsAsyncClient; +import software.amazon.awssdk.services.sqs.model.GetQueueAttributesRequest; +import software.amazon.awssdk.services.sqs.model.QueueAttributeName; +import software.amazon.awssdk.services.sqs.model.ReceiveMessageRequest; +import software.amazon.awssdk.utils.CompletableFutureUtils; +import software.amazon.awssdk.utils.Validate; + + +/** + * The {@code QueueAttributesManager} class is responsible for managing and retrieving specific attributes + * of an AWS SQS queue, such as message wait time and visibility timeout. It efficiently caches these attributes + * to minimize redundant API calls to SQS, ensuring that the attributes are fetched only once and reused in subsequent requests. + * + *

This class uses an {@link AtomicReference} to maintain the state of the attribute map, allowing concurrent access + * and handling cases where the fetching of attributes may fail. If an error occurs during the retrieval of attributes, + * the state is reset to allow for a fresh attempt in subsequent calls.

+ * + *

The class provides methods to get the visibility timeout and calculate the message receive timeout, which + * are asynchronously retrieved and processed using {@link CompletableFuture}. These methods handle cancellation + * scenarios by cancelling the SQS request if the calling future is cancelled.

+ * + *

This class is intended for internal use and is marked with the {@link SdkInternalApi} annotation.

+ */ +@SdkInternalApi +public final class QueueAttributesManager { + + private static final List QUEUE_ATTRIBUTE_NAMES = + Arrays.asList(QueueAttributeName.RECEIVE_MESSAGE_WAIT_TIME_SECONDS, + QueueAttributeName.VISIBILITY_TIMEOUT); + private final SqsAsyncClient sqsClient; + private final String queueUrl; + private final AtomicReference>> queueAttributeMap = new AtomicReference<>(); + + public QueueAttributesManager(SqsAsyncClient sqsClient, String queueUrl) { + this.sqsClient = sqsClient; + this.queueUrl = queueUrl; + } + + /** + * Retrieves the received message timeout based on the provided request and queue attributes. + * + * @param rq The receive message request + * @param configuredWaitTime The configured minimum wait time + * @return CompletableFuture with the calculated receive message timeout in milliseconds + */ + public CompletableFuture getReceiveMessageTimeout(ReceiveMessageRequest rq, Duration configuredWaitTime) { + Integer waitTimeSeconds = rq.waitTimeSeconds(); + if (waitTimeSeconds != null) { + long waitTimeMillis = TimeUnit.SECONDS.toMillis(waitTimeSeconds); + return CompletableFuture.completedFuture(Duration.ofMillis(Math.max(configuredWaitTime.toMillis(), waitTimeMillis))); + } + + CompletableFuture> attributeFuture = getAttributeMap(); + CompletableFuture resultFuture = attributeFuture.thenApply(attributes -> { + String waitTimeSecondsStr = attributes.get(QueueAttributeName.RECEIVE_MESSAGE_WAIT_TIME_SECONDS); + long waitTimeFromSqsMillis = TimeUnit.SECONDS.toMillis(Long.parseLong(waitTimeSecondsStr)); + return Duration.ofMillis(Math.max(configuredWaitTime.toMillis(), waitTimeFromSqsMillis)); + }); + + return CompletableFutureUtils.forwardExceptionTo(resultFuture, attributeFuture); + } + + /** + * Retrieves the visibility timeout for the queue. + * + * @return CompletableFuture with the visibility timeout in nanoseconds + */ + public CompletableFuture getVisibilityTimeout() { + CompletableFuture> attributeFuture = getAttributeMap(); + CompletableFuture resultFuture = attributeFuture.thenApply(attributes -> { + String visibilityTimeoutStr = attributes.get(QueueAttributeName.VISIBILITY_TIMEOUT); + return Duration.ofSeconds(Integer.parseInt(visibilityTimeoutStr)); + }); + + return CompletableFutureUtils.forwardExceptionTo(resultFuture, attributeFuture); + } + + /** + * Retrieves the queue attributes based on the predefined attribute names. + * + * @return CompletableFuture with the map of attribute names and their values. + */ + private CompletableFuture> getAttributeMap() { + CompletableFuture> future = queueAttributeMap.get(); + + if (future == null || future.isCompletedExceptionally()) { + CompletableFuture> newFuture = new CompletableFuture<>(); + + if (queueAttributeMap.compareAndSet(future, newFuture)) { + fetchQueueAttributes().whenComplete((r, t) -> { + if (t != null) { + newFuture.completeExceptionally(t); + } else { + newFuture.complete(r); + } + }); + return newFuture; + } else { + newFuture.cancel(true); + return queueAttributeMap.get(); + } + } + return future; + } + + /** + * Fetches the queue attributes from SQS and completes the provided future with the result. + * + * @return CompletableFuture with the map of attribute names and values. + */ + private CompletableFuture> fetchQueueAttributes() { + GetQueueAttributesRequest request = GetQueueAttributesRequest.builder() + .queueUrl(queueUrl) + .attributeNames(QUEUE_ATTRIBUTE_NAMES) + .overrideConfiguration(o -> o + .applyMutation(USER_AGENT_APPLIER)) + .build(); + + return sqsClient.getQueueAttributes(request) + .thenApply(response -> { + Map attributes = response.attributes(); + Validate.notNull(attributes.get(QueueAttributeName.RECEIVE_MESSAGE_WAIT_TIME_SECONDS), + QueueAttributeName.RECEIVE_MESSAGE_WAIT_TIME_SECONDS + + " attribute is null in SQS."); + Validate.notNull(attributes.get(QueueAttributeName.VISIBILITY_TIMEOUT), + QueueAttributeName.VISIBILITY_TIMEOUT + " attribute is null in SQS."); + return attributes.entrySet().stream() + .filter(entry -> QUEUE_ATTRIBUTE_NAMES.contains(entry.getKey())) + .collect(Collectors.toMap(Map.Entry::getKey, Map.Entry::getValue)); + }); + } +} diff --git a/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/ReceiveBatchManager.java b/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/ReceiveBatchManager.java new file mode 100644 index 000000000000..1225c2fcea54 --- /dev/null +++ b/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/ReceiveBatchManager.java @@ -0,0 +1,75 @@ +/* + * 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.sqs.internal.batchmanager; + +import static software.amazon.awssdk.services.sqs.internal.batchmanager.ResponseBatchConfiguration.MAX_SUPPORTED_SQS_RECEIVE_MSG; + +import java.util.concurrent.CompletableFuture; +import java.util.concurrent.ScheduledExecutorService; +import java.util.concurrent.TimeUnit; +import software.amazon.awssdk.annotations.SdkInternalApi; +import software.amazon.awssdk.services.sqs.SqsAsyncClient; +import software.amazon.awssdk.services.sqs.model.ReceiveMessageRequest; +import software.amazon.awssdk.services.sqs.model.ReceiveMessageResponse; +import software.amazon.awssdk.utils.SdkAutoCloseable; + +@SdkInternalApi +public class ReceiveBatchManager implements SdkAutoCloseable { + + private final SqsAsyncClient sqsClient; + private final ScheduledExecutorService executor; + private final ResponseBatchConfiguration config; + private final String queueUrl; + private final ReceiveQueueBuffer receiveQueueBuffer; + private final QueueAttributesManager queueAttributesManager; + + public ReceiveBatchManager(SqsAsyncClient sqsClient, ScheduledExecutorService executor, ResponseBatchConfiguration config, + String queueUrl) { + this.sqsClient = sqsClient; + this.executor = executor; + this.config = config; + this.queueUrl = queueUrl; + this.queueAttributesManager = new QueueAttributesManager(sqsClient, queueUrl); + this.receiveQueueBuffer = ReceiveQueueBuffer.builder() + .executor(executor) + .sqsClient(sqsClient) + .config(config) + .queueUrl(queueUrl) + .queueAttributesManager(queueAttributesManager).build(); + } + + public CompletableFuture processRequest(ReceiveMessageRequest rq) { + if (receiveQueueBuffer.isShutDown()) { + throw new IllegalStateException("The client has been shut down."); + } + int numMessages = rq.maxNumberOfMessages() != null ? rq.maxNumberOfMessages() : MAX_SUPPORTED_SQS_RECEIVE_MSG; + + return queueAttributesManager.getReceiveMessageTimeout(rq, config.messageMinWaitDuration()).thenCompose(waitTimeMs -> { + CompletableFuture receiveMessageFuture = new CompletableFuture<>(); + receiveQueueBuffer.receiveMessage(receiveMessageFuture, numMessages); + executor.schedule(() -> receiveMessageFuture.complete(ReceiveMessageResponse.builder().build()), + waitTimeMs.toMillis(), + TimeUnit.MILLISECONDS); + return receiveMessageFuture; + + }); + } + + @Override + public void close() { + receiveQueueBuffer.close(); + } +} diff --git a/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/ReceiveMessageBatchManager.java b/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/ReceiveMessageBatchManager.java new file mode 100644 index 000000000000..909108aadfa0 --- /dev/null +++ b/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/ReceiveMessageBatchManager.java @@ -0,0 +1,117 @@ +/* + * 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.sqs.internal.batchmanager; + +import java.util.Map; +import java.util.concurrent.CompletableFuture; +import java.util.concurrent.ConcurrentHashMap; +import java.util.concurrent.ScheduledExecutorService; +import software.amazon.awssdk.annotations.SdkInternalApi; +import software.amazon.awssdk.services.sqs.SqsAsyncClient; +import software.amazon.awssdk.services.sqs.model.ReceiveMessageRequest; +import software.amazon.awssdk.services.sqs.model.ReceiveMessageResponse; +import software.amazon.awssdk.utils.Logger; +import software.amazon.awssdk.utils.SdkAutoCloseable; + +@SdkInternalApi +public class ReceiveMessageBatchManager implements SdkAutoCloseable { + + private static final Logger log = Logger.loggerFor(ReceiveMessageBatchManager.class); + + private final SqsAsyncClient sqsClient; + private final ScheduledExecutorService executor; + private final ResponseBatchConfiguration config; + private final Map receiveBatchManagerMap = new ConcurrentHashMap<>(); + + public ReceiveMessageBatchManager(SqsAsyncClient sqsClient, + ScheduledExecutorService executor, + ResponseBatchConfiguration config) { + this.sqsClient = sqsClient; + this.executor = executor; + this.config = config; + + + } + + public CompletableFuture batchRequest(ReceiveMessageRequest request) { + String ineligibleReason = checkBatchingEligibility(request); + if (ineligibleReason == null) { + return receiveBatchManagerMap.computeIfAbsent(generateBatchKey(request), key -> createReceiveBatchManager(request)) + .processRequest(request); + } else { + log.debug(() -> String.format("Batching skipped. Reason: %s", ineligibleReason)); + return sqsClient.receiveMessage(request); + } + } + + /** + * Generates a unique key for batch processing based on the queue URL and any override configuration. + * + * @param request The receive message request. + * @return The generated batch key. + */ + private String generateBatchKey(ReceiveMessageRequest request) { + return request.overrideConfiguration() + .map(config -> request.queueUrl() + config.hashCode()) + .orElse(request.queueUrl()); + } + + private ReceiveBatchManager createReceiveBatchManager(ReceiveMessageRequest request) { + return new ReceiveBatchManager(sqsClient, executor, config, request.queueUrl()); + } + + @Override + public void close() { + receiveBatchManagerMap.values().forEach(ReceiveBatchManager::close); + } + + private String checkBatchingEligibility(ReceiveMessageRequest rq) { + if (!hasCompatibleAttributes(rq)) { + return "Incompatible attributes."; + } + if (rq.visibilityTimeout() != null) { + return "Visibility timeout is set."; + } + if (!isBufferingEnabled()) { + return "Buffering is disabled."; + } + if (rq.overrideConfiguration().isPresent()) { + return "Request has override configurations."; + } + return null; + } + + private boolean hasCompatibleAttributes(ReceiveMessageRequest rq) { + return !rq.hasAttributeNames() + && hasCompatibleSystemAttributes(rq) + && hasCompatibleMessageAttributes(rq); + } + + private boolean hasCompatibleSystemAttributes(ReceiveMessageRequest rq) { + return !rq.hasMessageSystemAttributeNames() + || config.messageSystemAttributeNames().equals(rq.messageSystemAttributeNames()); + } + + private boolean hasCompatibleMessageAttributes(ReceiveMessageRequest rq) { + return !rq.hasMessageAttributeNames() + || config.receiveMessageAttributeNames().equals(rq.messageAttributeNames()); + } + + private boolean isBufferingEnabled() { + return config.maxInflightReceiveBatches() > 0 && config.maxDoneReceiveBatches() > 0; + } + +} \ No newline at end of file diff --git a/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/ReceiveQueueBuffer.java b/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/ReceiveQueueBuffer.java new file mode 100644 index 000000000000..895fa3d8a57a --- /dev/null +++ b/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/ReceiveQueueBuffer.java @@ -0,0 +1,246 @@ +/* + * 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.sqs.internal.batchmanager; + +import static software.amazon.awssdk.services.sqs.internal.batchmanager.ResponseBatchConfiguration.MAX_SUPPORTED_SQS_RECEIVE_MSG; + +import java.util.LinkedList; +import java.util.List; +import java.util.Queue; +import java.util.concurrent.CancellationException; +import java.util.concurrent.CompletableFuture; +import java.util.concurrent.ConcurrentLinkedQueue; +import java.util.concurrent.ScheduledExecutorService; +import java.util.concurrent.atomic.AtomicBoolean; +import java.util.concurrent.atomic.AtomicInteger; +import software.amazon.awssdk.annotations.SdkInternalApi; +import software.amazon.awssdk.services.sqs.SqsAsyncClient; +import software.amazon.awssdk.services.sqs.model.Message; +import software.amazon.awssdk.services.sqs.model.ReceiveMessageResponse; +import software.amazon.awssdk.utils.SdkAutoCloseable; + +@SdkInternalApi +public class ReceiveQueueBuffer implements SdkAutoCloseable { + + private final ScheduledExecutorService executor; + private final SqsAsyncClient sqsClient; + private final ResponseBatchConfiguration config; + private final String queueUrl; + private final QueueAttributesManager queueAttributesManager; + + private final Queue finishedTasks = new ConcurrentLinkedQueue<>(); + private final Queue futures = new ConcurrentLinkedQueue<>(); + + private final AtomicInteger inflightReceiveMessageBatches = new AtomicInteger(0); + private final AtomicBoolean shutDown = new AtomicBoolean(false); + + private final AtomicBoolean processingFutures = new AtomicBoolean(false); + + private ReceiveQueueBuffer(Builder builder) { + this.executor = builder.executor; + this.sqsClient = builder.sqsClient; + this.config = builder.config; + this.queueUrl = builder.queueUrl; + this.queueAttributesManager = builder.queueAttributesManager; + } + + public static Builder builder() { + return new Builder(); + } + + public void receiveMessage(CompletableFuture receiveMessageFuture, int numMessages) { + futures.add(new FutureRequestWrapper(receiveMessageFuture, numMessages)); + satisfyFuturesFromBuffer(); + spawnMoreReceiveTasks(); + } + + public boolean isShutDown() { + return shutDown.get(); + } + + @Override + public void close() { + if (this.shutDown.compareAndSet(false, true)) { + while (!finishedTasks.isEmpty()) { + ReceiveSqsMessageHelper batch = finishedTasks.poll(); + if (inflightReceiveMessageBatches.get() > 0) { + inflightReceiveMessageBatches.decrementAndGet(); + } + if (batch != null) { + batch.clear(); + } + } + futures.forEach(futureWrapper -> { + if (!futureWrapper.getFuture().isDone()) { + futureWrapper.getFuture().completeExceptionally(new CancellationException("Shutdown in progress")); + } + }); + futures.clear(); + } + } + + private void spawnMoreReceiveTasks() { + if (shutDown.get()) { + return; + } + + int desiredBatches = determineDesiredBatches(); + if (finishedTasks.size() >= desiredBatches) { + return; + } + + if (!finishedTasks.isEmpty() && (finishedTasks.size() + inflightReceiveMessageBatches.get()) >= desiredBatches) { + return; + } + + queueAttributesManager.getVisibilityTimeout().thenAccept(visibilityTimeout -> { + int max = Math.max(config.maxInflightReceiveBatches(), 1); + int toSpawn = max - inflightReceiveMessageBatches.get(); + if (toSpawn > 0) { + ReceiveSqsMessageHelper receiveSqsMessageHelper = new ReceiveSqsMessageHelper( + queueUrl, sqsClient, visibilityTimeout, config); + inflightReceiveMessageBatches.incrementAndGet(); + receiveSqsMessageHelper.asyncReceiveMessage() + .whenComplete((response, exception) -> reportBatchFinished(response)); + } + }); + } + + private int determineDesiredBatches() { + int desiredBatches = Math.max(config.maxDoneReceiveBatches(), 1); + int totalRequested = futures.stream() + .mapToInt(FutureRequestWrapper::getRequestedSize) + .sum(); + int batchesNeededToFulfillFutures = (int) Math.ceil((float) totalRequested / MAX_SUPPORTED_SQS_RECEIVE_MSG); + desiredBatches = Math.min(batchesNeededToFulfillFutures, desiredBatches); + + return desiredBatches; + } + + private void fulfillFuture(FutureRequestWrapper futureWrapper) { + ReceiveSqsMessageHelper peekedMessage = finishedTasks.peek(); + List messages = new LinkedList<>(); + Throwable exception = peekedMessage.getException(); + int numRetrieved = 0; + boolean batchDone = false; + + if (exception != null) { + futureWrapper.getFuture().completeExceptionally(exception); + finishedTasks.poll(); + return; + } + + while (numRetrieved < futureWrapper.getRequestedSize()) { + Message msg = peekedMessage.removeMessage(); + if (msg != null) { + messages.add(msg); + ++numRetrieved; + } else { + batchDone = true; + break; + } + } + batchDone = batchDone || peekedMessage.isEmpty(); + if (batchDone) { + finishedTasks.poll(); + } + futureWrapper.getFuture().complete(ReceiveMessageResponse.builder().messages(messages).build()); + } + + private void satisfyFuturesFromBuffer() { + if (!processingFutures.compareAndSet(false, true)) { + return; + } + try { + do { + futures.removeIf(future -> { + if (future.getFuture().isDone()) { + return true; + } + if (!finishedTasks.isEmpty()) { + fulfillFuture(future); + return true; + } + return false; + }); + } while (!futures.isEmpty() && !finishedTasks.isEmpty()); + } finally { + processingFutures.set(false); + } + } + + private void reportBatchFinished(ReceiveSqsMessageHelper batch) { + finishedTasks.offer(batch); + inflightReceiveMessageBatches.decrementAndGet(); + satisfyFuturesFromBuffer(); + spawnMoreReceiveTasks(); + } + + private static class FutureRequestWrapper { + private final CompletableFuture future; + private final int requestedSize; + + FutureRequestWrapper(CompletableFuture future, int requestedSize) { + this.future = future; + this.requestedSize = requestedSize; + } + + public CompletableFuture getFuture() { + return future; + } + + public int getRequestedSize() { + return requestedSize; + } + } + + public static class Builder { + private ScheduledExecutorService executor; + private SqsAsyncClient sqsClient; + private ResponseBatchConfiguration config; + private String queueUrl; + private QueueAttributesManager queueAttributesManager; + + public Builder executor(ScheduledExecutorService executor) { + this.executor = executor; + return this; + } + + public Builder sqsClient(SqsAsyncClient sqsClient) { + this.sqsClient = sqsClient; + return this; + } + + public Builder config(ResponseBatchConfiguration config) { + this.config = config; + return this; + } + + public Builder queueUrl(String queueUrl) { + this.queueUrl = queueUrl; + return this; + } + + public Builder queueAttributesManager(QueueAttributesManager queueAttributesManager) { + this.queueAttributesManager = queueAttributesManager; + return this; + } + + public ReceiveQueueBuffer build() { + return new ReceiveQueueBuffer(this); + } + } +} diff --git a/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/ReceiveSqsMessageHelper.java b/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/ReceiveSqsMessageHelper.java new file mode 100644 index 000000000000..07314d2e86e2 --- /dev/null +++ b/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/ReceiveSqsMessageHelper.java @@ -0,0 +1,179 @@ +/* + * 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.sqs.internal.batchmanager; + + +import static software.amazon.awssdk.services.sqs.internal.batchmanager.RequestBatchManager.USER_AGENT_APPLIER; + +import java.time.Duration; +import java.util.List; +import java.util.Objects; +import java.util.Queue; +import java.util.concurrent.CompletableFuture; +import java.util.concurrent.ConcurrentLinkedQueue; +import java.util.stream.Collectors; +import java.util.stream.IntStream; +import software.amazon.awssdk.annotations.SdkInternalApi; +import software.amazon.awssdk.annotations.SdkTestInternalApi; +import software.amazon.awssdk.services.sqs.SqsAsyncClient; +import software.amazon.awssdk.services.sqs.model.ChangeMessageVisibilityBatchRequest; +import software.amazon.awssdk.services.sqs.model.ChangeMessageVisibilityBatchRequestEntry; +import software.amazon.awssdk.services.sqs.model.ChangeMessageVisibilityBatchResponse; +import software.amazon.awssdk.services.sqs.model.Message; +import software.amazon.awssdk.services.sqs.model.ReceiveMessageRequest; +import software.amazon.awssdk.utils.CollectionUtils; +import software.amazon.awssdk.utils.Logger; +import software.amazon.awssdk.utils.NumericUtils; + +/** + * The {@code ReceiveSqsMessageHelper} class forms a {@link ReceiveMessageRequest} request based on configuration settings, + * collects messages from an AWS SQS queue, and handles exceptions during the process. + *

+ * It manages message visibility timeout by tracking the visibility deadline and expiring messages if not processed in time, + * ensuring unhandled messages return to the queue for reprocessing. + *

+ * Additionally, the class supports clearing messages in the batch and changing their visibility as needed. + */ + +@SdkInternalApi +public class ReceiveSqsMessageHelper { + + private static final Logger log = Logger.loggerFor(ReceiveSqsMessageHelper.class); + private final String queueUrl; + private final SqsAsyncClient asyncClient; + private final Duration visibilityTimeout; + private final ResponseBatchConfiguration config; + private volatile Throwable exception; + private Queue messages = new ConcurrentLinkedQueue<>(); + private volatile long visibilityDeadlineNano; + + public ReceiveSqsMessageHelper(String queueUrl, + SqsAsyncClient asyncClient, + Duration visibilityTimeout, + ResponseBatchConfiguration config) { + this.queueUrl = queueUrl; + this.asyncClient = asyncClient; + this.visibilityTimeout = visibilityTimeout; + this.config = config; + } + + public CompletableFuture asyncReceiveMessage() { + ReceiveMessageRequest.Builder request = + ReceiveMessageRequest.builder() + .queueUrl(queueUrl) + .maxNumberOfMessages(config.maxBatchItems()) + .overrideConfiguration(o -> o.applyMutation(USER_AGENT_APPLIER)); + + if (!CollectionUtils.isNullOrEmpty(config.messageSystemAttributeNames())) { + request.messageSystemAttributeNames(config.messageSystemAttributeNames()); + } + + if (!CollectionUtils.isNullOrEmpty(config.receiveMessageAttributeNames())) { + request.messageAttributeNames(config.receiveMessageAttributeNames()); + } + + request.visibilityTimeout(NumericUtils.saturatedCast(this.visibilityTimeout.getSeconds())); + + try { + return asyncClient.receiveMessage(request.build()) + .handle((response, throwable) -> { + if (throwable != null) { + this.exception = throwable; + } else { + messages.addAll(response.messages()); + } + return this; + }); + } finally { + visibilityDeadlineNano = System.nanoTime() + visibilityTimeout.toNanos(); + } + + } + + public boolean isEmpty() { + return messages == null || messages.isEmpty(); + } + + public Throwable getException() { + return exception; + } + + public Message removeMessage() { + if (isExpired()) { + clear(); + return null; + } + return messages.poll(); + } + + private boolean isExpired() { + return System.nanoTime() > visibilityDeadlineNano; + } + + + public void clear() { + if (!isEmpty()) { + CompletableFuture nackedMessages = nackMessages(); + if (nackedMessages != null) { + nackedMessages.exceptionally(throwable -> { + log.warn(() -> String.format( + "Failed to reset the visibility timeout of unprocessed messages for queueUrl: %s. " + + "As a result, these unprocessed messages will remain invisible in the queue for the " + + "duration of the visibility timeout (%s).", + queueUrl, visibilityTimeout + ), throwable); + + return null; + }); + } + } + } + + + private CompletableFuture nackMessages() { + if (messages == null || messages.isEmpty()) { + return null; + } + + List entries = + IntStream.range(0, messages.size()) + .mapToObj(i -> ChangeMessageVisibilityBatchRequestEntry.builder() + .id(String.valueOf(i)) + .receiptHandle(Objects.requireNonNull(messages.poll()) + .receiptHandle()) + .visibilityTimeout(0) + .build()) + .collect(Collectors.toList()); + + ChangeMessageVisibilityBatchRequest batchRequest = + ChangeMessageVisibilityBatchRequest.builder() + .queueUrl(queueUrl) + .entries(entries) + .overrideConfiguration(o -> o.applyMutation(USER_AGENT_APPLIER)) + .build(); + + return asyncClient.changeMessageVisibilityBatch(batchRequest); + } + + /** + * messages.size() is expensive since it is ConcurrentLinkedQueue. + * Thus, its used only for testing the results and not used in any internal classes. + */ + @SdkTestInternalApi + public Integer messagesSize() { + return messages != null ? messages.size() : 0; + } +} \ No newline at end of file diff --git a/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/RequestBatchBuffer.java b/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/RequestBatchBuffer.java new file mode 100644 index 000000000000..d13b32c29e1e --- /dev/null +++ b/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/RequestBatchBuffer.java @@ -0,0 +1,165 @@ +/* + * 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.sqs.internal.batchmanager; + + +import java.util.Collection; +import java.util.Collections; +import java.util.LinkedHashMap; +import java.util.Map; +import java.util.concurrent.CompletableFuture; +import java.util.concurrent.ConcurrentHashMap; +import java.util.concurrent.ScheduledFuture; +import java.util.stream.Collectors; +import software.amazon.awssdk.annotations.SdkInternalApi; + +@SdkInternalApi +public final class RequestBatchBuffer { + private final Object flushLock = new Object(); + + private final Map> idToBatchContext; + private final int maxBatchItems; + private final int maxBufferSize; + private final int maxBatchSizeInBytes; + /** + * Batch entries in a batch request require a unique ID so nextId keeps track of the ID to assign to the next + * BatchingExecutionContext. For simplicity, the ID is just an integer that is incremented everytime a new request and + * response pair is received. + */ + private int nextId; + /** + * Keeps track of the ID of the next entry to be added in a batch request. This ID does not necessarily correlate to a request + * that already exists in the idToBatchContext map since it refers to the next entry (ex. if the last entry added to + * idToBatchContext had an id of 22, nextBatchEntry will have a value of 23). + */ + private int nextBatchEntry; + + /** + * The scheduled flush tasks associated with this batchBuffer. + */ + private ScheduledFuture scheduledFlush; + + public RequestBatchBuffer(ScheduledFuture scheduledFlush, + int maxBatchItems, int maxBatchSizeInBytes, int maxBufferSize) { + this.idToBatchContext = new ConcurrentHashMap<>(); + this.nextId = 0; + this.nextBatchEntry = 0; + this.scheduledFlush = scheduledFlush; + this.maxBatchItems = maxBatchItems; + this.maxBufferSize = maxBufferSize; + this.maxBatchSizeInBytes = maxBatchSizeInBytes; + } + + public Map> flushableRequests() { + synchronized (flushLock) { + return (isByteSizeThresholdCrossed(0) || isMaxBatchSizeLimitReached()) + ? extractFlushedEntries(maxBatchItems) + : Collections.emptyMap(); + } + } + + + private boolean isMaxBatchSizeLimitReached() { + return idToBatchContext.size() >= maxBatchItems; + } + + public Map> flushableRequestsOnByteLimitBeforeAdd(RequestT request) { + synchronized (flushLock) { + if (maxBatchSizeInBytes > 0 && !idToBatchContext.isEmpty()) { + int incomingRequestBytes = RequestPayloadCalculator.calculateMessageSize(request).orElse(0); + if (isByteSizeThresholdCrossed(incomingRequestBytes)) { + return extractFlushedEntries(maxBatchItems); + } + } + return Collections.emptyMap(); + } + } + + private boolean isByteSizeThresholdCrossed(int incomingRequestBytes) { + if (maxBatchSizeInBytes < 0) { + return false; + } + int totalPayloadSize = idToBatchContext.values().stream() + .map(BatchingExecutionContext::responsePayloadByteSize) + .mapToInt(opt -> opt.orElse(0)) + .sum() + incomingRequestBytes; + return totalPayloadSize > maxBatchSizeInBytes; + } + + public Map> flushableScheduledRequests(int maxBatchItems) { + synchronized (flushLock) { + if (!idToBatchContext.isEmpty()) { + return extractFlushedEntries(maxBatchItems); + } + return Collections.emptyMap(); + } + } + + private Map> extractFlushedEntries(int maxBatchItems) { + LinkedHashMap> requestEntries = new LinkedHashMap<>(); + String nextEntry; + while (requestEntries.size() < maxBatchItems && hasNextBatchEntry()) { + nextEntry = nextBatchEntry(); + requestEntries.put(nextEntry, idToBatchContext.get(nextEntry)); + idToBatchContext.remove(nextEntry); + } + return requestEntries; + } + + public void put(RequestT request, CompletableFuture response) { + synchronized (this) { + if (idToBatchContext.size() == maxBufferSize) { + throw new IllegalStateException("Reached MaxBufferSize of: " + maxBufferSize); + } + + if (nextId == Integer.MAX_VALUE) { + nextId = 0; + } + String id = Integer.toString(nextId++); + idToBatchContext.put(id, new BatchingExecutionContext<>(request, response)); + } + } + + private boolean hasNextBatchEntry() { + return idToBatchContext.containsKey(Integer.toString(nextBatchEntry)); + } + + private String nextBatchEntry() { + if (nextBatchEntry == Integer.MAX_VALUE) { + nextBatchEntry = 0; + } + return Integer.toString(nextBatchEntry++); + } + + public void putScheduledFlush(ScheduledFuture scheduledFlush) { + this.scheduledFlush = scheduledFlush; + } + + public void cancelScheduledFlush() { + scheduledFlush.cancel(false); + } + + public Collection> responses() { + return idToBatchContext.values() + .stream() + .map(BatchingExecutionContext::response) + .collect(Collectors.toList()); + } + + public void clear() { + idToBatchContext.clear(); + } +} diff --git a/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/RequestBatchConfiguration.java b/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/RequestBatchConfiguration.java new file mode 100644 index 000000000000..08cd1c0818ce --- /dev/null +++ b/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/RequestBatchConfiguration.java @@ -0,0 +1,124 @@ +/* + * 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.sqs.internal.batchmanager; + +import java.time.Duration; +import software.amazon.awssdk.annotations.SdkInternalApi; +import software.amazon.awssdk.services.sqs.batchmanager.BatchOverrideConfiguration; + +@SdkInternalApi +public final class RequestBatchConfiguration { + + public static final int DEFAULT_MAX_BATCH_ITEMS = 10; + public static final int DEFAULT_MAX_BATCH_BYTES_SIZE = -1; + public static final int DEFAULT_MAX_BATCH_KEYS = 10000; + public static final int DEFAULT_MAX_BUFFER_SIZE = 500; + public static final Duration DEFAULT_MAX_BATCH_OPEN_IN_MS = Duration.ofMillis(200); + + private final Integer maxBatchItems; + private final Integer maxBatchKeys; + private final Integer maxBufferSize; + private final Duration sendRequestFrequency; + private final Integer maxBatchBytesSize; + + private RequestBatchConfiguration(Builder builder) { + + this.maxBatchItems = builder.maxBatchItems != null ? builder.maxBatchItems : DEFAULT_MAX_BATCH_ITEMS; + this.maxBatchKeys = builder.maxBatchKeys != null ? builder.maxBatchKeys : DEFAULT_MAX_BATCH_KEYS; + this.maxBufferSize = builder.maxBufferSize != null ? builder.maxBufferSize : DEFAULT_MAX_BUFFER_SIZE; + this.sendRequestFrequency = builder.sendRequestFrequency != null ? + builder.sendRequestFrequency : + DEFAULT_MAX_BATCH_OPEN_IN_MS; + this.maxBatchBytesSize = builder.maxBatchBytesSize != null ? builder.maxBatchBytesSize : DEFAULT_MAX_BATCH_BYTES_SIZE; + + } + + public static Builder builder() { + return new Builder(); + } + + public static Builder builder(BatchOverrideConfiguration configuration) { + if (configuration != null) { + return new Builder() + .maxBatchItems(configuration.maxBatchSize()) + .sendRequestFrequency(configuration.sendRequestFrequency()) + .maxBatchBytesSize(configuration.maxBatchSize()); + } + return new Builder(); + } + + public Duration sendRequestFrequency() { + return sendRequestFrequency; + } + + public int maxBatchItems() { + return maxBatchItems; + } + + public int maxBatchKeys() { + return maxBatchKeys; + } + + public int maxBufferSize() { + return maxBufferSize; + } + + public int maxBatchBytesSize() { + return maxBatchBytesSize; + } + + public static final class Builder { + + private Integer maxBatchItems; + private Integer maxBatchKeys; + private Integer maxBufferSize; + private Duration sendRequestFrequency; + private Integer maxBatchBytesSize; + + private Builder() { + } + + public Builder maxBatchItems(Integer maxBatchItems) { + this.maxBatchItems = maxBatchItems; + return this; + } + + public Builder maxBatchKeys(Integer maxBatchKeys) { + this.maxBatchKeys = maxBatchKeys; + return this; + } + + public Builder maxBufferSize(Integer maxBufferSize) { + this.maxBufferSize = maxBufferSize; + return this; + } + + public Builder sendRequestFrequency(Duration sendRequestFrequency) { + this.sendRequestFrequency = sendRequestFrequency; + return this; + } + + public Builder maxBatchBytesSize(Integer maxBatchBytesSize) { + this.maxBatchBytesSize = maxBatchBytesSize; + return this; + } + + public RequestBatchConfiguration build() { + return new RequestBatchConfiguration(this); + } + } + +} diff --git a/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/RequestBatchManager.java b/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/RequestBatchManager.java new file mode 100644 index 000000000000..fdee592a7096 --- /dev/null +++ b/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/RequestBatchManager.java @@ -0,0 +1,179 @@ +/* + * 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.sqs.internal.batchmanager; + +import java.time.Duration; +import java.util.ArrayList; +import java.util.Collections; +import java.util.List; +import java.util.Map; +import java.util.Optional; +import java.util.Set; +import java.util.concurrent.CompletableFuture; +import java.util.concurrent.ConcurrentHashMap; +import java.util.concurrent.ScheduledExecutorService; +import java.util.concurrent.ScheduledFuture; +import java.util.concurrent.TimeUnit; +import java.util.function.Consumer; +import software.amazon.awssdk.annotations.SdkInternalApi; +import software.amazon.awssdk.awscore.AwsRequestOverrideConfiguration; +import software.amazon.awssdk.core.ApiName; +import software.amazon.awssdk.utils.Either; +import software.amazon.awssdk.utils.Validate; + +@SdkInternalApi +public abstract class RequestBatchManager { + + + // abm stands for Automatic Batching Manager + public static final Consumer USER_AGENT_APPLIER = + b -> b.addApiName(ApiName.builder().version("abm").name("hll").build()); + + protected final RequestBatchConfiguration batchConfiguration ; + + private final int maxBatchItems; + private final Duration sendRequestFrequency; + private final BatchingMap requestsAndResponsesMaps; + private final ScheduledExecutorService scheduledExecutor; + private final Set> pendingBatchResponses ; + private final Set> pendingResponses ; + + + protected RequestBatchManager(RequestBatchConfiguration overrideConfiguration, + ScheduledExecutorService scheduledExecutor) { + batchConfiguration = overrideConfiguration; + this.maxBatchItems = batchConfiguration.maxBatchItems(); + this.sendRequestFrequency = batchConfiguration.sendRequestFrequency(); + this.scheduledExecutor = Validate.notNull(scheduledExecutor, "Null scheduledExecutor"); + pendingBatchResponses = Collections.newSetFromMap(new ConcurrentHashMap<>()); + pendingResponses = Collections.newSetFromMap(new ConcurrentHashMap<>()); + this.requestsAndResponsesMaps = new BatchingMap<>(overrideConfiguration); + + } + + public CompletableFuture batchRequest(RequestT request) { + CompletableFuture response = new CompletableFuture<>(); + pendingResponses.add(response); + + try { + String batchKey = getBatchKey(request); + // Handle potential byte size overflow only if there are request in map and if feature enabled + if (requestsAndResponsesMaps.contains(batchKey) && batchConfiguration.maxBatchBytesSize() > 0) { + Optional.of(requestsAndResponsesMaps.flushableRequestsOnByteLimitBeforeAdd(batchKey, request)) + .filter(flushableRequests -> !flushableRequests.isEmpty()) + .ifPresent(flushableRequests -> manualFlushBuffer(batchKey, flushableRequests)); + } + + // Add request and response to the map, scheduling a flush if necessary + requestsAndResponsesMaps.put(batchKey, + () -> scheduleBufferFlush(batchKey, + sendRequestFrequency.toMillis(), + scheduledExecutor), + request, + response); + + // Immediately flush if the batch is full + Optional.of(requestsAndResponsesMaps.flushableRequests(batchKey)) + .filter(flushableRequests -> !flushableRequests.isEmpty()) + .ifPresent(flushableRequests -> manualFlushBuffer(batchKey, flushableRequests)); + + } catch (Exception e) { + response.completeExceptionally(e); + } + + return response; + } + + protected abstract CompletableFuture batchAndSend(List> identifiedRequests, + String batchKey); + + protected abstract String getBatchKey(RequestT request); + + protected abstract List, + IdentifiableMessage>> mapBatchResponse(BatchResponseT batchResponse); + + private void manualFlushBuffer(String batchKey, + Map> flushableRequests) { + requestsAndResponsesMaps.cancelScheduledFlush(batchKey); + flushBuffer(batchKey, flushableRequests); + requestsAndResponsesMaps.putScheduledFlush(batchKey, + scheduleBufferFlush(batchKey, + sendRequestFrequency.toMillis(), + scheduledExecutor)); + } + + private void flushBuffer(String batchKey, Map> flushableRequests) { + List> requestEntries = new ArrayList<>(); + flushableRequests.forEach((contextId, batchExecutionContext) -> + requestEntries.add(new IdentifiableMessage<>(contextId, batchExecutionContext.request()))); + if (!requestEntries.isEmpty()) { + CompletableFuture pendingBatchingRequest = batchAndSend(requestEntries, batchKey) + .whenComplete((result, ex) -> handleAndCompleteResponses(result, ex, flushableRequests)); + + pendingBatchResponses.add(pendingBatchingRequest); + } + } + + private void handleAndCompleteResponses(BatchResponseT batchResult, Throwable exception, + Map> requests) { + requests.forEach((contextId, batchExecutionContext) -> pendingResponses.add(batchExecutionContext.response())); + if (exception != null) { + requests.forEach((contextId, batchExecutionContext) -> batchExecutionContext.response() + .completeExceptionally(exception)); + } else { + mapBatchResponse(batchResult) + .forEach( + response -> response.map(actualResponse -> requests.get(actualResponse.id()) + .response() + .complete(actualResponse.message()), + throwable -> requests.get(throwable.id()) + .response() + .completeExceptionally(throwable.message()))); + } + requests.clear(); + } + + private ScheduledFuture scheduleBufferFlush(String batchKey, long timeOutInMs, + ScheduledExecutorService scheduledExecutor) { + return scheduledExecutor.scheduleAtFixedRate(() -> performScheduledFlush(batchKey), timeOutInMs, timeOutInMs, + TimeUnit.MILLISECONDS); + } + + private void performScheduledFlush(String batchKey) { + Map> flushableRequests = + requestsAndResponsesMaps.flushableScheduledRequests(batchKey, maxBatchItems); + if (!flushableRequests.isEmpty()) { + flushBuffer(batchKey, flushableRequests); + } + } + + public void close() { + requestsAndResponsesMaps.forEach((batchKey, batchBuffer) -> { + requestsAndResponsesMaps.cancelScheduledFlush(batchKey); + Map> flushableRequests = + requestsAndResponsesMaps.flushableRequests(batchKey); + + while (!flushableRequests.isEmpty()) { + flushBuffer(batchKey, flushableRequests); + } + + }); + pendingBatchResponses.forEach(future -> future.cancel(true)); + pendingResponses.forEach(future -> future.cancel(true)); + requestsAndResponsesMaps.clear(); + } + +} \ No newline at end of file diff --git a/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/RequestPayloadCalculator.java b/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/RequestPayloadCalculator.java new file mode 100644 index 000000000000..bd5c2c9b41f4 --- /dev/null +++ b/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/RequestPayloadCalculator.java @@ -0,0 +1,52 @@ +/* + * 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.sqs.internal.batchmanager; + +import static software.amazon.awssdk.services.sqs.internal.batchmanager.ResponseBatchConfiguration.ATTRIBUTE_MAPS_PAYLOAD_BYTES; + +import java.nio.charset.StandardCharsets; +import java.util.Optional; +import software.amazon.awssdk.annotations.SdkInternalApi; +import software.amazon.awssdk.services.sqs.model.SendMessageRequest; + +@SdkInternalApi +public final class RequestPayloadCalculator { + + private RequestPayloadCalculator() { + } + + /** + * Evaluates the total size of the message body, message attributes, and message system attributes for a SendMessageRequest. + * If the request is not a SendMessageRequest, returns an empty Optional. + * + * @param request the request to evaluate + * @param the type of the request + * @return an Optional containing the total size in bytes if the request is a SendMessageRequest, otherwise an empty Optional + */ + public static Optional calculateMessageSize(RequestT request) { + if (!(request instanceof SendMessageRequest)) { + return Optional.empty(); + } + SendMessageRequest sendMessageRequest = (SendMessageRequest) request; + Integer totalSize = calculateBodySize(sendMessageRequest) + ATTRIBUTE_MAPS_PAYLOAD_BYTES; + return Optional.of(totalSize); + } + + private static int calculateBodySize(SendMessageRequest request) { + return request.messageBody() != null ? request.messageBody().getBytes(StandardCharsets.UTF_8).length : 0; + } + +} diff --git a/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/ResponseBatchConfiguration.java b/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/ResponseBatchConfiguration.java new file mode 100644 index 000000000000..87e471e85301 --- /dev/null +++ b/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/ResponseBatchConfiguration.java @@ -0,0 +1,178 @@ +/* + * 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.sqs.internal.batchmanager; + +import java.time.Duration; +import java.util.Collections; +import java.util.List; +import software.amazon.awssdk.annotations.SdkInternalApi; +import software.amazon.awssdk.services.sqs.batchmanager.BatchOverrideConfiguration; +import software.amazon.awssdk.services.sqs.model.MessageSystemAttributeName; + +@SdkInternalApi +public final class ResponseBatchConfiguration { + + public static final Duration VISIBILITY_TIMEOUT_SECONDS_DEFAULT = null; + public static final Duration MIN_RECEIVE_WAIT_TIME_MS_DEFAULT = Duration.ofMillis(50); + public static final List RECEIVE_MESSAGE_ATTRIBUTE_NAMES_DEFAULT = Collections.emptyList(); + public static final List MESSAGE_SYSTEM_ATTRIBUTE_NAMES_DEFAULT = Collections.emptyList(); + public static final int MAX_INFLIGHT_RECEIVE_BATCHES_DEFAULT = 10; + public static final int MAX_DONE_RECEIVE_BATCHES_DEFAULT = 10; + + public static final int MAX_SUPPORTED_SQS_RECEIVE_MSG = 10; + + public static final int MAX_SEND_MESSAGE_PAYLOAD_SIZE_BYTES = 262_144; // 256 KiB + + /** + * + * AWS SQS Message Attributes Documentation + * + * Rounding up max payload due to attribute maps. + * This was not done in V1, thus an issue was reported where batch messages failed with payload size exceeding the maximum. + */ + public static final int ATTRIBUTE_MAPS_PAYLOAD_BYTES = 16 * 1024; // 16 KiB + + private final Duration visibilityTimeout; + private final Duration messageMinWaitDuration; + private final List messageSystemAttributeNames; + private final List receiveMessageAttributeNames; + private final Integer maxBatchItems; + private final Integer maxInflightReceiveBatches; + private final Integer maxDoneReceiveBatches; + + private ResponseBatchConfiguration(Builder builder) { + this.visibilityTimeout = builder.visibilityTimeout != null + ? builder.visibilityTimeout + : VISIBILITY_TIMEOUT_SECONDS_DEFAULT; + + this.messageMinWaitDuration = builder.messageMinWaitDuration != null + ? builder.messageMinWaitDuration + : MIN_RECEIVE_WAIT_TIME_MS_DEFAULT; + + this.messageSystemAttributeNames = builder.messageSystemAttributeNames != null + ? builder.messageSystemAttributeNames + : MESSAGE_SYSTEM_ATTRIBUTE_NAMES_DEFAULT; + + this.receiveMessageAttributeNames = builder.receiveMessageAttributeNames != null + ? builder.receiveMessageAttributeNames + : RECEIVE_MESSAGE_ATTRIBUTE_NAMES_DEFAULT; + + this.maxBatchItems = builder.maxBatchItems != null + ? builder.maxBatchItems + : MAX_SUPPORTED_SQS_RECEIVE_MSG; + + this.maxInflightReceiveBatches = builder.maxInflightReceiveBatches != null + ? builder.maxInflightReceiveBatches + : MAX_INFLIGHT_RECEIVE_BATCHES_DEFAULT; + + this.maxDoneReceiveBatches = builder.maxDoneReceiveBatches != null + ? builder.maxDoneReceiveBatches + : MAX_DONE_RECEIVE_BATCHES_DEFAULT; + } + + + public Duration visibilityTimeout() { + return visibilityTimeout; + } + + public Duration messageMinWaitDuration() { + return messageMinWaitDuration; + } + + public List messageSystemAttributeNames() { + return Collections.unmodifiableList(messageSystemAttributeNames); + } + + public List receiveMessageAttributeNames() { + return Collections.unmodifiableList(receiveMessageAttributeNames); + } + + public int maxBatchItems() { + return maxBatchItems; + } + + public int maxInflightReceiveBatches() { + return maxInflightReceiveBatches; + } + + public int maxDoneReceiveBatches() { + return maxDoneReceiveBatches; + } + + public static Builder builder(BatchOverrideConfiguration overrideConfiguration) { + Builder builder = new Builder(); + if (overrideConfiguration != null) { + builder.messageMinWaitDuration(overrideConfiguration.receiveMessageMinWaitDuration()) + .receiveMessageAttributeNames(overrideConfiguration.receiveMessageAttributeNames()) + .messageSystemAttributeNames(overrideConfiguration.receiveMessageSystemAttributeNames()) + .visibilityTimeout(overrideConfiguration.receiveMessageVisibilityTimeout()); + } + return builder; + } + + public static Builder builder() { + return new Builder(); + } + + public static class Builder { + private Duration visibilityTimeout; + private Duration messageMinWaitDuration; + private List messageSystemAttributeNames; + private List receiveMessageAttributeNames; + private Integer maxBatchItems; + private Integer maxInflightReceiveBatches; + private Integer maxDoneReceiveBatches; + + public Builder visibilityTimeout(Duration visibilityTimeout) { + this.visibilityTimeout = visibilityTimeout; + return this; + } + + public Builder messageMinWaitDuration(Duration messageMinWaitDuration) { + this.messageMinWaitDuration = messageMinWaitDuration; + return this; + } + + public Builder messageSystemAttributeNames(List messageSystemAttributeNames) { + this.messageSystemAttributeNames = messageSystemAttributeNames; + return this; + } + + public Builder receiveMessageAttributeNames(List receiveMessageAttributeNames) { + this.receiveMessageAttributeNames = receiveMessageAttributeNames; + return this; + } + + public Builder maxBatchItems(Integer maxBatchItems) { + this.maxBatchItems = maxBatchItems; + return this; + } + + public Builder maxInflightReceiveBatches(Integer maxInflightReceiveBatches) { + this.maxInflightReceiveBatches = maxInflightReceiveBatches; + return this; + } + + public Builder maxDoneReceiveBatches(Integer maxDoneReceiveBatches) { + this.maxDoneReceiveBatches = maxDoneReceiveBatches; + return this; + } + + public ResponseBatchConfiguration build() { + return new ResponseBatchConfiguration(this); + } + } +} \ No newline at end of file diff --git a/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/SendMessageBatchManager.java b/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/SendMessageBatchManager.java new file mode 100644 index 000000000000..18fcdc42192f --- /dev/null +++ b/services/sqs/src/main/java/software/amazon/awssdk/services/sqs/internal/batchmanager/SendMessageBatchManager.java @@ -0,0 +1,154 @@ +/* + * 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.sqs.internal.batchmanager; + +import java.util.ArrayList; +import java.util.List; +import java.util.Optional; +import java.util.concurrent.CompletableFuture; +import java.util.concurrent.ScheduledExecutorService; +import java.util.stream.Collectors; +import software.amazon.awssdk.annotations.SdkInternalApi; +import software.amazon.awssdk.awscore.AwsRequestOverrideConfiguration; +import software.amazon.awssdk.awscore.exception.AwsErrorDetails; +import software.amazon.awssdk.services.sqs.SqsAsyncClient; +import software.amazon.awssdk.services.sqs.model.BatchResultErrorEntry; +import software.amazon.awssdk.services.sqs.model.SendMessageBatchRequest; +import software.amazon.awssdk.services.sqs.model.SendMessageBatchRequestEntry; +import software.amazon.awssdk.services.sqs.model.SendMessageBatchResponse; +import software.amazon.awssdk.services.sqs.model.SendMessageBatchResultEntry; +import software.amazon.awssdk.services.sqs.model.SendMessageRequest; +import software.amazon.awssdk.services.sqs.model.SendMessageResponse; +import software.amazon.awssdk.services.sqs.model.SqsException; +import software.amazon.awssdk.utils.Either; + +@SdkInternalApi +public class SendMessageBatchManager extends RequestBatchManager { + + private final SqsAsyncClient asyncClient; + + protected SendMessageBatchManager(RequestBatchConfiguration overrideConfiguration, + ScheduledExecutorService scheduledExecutor, + SqsAsyncClient asyncClient) { + super(overrideConfiguration, scheduledExecutor); + this.asyncClient = asyncClient; + } + + private static IdentifiableMessage sendMessageCreateThrowable(BatchResultErrorEntry failedEntry) { + String key = failedEntry.id(); + AwsErrorDetails errorDetailsBuilder = AwsErrorDetails.builder() + .errorCode(failedEntry.code()) + .errorMessage(failedEntry.message()) + .build(); + Throwable response = SqsException.builder() + .awsErrorDetails(errorDetailsBuilder) + .build(); + return new IdentifiableMessage<>(key, response); + } + + private static IdentifiableMessage createSendMessageResponse( + SendMessageBatchResultEntry successfulEntry, SendMessageBatchResponse batchResponse) { + String key = successfulEntry.id(); + SendMessageResponse.Builder builder = SendMessageResponse.builder() + .md5OfMessageBody(successfulEntry.md5OfMessageBody()) + .md5OfMessageAttributes(successfulEntry.md5OfMessageAttributes()) + .md5OfMessageSystemAttributes( + successfulEntry.md5OfMessageSystemAttributes()) + .messageId(successfulEntry.messageId()) + .sequenceNumber(successfulEntry.sequenceNumber()); + if (batchResponse.responseMetadata() != null) { + builder.responseMetadata(batchResponse.responseMetadata()); + } + if (batchResponse.sdkHttpResponse() != null) { + builder.sdkHttpResponse(batchResponse.sdkHttpResponse()); + } + SendMessageResponse response = builder.build(); + return new IdentifiableMessage<>(key, response); + } + + private static SendMessageBatchRequest createSendMessageBatchRequest( + List> identifiedRequests, String batchKey) { + + List entries = + identifiedRequests.stream() + .map(identifiedRequest -> createSendMessageBatchRequestEntry(identifiedRequest.id(), + identifiedRequest.message())) + .collect(Collectors.toList()); + + // All requests must have the same overrideConfiguration, so retrieve it from the first request. + Optional overrideConfiguration = identifiedRequests.get(0) + .message() + .overrideConfiguration(); + + return overrideConfiguration + .map(overrideConfig -> SendMessageBatchRequest.builder() + .queueUrl(batchKey) + .overrideConfiguration(overrideConfig.toBuilder() + .applyMutation(USER_AGENT_APPLIER) + .build()) + .entries(entries) + .build()) + .orElseGet(() -> SendMessageBatchRequest.builder() + .queueUrl(batchKey) + .overrideConfiguration(o -> o.applyMutation(USER_AGENT_APPLIER)) + .entries(entries) + .build()); + } + + private static SendMessageBatchRequestEntry createSendMessageBatchRequestEntry(String id, SendMessageRequest request) { + return SendMessageBatchRequestEntry.builder() + .id(id) + .messageBody(request.messageBody()) + .delaySeconds(request.delaySeconds()) + .messageAttributes(request.messageAttributes()) + .messageSystemAttributesWithStrings(request.messageSystemAttributesAsStrings()) + .messageDeduplicationId(request.messageDeduplicationId()) + .messageGroupId(request.messageGroupId()) + .build(); + } + + @Override + protected CompletableFuture batchAndSend(List> + identifiedRequests, String batchKey) { + SendMessageBatchRequest batchRequest = createSendMessageBatchRequest(identifiedRequests, batchKey); + return asyncClient.sendMessageBatch(batchRequest); + } + + @Override + protected String getBatchKey(SendMessageRequest request) { + return request.overrideConfiguration().map(overrideConfig -> request.queueUrl() + overrideConfig.hashCode()) + .orElseGet(request::queueUrl); + } + + @Override + protected List, + IdentifiableMessage>> mapBatchResponse(SendMessageBatchResponse batchResponse) { + List, IdentifiableMessage>> mappedResponses = + new ArrayList<>(); + batchResponse.successful().forEach(batchResponseEntry -> { + IdentifiableMessage response = createSendMessageResponse(batchResponseEntry, batchResponse); + mappedResponses.add(Either.left(response)); + }); + batchResponse.failed().forEach(batchResponseEntry -> { + IdentifiableMessage response = sendMessageCreateThrowable(batchResponseEntry); + mappedResponses.add(Either.right(response)); + }); + return mappedResponses; + } + +} diff --git a/services/sqs/src/main/resources/codegen-resources/customization.config b/services/sqs/src/main/resources/codegen-resources/customization.config index 4ec842db0327..0459ec53474f 100644 --- a/services/sqs/src/main/resources/codegen-resources/customization.config +++ b/services/sqs/src/main/resources/codegen-resources/customization.config @@ -12,6 +12,7 @@ } }, - "enableGenerateCompiledEndpointRules": true + "enableGenerateCompiledEndpointRules": true, + "batchManagerSupported": true } diff --git a/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/BaseSqsBatchManagerTest.java b/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/BaseSqsBatchManagerTest.java new file mode 100644 index 000000000000..dc02826d1e90 --- /dev/null +++ b/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/BaseSqsBatchManagerTest.java @@ -0,0 +1,374 @@ +/* + * 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.sqs.batchmanager; + +import static com.github.tomakehurst.wiremock.client.WireMock.aResponse; +import static com.github.tomakehurst.wiremock.client.WireMock.any; +import static com.github.tomakehurst.wiremock.client.WireMock.anyRequestedFor; +import static com.github.tomakehurst.wiremock.client.WireMock.anyUrl; +import static com.github.tomakehurst.wiremock.client.WireMock.containing; +import static com.github.tomakehurst.wiremock.client.WireMock.equalTo; +import static com.github.tomakehurst.wiremock.client.WireMock.post; +import static com.github.tomakehurst.wiremock.client.WireMock.stubFor; +import static com.github.tomakehurst.wiremock.client.WireMock.urlEqualTo; +import static com.github.tomakehurst.wiremock.client.WireMock.verify; +import static com.github.tomakehurst.wiremock.core.WireMockConfiguration.wireMockConfig; +import static org.assertj.core.api.Assertions.assertThat; +import static org.assertj.core.api.Assertions.assertThatThrownBy; + +import com.github.tomakehurst.wiremock.http.Fault; +import com.github.tomakehurst.wiremock.junit5.WireMockExtension; +import java.nio.charset.StandardCharsets; +import java.time.Duration; +import java.util.List; +import java.util.concurrent.CompletableFuture; +import java.util.concurrent.ExecutionException; +import java.util.concurrent.TimeUnit; +import java.util.concurrent.TimeoutException; +import org.junit.jupiter.api.Test; +import org.junit.jupiter.api.extension.RegisterExtension; +import software.amazon.awssdk.core.exception.SdkClientException; +import software.amazon.awssdk.services.sqs.model.ChangeMessageVisibilityResponse; +import software.amazon.awssdk.services.sqs.model.DeleteMessageResponse; +import software.amazon.awssdk.services.sqs.model.ReceiveMessageRequest; +import software.amazon.awssdk.services.sqs.model.ReceiveMessageResponse; +import software.amazon.awssdk.services.sqs.model.SendMessageResponse; +import software.amazon.awssdk.services.sqs.model.SqsException; +import software.amazon.awssdk.utils.BinaryUtils; +import software.amazon.awssdk.utils.Md5Utils; + +public abstract class BaseSqsBatchManagerTest { + + protected static final String DEFAULT_QUEUE_URL = "SomeQueueUrl"; + private static final int DEFAULT_MAX_BATCH_OPEN = 200; + + + @RegisterExtension + static WireMockExtension wireMock = WireMockExtension.newInstance() + .options(wireMockConfig().dynamicPort().dynamicHttpsPort()) + .configureStaticDsl(true) + .build(); + + @Test + public void sendMessageBatchFunction_batchMessageCorrectly() { + String id1 = "0"; + String id2 = "1"; + String messageBody1 = getMd5Hash(id1); + String messageBody2 = getMd5Hash(id2); + String responseBody = String.format( + "{\n" + + " \"Successful\": [\n" + + " {\n" + + " \"Id\": \"%s\",\n" + + " \"MD5OfMessageBody\": \"%s\"\n" + + " },\n" + + " {\n" + + " \"Id\": \"%s\",\n" + + " \"MD5OfMessageBody\": \"%s\"\n" + + " }\n" + + " ]\n" + + "}", + id1, messageBody1, id2, messageBody2 + ); + + stubFor(any(anyUrl()).willReturn(aResponse().withStatus(200).withBody(responseBody))); + List> responses = createAndSendSendMessageRequests(id1, id2); + + SendMessageResponse completedResponse1 = responses.get(0).join(); + SendMessageResponse completedResponse2 = responses.get(1).join(); + assertThat(completedResponse1.md5OfMessageBody()).isEqualTo(messageBody1); + assertThat(completedResponse2.md5OfMessageBody()).isEqualTo(messageBody2); + verify(anyRequestedFor(anyUrl()) + .withHeader("User-Agent", containing("hll/abm"))); + } + + @Test + public void sendMessageBatchFunctionWithBatchEntryFailures_wrapFailureMessageInBatchEntry() { + String id1 = "0"; + String id2 = "1"; + String errorCode = "400"; + String errorMessage = "Some error"; + String responseBody = String.format( + "{\n" + + " \"Failed\": [\n" + + " {\n" + + " \"Id\": \"%s\",\n" + + " \"Code\": \"%s\",\n" + + " \"Message\": \"%s\"\n" + + " },\n" + + " {\n" + + " \"Id\": \"%s\",\n" + + " \"Code\": \"%s\",\n" + + " \"Message\": \"%s\"\n" + + " }\n" + + " ]\n" + + "}", + id1, errorCode, errorMessage, id2, errorCode, errorMessage + ); + + stubFor(any(anyUrl()).willReturn(aResponse().withStatus(200).withBody(responseBody))); + List> responses = createAndSendSendMessageRequests(id1, id2); + + CompletableFuture response1 = responses.get(0); + CompletableFuture response2 = responses.get(1); + assertThatThrownBy(() -> response1.get(3, TimeUnit.SECONDS)).hasCauseInstanceOf(SqsException.class).hasMessageContaining(errorMessage); + assertThatThrownBy(() -> response2.get(3, TimeUnit.SECONDS)).hasCauseInstanceOf(SqsException.class).hasMessageContaining(errorMessage); + } + + @Test + public void sendMessageBatchFunctionReturnsWithError_completeMessagesExceptionally() { + String id1 = "0"; + String id2 = "1"; + String responseBody = "{\n" + + " \"__type\": \"com.amazonaws.sqs#QueueDoesNotExist\",\n" + + " \"message\": \"The specified queue does not exist.\"\n" + + "}"; + + stubFor(any(anyUrl()).willReturn(aResponse().withStatus(400).withBody(responseBody))); + List> responses = createAndSendSendMessageRequests(id1, id2); + + CompletableFuture response1 = responses.get(0); + CompletableFuture response2 = responses.get(1); + assertThatThrownBy(() -> response1.get(3, TimeUnit.SECONDS)).hasCauseInstanceOf(SqsException.class).hasMessageContaining("Status Code: 400"); + assertThatThrownBy(() -> response2.get(3, TimeUnit.SECONDS)).hasCauseInstanceOf(SqsException.class).hasMessageContaining("Status Code: 400"); + } + + @Test + public void sendMessageBatchNetworkError_causesConnectionResetException() { + String id1 = "0"; + String id2 = "1"; + String errorMessage = "Unable to execute HTTP request"; + stubFor(any(anyUrl()).willReturn(aResponse().withFault(Fault.CONNECTION_RESET_BY_PEER))); + + List> responses = createAndSendSendMessageRequests(id1, id2); + + CompletableFuture response1 = responses.get(0); + CompletableFuture response2 = responses.get(1); + assertThatThrownBy(() -> response1.get(3, TimeUnit.SECONDS)).hasCauseInstanceOf(SdkClientException.class).hasMessageContaining(errorMessage); + assertThatThrownBy(() -> response2.get(3, TimeUnit.SECONDS)).hasCauseInstanceOf(SdkClientException.class).hasMessageContaining(errorMessage); + } + + @Test + public void deleteMessageBatchFunction_batchMessageCorrectly() throws Exception { + String id1 = "0"; + String id2 = "1"; + String responseBody = String.format( + "{\"Successful\":[{\"Id\":\"%s\"},{\"Id\":\"%s\"}]}", id1, id2); + + stubFor(any(anyUrl()).willReturn(aResponse().withStatus(200).withBody(responseBody))); + + long startTime = System.nanoTime(); + List> responses = createAndSendDeleteMessageRequests(); + long endTime = System.nanoTime(); + CompletableFuture.allOf(responses.toArray(new CompletableFuture[0])).get(3, TimeUnit.SECONDS); + + assertThat(Duration.ofNanos(endTime - startTime).toMillis()).isLessThan(DEFAULT_MAX_BATCH_OPEN + 100); + + verify(anyRequestedFor(anyUrl()) + .withHeader("User-Agent", containing("hll/abm"))); + } + + @Test + public void deleteMessageBatchFunctionWithBatchEntryFailures_wrapFailureMessageInBatchEntry() { + String id1 = "0"; + String id2 = "1"; + String errorCode = "400"; + String errorMessage = "Some error"; + String responseBody = String.format( + "{\n" + + " \"Failed\": [\n" + + " {\n" + + " \"Id\": \"%s\",\n" + + " \"Code\": \"%s\",\n" + + " \"Message\": \"%s\"\n" + + " },\n" + + " {\n" + + " \"Id\": \"%s\",\n" + + " \"Code\": \"%s\",\n" + + " \"Message\": \"%s\"\n" + + " }\n" + + " ]\n" + + "}", + id1, errorCode, errorMessage, id2, errorCode, errorMessage + ); + + stubFor(any(anyUrl()).willReturn(aResponse().withStatus(200).withBody(responseBody))); + List> responses = createAndSendDeleteMessageRequests(); + + CompletableFuture response1 = responses.get(0); + CompletableFuture response2 = responses.get(1); + assertThatThrownBy(() -> response1.get(3, TimeUnit.SECONDS)).hasCauseInstanceOf(SqsException.class).hasMessageContaining(errorMessage); + assertThatThrownBy(() -> response2.get(3, TimeUnit.SECONDS)).hasCauseInstanceOf(SqsException.class).hasMessageContaining(errorMessage); + } + + @Test + public void deleteMessageBatchFunctionReturnsWithError_completeMessagesExceptionally() { + String responseBody = "{\n" + + " \"__type\": \"com.amazonaws.sqs#QueueDoesNotExist\",\n" + + " \"message\": \"The specified queue does not exist.\"\n" + + "}"; + stubFor(any(anyUrl()).willReturn(aResponse().withStatus(400).withBody(responseBody))); + List> responses = createAndSendDeleteMessageRequests(); + + CompletableFuture response1 = responses.get(0); + CompletableFuture response2 = responses.get(1); + assertThatThrownBy(() -> response1.get(3, TimeUnit.SECONDS)).hasCauseInstanceOf(SqsException.class).hasMessageContaining("Status Code: 400"); + assertThatThrownBy(() -> response2.get(3, TimeUnit.SECONDS)).hasCauseInstanceOf(SqsException.class).hasMessageContaining("Status Code: 400"); + } + + @Test + public void changeVisibilityBatchFunction_batchMessageCorrectly() throws Exception { + String id1 = "0"; + String id2 = "1"; + String responseBody = String.format( + "{\"Successful\":[{\"Id\":\"%s\"},{\"Id\":\"%s\"}]}", id1, id2); + + stubFor(any(anyUrl()).willReturn(aResponse().withStatus(200).withBody(responseBody))); + long startTime = System.nanoTime(); + List> responses = createAndSendChangeVisibilityRequests(); + long endTime = System.nanoTime(); + CompletableFuture.allOf(responses.toArray(new CompletableFuture[0])).get(5, TimeUnit.SECONDS); + + assertThat(Duration.ofNanos(endTime - startTime).toMillis()).isLessThan(DEFAULT_MAX_BATCH_OPEN + 100); + + verify(anyRequestedFor(anyUrl()) + .withHeader("User-Agent", containing("hll/abm"))); + + } + + @Test + public void changeVisibilityBatchFunctionWithBatchEntryFailures_wrapFailureMessageInBatchEntry() throws ExecutionException, InterruptedException, TimeoutException { + String id1 = "0"; + String id2 = "1"; + String errorCode = "400"; + String errorMessage = "Some error"; + String responseBody = String.format( + "{\n" + + " \"Failed\": [\n" + + " {\n" + + " \"Id\": \"%s\",\n" + + " \"Code\": \"%s\",\n" + + " \"Message\": \"%s\"\n" + + " },\n" + + " {\n" + + " \"Id\": \"%s\",\n" + + " \"Code\": \"%s\",\n" + + " \"Message\": \"%s\"\n" + + " }\n" + + " ]\n" + + "}", + id1, errorCode, errorMessage, id2, errorCode, errorMessage + ); + + stubFor(any(anyUrl()).willReturn(aResponse().withStatus(200).withBody(responseBody))); + List> responses = createAndSendChangeVisibilityRequests(); + + CompletableFuture response1 = responses.get(0); + CompletableFuture response2 = responses.get(1); + + assertThatThrownBy(() -> response1.get(3, TimeUnit.SECONDS)).hasCauseInstanceOf(SqsException.class).hasMessageContaining(errorMessage); + assertThatThrownBy(() -> response2.get(3, TimeUnit.SECONDS)).hasCauseInstanceOf(SqsException.class).hasMessageContaining(errorMessage); + + } + + + @Test + public void receieveBatchFunction_batchMessageCorrectly() throws Exception{ + String queueAttributeResponse = String.format( + "{\n" + + " \"Attributes\": {\n" + + " \"ReceiveMessageWaitTimeSeconds\": \"%s\",\n" + + " \"VisibilityTimeout\": \"%s\"\n" + + " }\n" + + "}", + "0", + "30" + ); + + + String receiveBody = "{\n" + + " \"Messages\": [\n" + + " {\n" + + " \"Body\": \"Message 5\",\n" + + " \"MD5OfBody\": \"a7f5bea7c5781b5ccaf7585aa766aa4b\",\n" + + " \"MessageId\": \"6fb1\",\n" + + " \"ReceiptHandle\": \"AQEB\"\n" + + " },\n" + + " {\n" + + " \"Body\": \"Message 6\",\n" + + " \"MD5OfBody\": \"05d2a129ebdb00cfa6e92aaf9f090547\",\n" + + " \"MessageId\": \"57d2\",\n" + + " \"ReceiptHandle\": \"AQEB\"\n" + + " }\n" + + " ]\n" + + "}"; + + + stubFor(post(urlEqualTo("/")) + .withHeader("x-amz-target", equalTo("AmazonSQS.GetQueueAttributes")) + .willReturn(aResponse() + .withStatus(200) + .withBody(queueAttributeResponse))); + stubFor(post(urlEqualTo("/")) + .withHeader("x-amz-target", equalTo("AmazonSQS.ReceiveMessage")) + .willReturn(aResponse() + .withStatus(200) + .withBody(receiveBody))); + + + CompletableFuture receiveMessage = + createAndReceiveMessage(ReceiveMessageRequest.builder().queueUrl("queurl").build()); + + ReceiveMessageResponse receiveMessageResponse = receiveMessage.get(1, TimeUnit.SECONDS); + + + assertThat(receiveMessageResponse.messages()).hasSize(2); + + verify(anyRequestedFor(anyUrl()) + .withHeader("User-Agent", containing("hll/abm"))); + } + + @Test + public void changeVisibilityBatchFunctionReturnsWithError_completeMessagesExceptionally() { + String responseBody = "{\n" + + " \"__type\": \"com.amazonaws.sqs#QueueDoesNotExist\",\n" + + " \"message\": \"The specified queue does not exist.\"\n" + + "}"; + + stubFor(any(anyUrl()).willReturn(aResponse().withStatus(400).withBody(responseBody))); + List> responses = createAndSendChangeVisibilityRequests(); + + CompletableFuture response1 = responses.get(0); + CompletableFuture response2 = responses.get(1); + assertThatThrownBy(() -> response1.get(3, TimeUnit.SECONDS)).hasCauseInstanceOf(SqsException.class).hasMessageContaining("Status Code: 400"); + assertThatThrownBy(() -> response2.get(3, TimeUnit.SECONDS)).hasCauseInstanceOf(SqsException.class).hasMessageContaining("Status Code: 400"); + } + + public abstract List> createAndSendSendMessageRequests(String message1, + String message2); + + public abstract CompletableFuture createAndReceiveMessage(ReceiveMessageRequest request); + + public abstract List> createAndSendDeleteMessageRequests(); + + public abstract List> createAndSendChangeVisibilityRequests(); + + private String getMd5Hash(String message) { + byte[] expectedMd5; + expectedMd5 = Md5Utils.computeMD5Hash(message.getBytes(StandardCharsets.UTF_8)); + return BinaryUtils.toHex(expectedMd5); + } +} diff --git a/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/BatchOverrideConfigurationTest.java b/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/BatchOverrideConfigurationTest.java new file mode 100644 index 000000000000..d563f05f2502 --- /dev/null +++ b/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/BatchOverrideConfigurationTest.java @@ -0,0 +1,132 @@ +/* + * 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.sqs.batchmanager; + +import java.util.Optional; +import nl.jqno.equalsverifier.EqualsVerifier; +import org.junit.jupiter.api.Test; +import org.junit.jupiter.params.ParameterizedTest; +import org.junit.jupiter.params.provider.Arguments; +import org.junit.jupiter.params.provider.MethodSource; + +import java.time.Duration; +import java.util.Arrays; +import java.util.Collections; +import java.util.List; +import java.util.stream.Stream; +import software.amazon.awssdk.services.sqs.model.MessageSystemAttributeName; + +import static org.junit.jupiter.api.Assertions.assertEquals; +import static org.junit.jupiter.api.Assertions.assertNotEquals; +import static org.junit.jupiter.api.Assertions.assertThrows; + +class BatchOverrideConfigurationTest { + + private static Stream provideConfigurations() { + return Stream.of( + Arguments.of(10, + Duration.ofMillis(200), + Duration.ofSeconds(30), + Duration.ofMillis(50), + Arrays.asList("msgAttr1"), + Arrays.asList(MessageSystemAttributeName.SENDER_ID)), + Arguments.of(null, null, null, null, null, null), + Arguments.of(1, + Duration.ofMillis(1), + Duration.ofMillis(1), + Duration.ofMillis(1), + Collections.emptyList(), + Collections.singletonList(MessageSystemAttributeName.SEQUENCE_NUMBER)) + ); + } + + @ParameterizedTest + @MethodSource("provideConfigurations") + void testBatchOverrideConfiguration(Integer maxBatchSize, + Duration sendRequestFrequency, + Duration receiveMessageVisibilityTimeout, + Duration receiveMessageMinWaitDuration, + List receiveMessageAttributeNames, + List receiveMessageSystemAttributeNames) { + + BatchOverrideConfiguration config = BatchOverrideConfiguration.builder() + .maxBatchSize(maxBatchSize) + .sendRequestFrequency(sendRequestFrequency) + .receiveMessageVisibilityTimeout(receiveMessageVisibilityTimeout) + .receiveMessageMinWaitDuration(receiveMessageMinWaitDuration) + .receiveMessageAttributeNames(receiveMessageAttributeNames) + .receiveMessageSystemAttributeNames(receiveMessageSystemAttributeNames) + .build(); + + assertEquals(maxBatchSize, config.maxBatchSize()); + assertEquals(sendRequestFrequency, config.sendRequestFrequency()); + assertEquals(receiveMessageVisibilityTimeout, config.receiveMessageVisibilityTimeout()); + assertEquals(receiveMessageMinWaitDuration, config.receiveMessageMinWaitDuration()); + assertEquals(Optional.ofNullable(receiveMessageAttributeNames).orElse(Collections.emptyList()), + config.receiveMessageAttributeNames()); + assertEquals(Optional.ofNullable(receiveMessageSystemAttributeNames).orElse(Collections.emptyList()), + config.receiveMessageSystemAttributeNames()); + } + + @Test + void testEqualsAndHashCode() { + EqualsVerifier.forClass(BatchOverrideConfiguration.class) + .withPrefabValues(Duration.class, Duration.ofMillis(1), Duration.ofMillis(2)) + .verify(); + } + + @Test + void testToBuilder() { + BatchOverrideConfiguration originalConfig = BatchOverrideConfiguration.builder() + .maxBatchSize(10) + .sendRequestFrequency(Duration.ofMillis(200)) + .receiveMessageVisibilityTimeout(Duration.ofSeconds(30)) + .receiveMessageMinWaitDuration(Duration.ofMillis(50)) + .receiveMessageAttributeNames(Arrays.asList("msgAttr1")) + .receiveMessageSystemAttributeNames(Collections.singletonList( + MessageSystemAttributeName.SENDER_ID)) + .build(); + + BatchOverrideConfiguration.Builder builder = originalConfig.toBuilder(); + BatchOverrideConfiguration newConfig = builder.build(); + assertEquals(originalConfig, newConfig); + // Ensure that modifying the builder does not affect the original config + builder.maxBatchSize(9); + assertNotEquals(originalConfig.maxBatchSize(), builder.build().maxBatchSize()); + // Ensure that all other fields are still equal after modifying the maxBatchSize + assertEquals(originalConfig.sendRequestFrequency(), builder.build().sendRequestFrequency()); + assertEquals(originalConfig.receiveMessageVisibilityTimeout(), builder.build().receiveMessageVisibilityTimeout()); + assertEquals(originalConfig.receiveMessageMinWaitDuration(), builder.build().receiveMessageMinWaitDuration()); + assertEquals(originalConfig.receiveMessageAttributeNames(), builder.build().receiveMessageAttributeNames()); + assertEquals(originalConfig.receiveMessageSystemAttributeNames(), builder.build().receiveMessageSystemAttributeNames()); + } + + @Test + void testMaxBatchSizeExceedsLimitThrowsException() { + // Act & Assert + IllegalArgumentException exception = assertThrows(IllegalArgumentException.class, () -> { + BatchOverrideConfiguration.builder() + .maxBatchSize(11) // Set an invalid max batch size (exceeds limit) + .build(); // This should throw IllegalArgumentException + }); + + // Assert that the exception message matches the expected output + assertEquals("The maxBatchSize must be less than or equal to 10. A batch can contain up to 10 messages.", + exception.getMessage()); + } + + +} \ No newline at end of file diff --git a/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/BatchResponse.java b/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/BatchResponse.java new file mode 100644 index 000000000000..ee3c76c24463 --- /dev/null +++ b/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/BatchResponse.java @@ -0,0 +1,31 @@ +/* + * 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.sqs.batchmanager; + +import java.util.List; + + +public class BatchResponse { + private final List responses; + + public BatchResponse(List responses) { + this.responses = responses; + } + + public List getResponses() { + return responses; + } +} \ No newline at end of file diff --git a/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/BatchResponseEntry.java b/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/BatchResponseEntry.java new file mode 100644 index 000000000000..3b10d424b565 --- /dev/null +++ b/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/BatchResponseEntry.java @@ -0,0 +1,34 @@ +/* + * 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.sqs.batchmanager; + +public class BatchResponseEntry { + private final String id; + private final String message; + + public BatchResponseEntry(String id, String message) { + this.id = id; + this.message = message; + } + + public String getId() { + return id; + } + + public String getMessage() { + return message; + } +} \ No newline at end of file diff --git a/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/CustomClient.java b/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/CustomClient.java new file mode 100644 index 000000000000..ac684a1191dc --- /dev/null +++ b/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/CustomClient.java @@ -0,0 +1,33 @@ +/* + * 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.sqs.batchmanager; + +import java.util.List; +import java.util.concurrent.CompletableFuture; +import java.util.stream.Collectors; +import software.amazon.awssdk.services.sqs.internal.batchmanager.IdentifiableMessage; + +public class CustomClient { + public CompletableFuture sendBatchAsync(List> requests, String batchKey) { + // Implement your asynchronous batch sending logic here + // Return a CompletableFuture + // For simplicity, return a completed future with a sample response + List entries = requests.stream() + .map(req -> new BatchResponseEntry(req.id(), req.message())) + .collect(Collectors.toList()); + return CompletableFuture.completedFuture(new BatchResponse(entries)); + } +} \ No newline at end of file diff --git a/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/IdentifiableMessageTest.java b/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/IdentifiableMessageTest.java new file mode 100644 index 000000000000..d6e6a3e6acaf --- /dev/null +++ b/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/IdentifiableMessageTest.java @@ -0,0 +1,64 @@ +/* + * 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.sqs.batchmanager; + + + +import nl.jqno.equalsverifier.EqualsVerifier; +import org.junit.Assert; +import org.junit.jupiter.api.Test; +import software.amazon.awssdk.services.sqs.internal.batchmanager.IdentifiableMessage; + +public class IdentifiableMessageTest { + + @Test + public void createIdentifiableMessage() { + String id = "id"; + String request = "request"; + IdentifiableMessage myRequest = new IdentifiableMessage<>(id, request); + Assert.assertEquals(id, myRequest.id()); + Assert.assertEquals(request, myRequest.message()); + } + + @Test + public void checkIdenticalIdentifiableMessagesAreEqual() { + String id = "id"; + String request = "request"; + IdentifiableMessage myRequest1 = new IdentifiableMessage<>(id, request); + IdentifiableMessage myRequest2 = new IdentifiableMessage<>(id, request); + Assert.assertEquals(myRequest1, myRequest2); + Assert.assertEquals(myRequest1.hashCode(), myRequest2.hashCode()); + } + + @Test + public void checkIdenticalIdentifiableMessagesAreNotEqual() { + IdentifiableMessage myRequest1 = new IdentifiableMessage<>("id1", "request1"); + IdentifiableMessage myRequest2 = new IdentifiableMessage<>("id2", "request2"); + Assert.assertNotEquals(myRequest1, myRequest2); + Assert.assertNotEquals(myRequest1.hashCode(), myRequest2.hashCode()); + } + + @Test + public void equalsContract() { + EqualsVerifier.forClass(IdentifiableMessage.class) + .withNonnullFields("id", "message") + .withPrefabValues(IdentifiableMessage.class, + new IdentifiableMessage<>("id1", "message1"), + new IdentifiableMessage<>("id2", "message2")) + .verify(); + } +} + diff --git a/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/QueueAttributesManagerTest.java b/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/QueueAttributesManagerTest.java new file mode 100644 index 000000000000..e058d43656d4 --- /dev/null +++ b/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/QueueAttributesManagerTest.java @@ -0,0 +1,145 @@ +/* + * 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.sqs.batchmanager; + +import static org.junit.jupiter.api.Assertions.*; +import static org.mockito.ArgumentMatchers.any; +import static org.mockito.Mockito.*; + +import java.time.Duration; +import java.util.HashMap; +import java.util.Map; +import java.util.concurrent.CompletableFuture; +import java.util.concurrent.ExecutionException; + +import java.util.concurrent.TimeUnit; +import org.junit.jupiter.api.BeforeEach; +import org.junit.jupiter.api.Test; +import org.mockito.Mock; +import org.mockito.MockitoAnnotations; + +import software.amazon.awssdk.services.sqs.SqsAsyncClient; +import software.amazon.awssdk.services.sqs.internal.batchmanager.QueueAttributesManager; +import software.amazon.awssdk.services.sqs.model.GetQueueAttributesRequest; +import software.amazon.awssdk.services.sqs.model.GetQueueAttributesResponse; +import software.amazon.awssdk.services.sqs.model.QueueAttributeName; +import software.amazon.awssdk.services.sqs.model.QueueDoesNotExistException; +import software.amazon.awssdk.services.sqs.model.ReceiveMessageRequest; + +public class QueueAttributesManagerTest { + + @Mock + private SqsAsyncClient sqsClient; + + private QueueAttributesManager queueAttributesManager; + + private final String queueUrl = "testQueueUrl"; + + @BeforeEach + public void setUp() { + MockitoAnnotations.initMocks(this); + queueAttributesManager = new QueueAttributesManager(sqsClient, queueUrl); + } + + @Test + public void testGetReceiveMessageTimeoutWithRequestWaitTime() throws Exception { + ReceiveMessageRequest request = ReceiveMessageRequest.builder().waitTimeSeconds(15).build(); + Duration configuredWaitTime = Duration.ofSeconds(5); + + CompletableFuture result = queueAttributesManager.getReceiveMessageTimeout(request, configuredWaitTime); + assertEquals(Duration.ofSeconds(15), result.get(3, TimeUnit.SECONDS)); + } + + @Test + public void testGetReceiveMessageTimeoutFromSQS() throws Exception { + mockGetQueueAttributesResponse("10", "30"); + + ReceiveMessageRequest request = ReceiveMessageRequest.builder().build(); + Duration configuredWaitTime = Duration.ofSeconds(5); + + CompletableFuture result = queueAttributesManager.getReceiveMessageTimeout(request, configuredWaitTime); + assertEquals(Duration.ofSeconds(10), result.get(3, TimeUnit.SECONDS)); + } + + @Test + public void testGetVisibilityTimeout() throws Exception { + mockGetQueueAttributesResponse("10", "30"); + + CompletableFuture result = queueAttributesManager.getVisibilityTimeout(); + assertEquals(Duration.ofSeconds(30), result.get(3, TimeUnit.SECONDS)); + } + + @Test + public void testConcurrentFetchQueueAttributes() throws Exception { + mockGetQueueAttributesResponse("10", "30"); + + CompletableFuture future1 = queueAttributesManager.getReceiveMessageTimeout( + ReceiveMessageRequest.builder().build(), Duration.ofSeconds(5)); + CompletableFuture future2 = queueAttributesManager.getVisibilityTimeout(); + + CompletableFuture.allOf(future1, future2).join(); + + assertEquals(Duration.ofSeconds(10), future1.get(3, TimeUnit.SECONDS)); + assertEquals(Duration.ofSeconds(30), future2.get(3, TimeUnit.SECONDS)); + + // Verify that the SQS client call was only made once + verify(sqsClient, times(1)).getQueueAttributes(any(GetQueueAttributesRequest.class)); + } + + @Test + public void testFetchQueueAttributesException() throws Exception { + CompletableFuture failedFuture = new CompletableFuture<>(); + failedFuture.completeExceptionally(QueueDoesNotExistException.builder().message("SQS error").build()); + + when(sqsClient.getQueueAttributes(any(GetQueueAttributesRequest.class))).thenReturn(failedFuture); + + ReceiveMessageRequest request = ReceiveMessageRequest.builder().build(); + Duration configuredWaitTime = Duration.ofSeconds(5); + + CompletableFuture future = queueAttributesManager.getReceiveMessageTimeout(request, configuredWaitTime); + + + ExecutionException exception = assertThrows(ExecutionException.class, future::get); + assertTrue(exception.getCause() instanceof QueueDoesNotExistException); + assertEquals("SQS error", exception.getCause().getMessage()); + + // Verify that the SQS client call was made + verify(sqsClient, times(1)).getQueueAttributes(any(GetQueueAttributesRequest.class)); + + // Next call should try to fetch again + future = queueAttributesManager.getReceiveMessageTimeout(request, configuredWaitTime); + exception = assertThrows(ExecutionException.class, future::get); + assertTrue(exception.getCause() instanceof QueueDoesNotExistException); + assertEquals("SQS error", exception.getCause().getMessage()); + + // Verify that the SQS client call was made again + verify(sqsClient, times(2)).getQueueAttributes(any(GetQueueAttributesRequest.class)); + } + + + private void mockGetQueueAttributesResponse(String receiveMessageWaitTimeSeconds, String visibilityTimeout) { + Map attributes = new HashMap<>(); + attributes.put(QueueAttributeName.RECEIVE_MESSAGE_WAIT_TIME_SECONDS, receiveMessageWaitTimeSeconds); + attributes.put(QueueAttributeName.VISIBILITY_TIMEOUT, visibilityTimeout); + + GetQueueAttributesResponse response = GetQueueAttributesResponse.builder() + .attributes(attributes) + .build(); + + when(sqsClient.getQueueAttributes(any(GetQueueAttributesRequest.class))) + .thenReturn(CompletableFuture.completedFuture(response)); + } +} diff --git a/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/ReceiveBatchManagerTest.java b/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/ReceiveBatchManagerTest.java new file mode 100644 index 000000000000..ea94b744f166 --- /dev/null +++ b/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/ReceiveBatchManagerTest.java @@ -0,0 +1,233 @@ +/* + * 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.sqs.batchmanager; + +import java.util.ArrayList; +import java.util.Arrays; +import java.util.Collections; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import java.util.concurrent.CompletableFuture; +import java.util.concurrent.ExecutionException; +import java.util.concurrent.Executors; +import java.util.concurrent.ScheduledExecutorService; +import java.util.concurrent.TimeUnit; +import org.junit.jupiter.api.AfterEach; +import org.junit.jupiter.api.BeforeEach; +import org.junit.jupiter.api.Test; +import org.junit.jupiter.api.extension.ExtendWith; +import org.mockito.ArgumentCaptor; +import org.mockito.Mock; +import org.mockito.junit.jupiter.MockitoExtension; +import software.amazon.awssdk.services.sqs.SqsAsyncClient; +import software.amazon.awssdk.services.sqs.internal.batchmanager.ReceiveBatchManager; +import software.amazon.awssdk.services.sqs.internal.batchmanager.ResponseBatchConfiguration; + +import java.time.Duration; +import java.util.stream.Collectors; +import java.util.stream.IntStream; +import software.amazon.awssdk.services.sqs.model.GetQueueAttributesRequest; +import software.amazon.awssdk.services.sqs.model.GetQueueAttributesResponse; +import software.amazon.awssdk.services.sqs.model.Message; +import software.amazon.awssdk.services.sqs.model.QueueAttributeName; +import software.amazon.awssdk.services.sqs.model.ReceiveMessageRequest; +import software.amazon.awssdk.services.sqs.model.ReceiveMessageResponse; + +import static org.junit.jupiter.api.Assertions.*; +import static org.mockito.ArgumentMatchers.any; +import static org.mockito.Mockito.*; + +@ExtendWith(MockitoExtension.class) +class ReceiveBatchManagerTest { + + @Mock + private SqsAsyncClient sqsClient; + + private ScheduledExecutorService executor; + + private ReceiveBatchManager receiveBatchManager; + + @BeforeEach + public void setUp() { + executor = Executors.newScheduledThreadPool(Integer.MAX_VALUE); + + // Mocking queue attributes + Map attributes = new HashMap<>(); + attributes.put(QueueAttributeName.VISIBILITY_TIMEOUT, "30"); + attributes.put(QueueAttributeName.RECEIVE_MESSAGE_WAIT_TIME_SECONDS, "10"); + + GetQueueAttributesResponse response = GetQueueAttributesResponse.builder() + .attributes(attributes) + .build(); + + when(sqsClient.getQueueAttributes(any(GetQueueAttributesRequest.class))) + .thenReturn(CompletableFuture.completedFuture(response)); + } + + @AfterEach + void tearDown() { + executor.shutdownNow(); + } + + private ResponseBatchConfiguration createConfig(Duration minReceiveWaitTime) { + return ResponseBatchConfiguration.builder() + .receiveMessageAttributeNames(Collections.emptyList()) + .visibilityTimeout(Duration.ofSeconds(2)) + .messageMinWaitDuration(minReceiveWaitTime) + .build(); + } + + private ReceiveMessageResponse generateMessageResponse(int count) { + List messages = IntStream.range(0, count).mapToObj(i -> + Message.builder().body("Message " + i).receiptHandle("handle" + i).build() + ).collect(Collectors.toList()); + return ReceiveMessageResponse.builder().messages(messages).build(); + } + + @Test + void testProcessRequestSuccessful() throws Exception { + ReceiveMessageResponse response = generateMessageResponse(10); + when(sqsClient.receiveMessage(any(ReceiveMessageRequest.class))) + .thenReturn(CompletableFuture.completedFuture(response)); + + receiveBatchManager = new ReceiveBatchManager(sqsClient, executor, createConfig( Duration.ofMillis(50)), "queueUrl"); + + ReceiveMessageRequest request = ReceiveMessageRequest.builder().maxNumberOfMessages(10).build(); + CompletableFuture futureResponse = receiveBatchManager.processRequest(request); + ReceiveMessageResponse receiveMessageResponse = futureResponse.get(2, TimeUnit.SECONDS); + + assertTrue(futureResponse.isDone()); + assertEquals(10, receiveMessageResponse.messages().size()); + } + + @Test + void testProcessRequestWithCustomMaxMessages() throws Exception { + ReceiveMessageResponse response = generateMessageResponse(5); + when(sqsClient.receiveMessage(any(ReceiveMessageRequest.class))) + .thenReturn(CompletableFuture.completedFuture(response)); + + receiveBatchManager = new ReceiveBatchManager(sqsClient, executor, createConfig(Duration.ofMillis(50)), "queueUrl"); + + ReceiveMessageRequest request = ReceiveMessageRequest.builder().maxNumberOfMessages(5).build(); + CompletableFuture futureResponse = receiveBatchManager.processRequest(request); + ReceiveMessageResponse receiveMessageResponse = futureResponse.get(2, TimeUnit.SECONDS); + + assertTrue(futureResponse.isDone()); + assertEquals(5, receiveMessageResponse.messages().size()); + } + + @Test + void testProcessRequestErrorHandling() throws Exception { + CompletableFuture futureResponse = new CompletableFuture<>(); + futureResponse.completeExceptionally(new RuntimeException("SQS error")); + when(sqsClient.receiveMessage(any(ReceiveMessageRequest.class))).thenReturn(futureResponse); + + receiveBatchManager = new ReceiveBatchManager(sqsClient, executor, createConfig(Duration.ofMillis(50)), "queueUrl"); + + ReceiveMessageRequest request = ReceiveMessageRequest.builder().maxNumberOfMessages(10).build(); + + CompletableFuture future = receiveBatchManager.processRequest(request); + + ExecutionException thrown = assertThrows(ExecutionException.class, () -> { + future.get(1, TimeUnit.SECONDS); + }); + + assertTrue(thrown.getCause() instanceof RuntimeException); + assertEquals("SQS error", thrown.getCause().getMessage()); + assertTrue(future.isCompletedExceptionally()); + } + + @Test + void testShutdown() throws Exception { + + receiveBatchManager = new ReceiveBatchManager(sqsClient, executor, createConfig(Duration.ofMillis(50)), "queueUrl"); + + ReceiveMessageRequest request = ReceiveMessageRequest.builder().maxNumberOfMessages(10).build(); + CompletableFuture futureResponse = receiveBatchManager.processRequest(request); + + receiveBatchManager.close(); + + assertThrows(IllegalStateException.class, () -> receiveBatchManager.processRequest(request)); + + assertTrue(futureResponse.isDone()); + } + + @Test + void testProcessRequestMultipleMessages() throws Exception { + ReceiveMessageResponse response = generateMessageResponse(10); + when(sqsClient.receiveMessage(any(ReceiveMessageRequest.class))) + .thenReturn(CompletableFuture.completedFuture(response)); + + receiveBatchManager = new ReceiveBatchManager(sqsClient, executor, createConfig( Duration.ofMillis(50)), "queueUrl"); + + List requests = new ArrayList<>(); + for (int i = 0; i < 5; i++) { + requests.add(ReceiveMessageRequest.builder().maxNumberOfMessages(10).build()); + } + + List> futures = new ArrayList<>(); + for (ReceiveMessageRequest request : requests) { + futures.add(receiveBatchManager.processRequest(request)); + } + + for (CompletableFuture future : futures) { + ReceiveMessageResponse receiveMessageResponse = future.get(2, TimeUnit.SECONDS); + assertEquals(10, receiveMessageResponse.messages().size()); + } + + for (CompletableFuture future : futures) { + assertTrue(future.isDone()); + } + } + + + @Test + void testProcessRequestWithQueueAttributes() throws Exception { + // Prepare configuration with specific message attribute names + ResponseBatchConfiguration configuration = ResponseBatchConfiguration.builder() + .receiveMessageAttributeNames(Arrays.asList("AttributeValue7", "AttributeValue9")) + .build(); + + // Mock response for receiveMessage + when(sqsClient.receiveMessage(any(ReceiveMessageRequest.class))) + .thenReturn(CompletableFuture.completedFuture(generateMessageResponse(10))); + + // Initialize ReceiveBatchManager + receiveBatchManager = new ReceiveBatchManager(sqsClient, executor, configuration, "queueUrl"); + + // Create ReceiveMessageRequest + ReceiveMessageRequest request = ReceiveMessageRequest.builder().build(); + + // Process request + CompletableFuture futureResponse = receiveBatchManager.processRequest(request); + ReceiveMessageResponse receiveMessageResponse = futureResponse.get(2, TimeUnit.SECONDS); + + // Verify results + assertTrue(futureResponse.isDone()); + assertEquals(10, receiveMessageResponse.messages().size()); + + // Capture the argument passed to receiveMessage + ArgumentCaptor captor = ArgumentCaptor.forClass(ReceiveMessageRequest.class); + verify(sqsClient).receiveMessage(captor.capture()); + ReceiveMessageRequest capturedRequest = captor.getValue(); + + // Verify the messageAttributeNames in the captured request + assertTrue(capturedRequest.messageAttributeNames().contains("AttributeValue7")); + assertTrue(capturedRequest.messageAttributeNames().contains("AttributeValue9")); + } + +} diff --git a/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/ReceiveBatchesMockTest.java b/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/ReceiveBatchesMockTest.java new file mode 100644 index 000000000000..55904a777d6d --- /dev/null +++ b/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/ReceiveBatchesMockTest.java @@ -0,0 +1,238 @@ +/* + * 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.sqs.batchmanager; + + +import static com.github.tomakehurst.wiremock.client.WireMock.aResponse; +import static com.github.tomakehurst.wiremock.client.WireMock.equalTo; +import static com.github.tomakehurst.wiremock.client.WireMock.post; +import static com.github.tomakehurst.wiremock.client.WireMock.stubFor; +import static com.github.tomakehurst.wiremock.client.WireMock.urlEqualTo; +import static com.github.tomakehurst.wiremock.core.WireMockConfiguration.wireMockConfig; +import static org.assertj.core.api.Assertions.assertThat; + +import com.github.tomakehurst.wiremock.junit5.WireMockExtension; +import java.net.URI; +import java.util.concurrent.CompletableFuture; +import java.util.concurrent.TimeUnit; +import java.util.concurrent.atomic.AtomicInteger; +import org.junit.jupiter.api.Test; +import org.junit.jupiter.api.extension.ExtendWith; +import org.junit.jupiter.api.extension.RegisterExtension; +import org.mockito.junit.jupiter.MockitoExtension; +import software.amazon.awssdk.auth.credentials.AwsBasicCredentials; +import software.amazon.awssdk.auth.credentials.StaticCredentialsProvider; +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.services.sqs.SqsAsyncClient; +import software.amazon.awssdk.services.sqs.SqsAsyncClientBuilder; +import software.amazon.awssdk.services.sqs.model.GetQueueAttributesRequest; +import software.amazon.awssdk.services.sqs.model.ReceiveMessageRequest; +import software.amazon.awssdk.services.sqs.model.ReceiveMessageResponse; + +@ExtendWith(MockitoExtension.class) +class ReceiveBatchesMockTest { + + private static final int OFFSET_DELAY = 100; + // Default queue attribute response with placeholders for parameters + private static final String QUEUE_ATTRIBUTE_RESPONSE = "{\n" + + " \"Attributes\": {\n" + + " \"ReceiveMessageWaitTimeSeconds\": \"%s\",\n" + + " \"VisibilityTimeout\": \"%s\"\n" + + " }\n" + + "}"; + @RegisterExtension + static WireMockExtension wireMock = WireMockExtension.newInstance() + .options(wireMockConfig().dynamicPort().dynamicHttpsPort()) + .configureStaticDsl(true) + .build(); + private SqsAsyncBatchManager receiveMessageBatchManager; + + @Test + void testTimeoutOccursBeforeSqsResponds() throws Exception { + setupBatchManager(); + + // Delays for testing + int queueAttributesApiDelay = 51; + int receiveMessagesDelay = 150; + + // Stub the WireMock server to simulate delayed responses + mockQueueAttributes(queueAttributesApiDelay); + mockReceiveMessages(receiveMessagesDelay, 2); + + CompletableFuture future = batchManagerReceiveMessage(); + assertThat(future.get(5, TimeUnit.SECONDS).messages()).isEmpty(); + + Thread.sleep(queueAttributesApiDelay + receiveMessagesDelay + OFFSET_DELAY); + + CompletableFuture secondCall = batchManagerReceiveMessage(); + assertThat(secondCall.get(5, TimeUnit.SECONDS).messages()).hasSize(2); + } + + @Test + void testResponseReceivedBeforeTimeout() throws Exception { + setupBatchManager(); + + // Delays for testing + int queueAttributesApiDelay = 5; + int receiveMessagesDelay = 5; + + // Set short delays to ensure response before timeout + mockQueueAttributes(queueAttributesApiDelay); + mockReceiveMessages(receiveMessagesDelay, 2); + + CompletableFuture future = batchManagerReceiveMessage(); + assertThat(future.get(5, TimeUnit.SECONDS).messages()).hasSize(2); + } + + @Test + void testTimeoutOccursBasedOnUserSetWaitTime() throws Exception { + setupBatchManager(); + + // Delays for testing + int queueAttributesApiDelay = 100; + int receiveMessagesDelay = 100; + + // Configure response delays + mockQueueAttributes(queueAttributesApiDelay); + mockReceiveMessages(receiveMessagesDelay, 2); + + CompletableFuture future = receiveMessageWithWaitTime(1); + assertThat(future.get(5, TimeUnit.SECONDS).messages()).hasSize(2); + } + + @Test + void testMessagesAreFetchedFromBufferWhenAvailable() throws Exception { + ApiCaptureInterceptor interceptor = new ApiCaptureInterceptor(); + SqsAsyncClient sqsAsyncClient = getAsyncClientBuilder() + .overrideConfiguration(o -> o.addExecutionInterceptor(interceptor)) + .build(); + + SqsAsyncBatchManager batchManager = sqsAsyncClient.batchManager(); + + // Delays for testing + int queueAttributesApiDelay = 100; + int receiveMessagesDelay = 1000; + + // Setup delayed responses + mockQueueAttributes(queueAttributesApiDelay); + mockReceiveMessages(receiveMessagesDelay, 10); + + // First message should be empty due to delay + CompletableFuture firstMessage = + batchManager.receiveMessage(r -> r.queueUrl("test").maxNumberOfMessages(1)); + assertThat(firstMessage.get(5, TimeUnit.SECONDS).messages()).isEmpty(); + + // Wait for SQS message to be processed + Thread.sleep(queueAttributesApiDelay + receiveMessagesDelay + OFFSET_DELAY); + assertThat(interceptor.receiveApiCalls.get()).isEqualTo(1); + assertThat(interceptor.getQueueAttributesApiCalls.get()).isEqualTo(1); + interceptor.reset(); + + // Fetch 10 messages from the buffer + for (int i = 0; i < 10; i++) { + CompletableFuture future = + batchManager.receiveMessage(r -> r.queueUrl("test").maxNumberOfMessages(1)); + ReceiveMessageResponse response = future.get(5, TimeUnit.SECONDS); + assertThat(response.messages()).hasSize(1); + } + assertThat(interceptor.receiveApiCalls.get()).isEqualTo(0); + assertThat(interceptor.getQueueAttributesApiCalls.get()).isEqualTo(0); + } + + // Utility methods for reuse across tests + + private void setupBatchManager() { + SqsAsyncClient sqsAsyncClient = getAsyncClientBuilder().build(); + receiveMessageBatchManager = sqsAsyncClient.batchManager(); + } + + private void mockQueueAttributes(int delay) { + stubFor(post(urlEqualTo("/")) + .withHeader("x-amz-target", equalTo("AmazonSQS.GetQueueAttributes")) + .willReturn(aResponse() + .withStatus(200) + .withBody(String.format(QUEUE_ATTRIBUTE_RESPONSE, "0", "30")) + .withFixedDelay(delay))); + } + + private void mockReceiveMessages(int delay, int numMessages) { + stubFor(post(urlEqualTo("/")) + .withHeader("x-amz-target", equalTo("AmazonSQS.ReceiveMessage")) + .willReturn(aResponse() + .withStatus(200) + .withBody(generateMessagesJson(numMessages)) + .withFixedDelay(delay))); + } + + private CompletableFuture batchManagerReceiveMessage() { + return receiveMessageBatchManager.receiveMessage(r -> r.queueUrl("test")); + } + + private CompletableFuture receiveMessageWithWaitTime(int waitTimeSeconds) { + return receiveMessageBatchManager.receiveMessage(r -> r.queueUrl("test").waitTimeSeconds(waitTimeSeconds)); + } + + // Helper method for building the async client + private SqsAsyncClientBuilder getAsyncClientBuilder() { + return SqsAsyncClient.builder() + .endpointOverride(URI.create(String.format("http://localhost:%s/", wireMock.getPort()))) + .credentialsProvider(StaticCredentialsProvider.create(AwsBasicCredentials.create("key", "secret"))); + } + + // Utility to generate the response for multiple messages in JSON format + private String generateMessagesJson(int numMessages) { + StringBuilder sb = new StringBuilder(); + sb.append("{\n \"Messages\": [\n"); + for (int i = 0; i < numMessages; i++) { + sb.append(" {\n"); + sb.append(" \"Body\": \"Message 6\",\n"); + sb.append(" \"MD5OfBody\": \"05d2a129ebdb00cfa6e92aaf9f090547\",\n"); + sb.append(" \"MessageId\": \"57d2\",\n"); + sb.append(" \"ReceiptHandle\": \"AQEB\"\n"); + sb.append(" }"); + if (i < numMessages - 1) { + sb.append(","); + } + sb.append("\n"); + } + sb.append(" ]\n}"); + return sb.toString(); + } + + // Interceptor to capture the API call counts + static class ApiCaptureInterceptor implements ExecutionInterceptor { + + AtomicInteger receiveApiCalls = new AtomicInteger(); + AtomicInteger getQueueAttributesApiCalls = new AtomicInteger(); + + void reset() { + receiveApiCalls.set(0); + getQueueAttributesApiCalls.set(0); + } + + @Override + public void afterExecution(Context.AfterExecution context, ExecutionAttributes executionAttributes) { + if (context.request() instanceof ReceiveMessageRequest) { + receiveApiCalls.incrementAndGet(); + } + if (context.request() instanceof GetQueueAttributesRequest) { + getQueueAttributesApiCalls.incrementAndGet(); + } + } + } +} diff --git a/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/ReceiveMessageBatchManagerTest.java b/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/ReceiveMessageBatchManagerTest.java new file mode 100644 index 000000000000..ea26f8997317 --- /dev/null +++ b/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/ReceiveMessageBatchManagerTest.java @@ -0,0 +1,253 @@ +/* + * 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.sqs.batchmanager; + + +import static org.assertj.core.api.Assertions.assertThat; +import static org.junit.jupiter.api.Assertions.assertEquals; +import static org.mockito.ArgumentCaptor.forClass; +import static org.mockito.ArgumentMatchers.any; +import static org.mockito.Mockito.atLeast; +import static org.mockito.Mockito.times; +import static org.mockito.Mockito.verify; +import static org.mockito.Mockito.when; + +import java.time.Duration; +import java.util.Collections; +import java.util.HashMap; +import java.util.Map; +import java.util.concurrent.CompletableFuture; +import java.util.concurrent.Executors; +import java.util.concurrent.ScheduledExecutorService; +import java.util.concurrent.TimeUnit; +import java.util.stream.Stream; + +import org.apache.logging.log4j.Level; +import org.junit.jupiter.api.DisplayName; +import org.junit.jupiter.api.extension.ExtendWith; +import org.junit.jupiter.params.ParameterizedTest; +import org.junit.jupiter.params.provider.Arguments; +import org.junit.jupiter.params.provider.MethodSource; +import org.mockito.ArgumentCaptor; +import org.mockito.Mock; +import org.mockito.junit.jupiter.MockitoExtension; +import software.amazon.awssdk.services.sqs.SqsAsyncClient; +import software.amazon.awssdk.services.sqs.internal.batchmanager.ReceiveMessageBatchManager; +import software.amazon.awssdk.services.sqs.internal.batchmanager.ResponseBatchConfiguration; +import software.amazon.awssdk.services.sqs.model.GetQueueAttributesRequest; +import software.amazon.awssdk.services.sqs.model.GetQueueAttributesResponse; +import software.amazon.awssdk.services.sqs.model.MessageSystemAttributeName; +import software.amazon.awssdk.services.sqs.model.QueueAttributeName; +import software.amazon.awssdk.services.sqs.model.ReceiveMessageRequest; +import software.amazon.awssdk.services.sqs.model.ReceiveMessageResponse; +import software.amazon.awssdk.testutils.LogCaptor; + +@ExtendWith(MockitoExtension.class) +class ReceiveMessageBatchManagerTest { + + private static final ScheduledExecutorService EXECUTOR = Executors.newScheduledThreadPool(4); + + @Mock + private SqsAsyncClient sqsClient; + + private ReceiveMessageBatchManager receiveMessageBatchManager; + + @ParameterizedTest(name = "{index} => {0}") + @MethodSource("provideBatchOverrideConfigurations") + @DisplayName("Test BatchRequest with various configurations") + void testBatchRequest(String testCaseName, + ResponseBatchConfiguration overrideConfig, + ReceiveMessageRequest request, + boolean useBatchManager, + String inEligibleReason) throws Exception { + + setupBatchManager(overrideConfig); + + CompletableFuture mockResponse = CompletableFuture.completedFuture( + ReceiveMessageResponse.builder().build()); + when(sqsClient.receiveMessage(any(ReceiveMessageRequest.class))).thenReturn(mockResponse); + + try (LogCaptor logCaptor = LogCaptor.create(Level.DEBUG)) { + + if (useBatchManager) { + mockQueueAttributes("0", "1"); + } + + CompletableFuture result = receiveMessageBatchManager.batchRequest(request); + result.get(2, TimeUnit.SECONDS); + Thread.sleep(500); + + ArgumentCaptor requestCaptor = forClass(ReceiveMessageRequest.class); + + if (useBatchManager) { + verifyBatchManagerUsed(requestCaptor); + } else { + verifyBatchManagerNotUsed(request, requestCaptor, logCaptor, inEligibleReason); + } + } + } + + private void setupBatchManager(ResponseBatchConfiguration overrideConfig) { + receiveMessageBatchManager = new ReceiveMessageBatchManager(sqsClient, EXECUTOR, overrideConfig); + } + + private void verifyBatchManagerUsed(ArgumentCaptor requestCaptor) { + verify(sqsClient, atLeast(1)).receiveMessage(requestCaptor.capture()); + assertEquals(ResponseBatchConfiguration.MAX_DONE_RECEIVE_BATCHES_DEFAULT, + requestCaptor.getValue().maxNumberOfMessages()); + } + + private void verifyBatchManagerNotUsed(ReceiveMessageRequest request, + ArgumentCaptor requestCaptor, + LogCaptor logCaptor, + String inEligibleReason) { + verify(sqsClient, times(1)).receiveMessage(requestCaptor.capture()); + assertEquals(request.maxNumberOfMessages(), requestCaptor.getValue().maxNumberOfMessages()); + assertEquals(request.visibilityTimeout(), requestCaptor.getValue().visibilityTimeout()); + assertThat(logCaptor.loggedEvents()) + .anySatisfy(logEvent -> assertThat(logEvent.getMessage().getFormattedMessage()) + .contains(inEligibleReason)); + } + + private void mockQueueAttributes(String receiveMessageWaitTimeSeconds, String visibilityTimeout) { + Map attributes = new HashMap<>(); + attributes.put(QueueAttributeName.RECEIVE_MESSAGE_WAIT_TIME_SECONDS, receiveMessageWaitTimeSeconds); + attributes.put(QueueAttributeName.VISIBILITY_TIMEOUT, visibilityTimeout); + + GetQueueAttributesResponse response = GetQueueAttributesResponse.builder() + .attributes(attributes) + .build(); + + when(sqsClient.getQueueAttributes(any(GetQueueAttributesRequest.class))) + .thenReturn(CompletableFuture.completedFuture(response)); + } + + private static Stream provideBatchOverrideConfigurations() { + return Stream.of( + Arguments.of( + "Buffering enabled, compatible system and message attributes, no visibility timeout", + ResponseBatchConfiguration.builder() + .receiveMessageAttributeNames(Collections.singletonList("attr1")) + .messageSystemAttributeNames(Collections.singletonList(MessageSystemAttributeName.SENDER_ID)) + .build(), + ReceiveMessageRequest.builder() + .queueUrl("testQueueUrl") + .messageAttributeNames(Collections.singletonList("attr1")) + .messageSystemAttributeNames(MessageSystemAttributeName.SENDER_ID) + .build(), + true, + "" + ), + Arguments.of( + "Buffering enabled, compatible attributes, no visibility timeout but deprecated attributeNames", + ResponseBatchConfiguration.builder() + .receiveMessageAttributeNames(Collections.singletonList("attr1")) + .messageSystemAttributeNames(Collections.singletonList(MessageSystemAttributeName.SENDER_ID)) + .build(), + ReceiveMessageRequest.builder() + .queueUrl("testQueueUrl") + .messageAttributeNames(Collections.singletonList("attr1")) + .messageSystemAttributeNamesWithStrings(Collections.singletonList("SenderId")) + .attributeNames(QueueAttributeName.ALL) // Deprecated api not supported for Batching + .build(), + false, + "Incompatible attributes." + ), + Arguments.of( + "Buffering disabled, incompatible system attributes, no visibility timeout", + ResponseBatchConfiguration.builder() + .receiveMessageAttributeNames(Collections.singletonList("attr1")) + .messageSystemAttributeNames(Collections.singletonList(MessageSystemAttributeName.SENT_TIMESTAMP)) + .build(), + ReceiveMessageRequest.builder() + .queueUrl("testQueueUrl") + .messageAttributeNames(Collections.singletonList("attr1")) + .messageSystemAttributeNamesWithStrings(Collections.singletonList("SenderId")) + .build(), + false, + "Incompatible attributes." + ), + Arguments.of( + "Buffering disabled, compatible attributes, visibility timeout is set", + ResponseBatchConfiguration.builder() + .receiveMessageAttributeNames(Collections.singletonList("attr1")) + .messageSystemAttributeNames(Collections.singletonList(MessageSystemAttributeName.SENDER_ID)) + .build(), + ReceiveMessageRequest.builder() + .queueUrl("testQueueUrl") + .messageAttributeNames(Collections.singletonList("attr1")) + .messageSystemAttributeNames(Collections.singletonList(MessageSystemAttributeName.SENDER_ID)) + .visibilityTimeout(30) + .build(), + false, + "Visibility timeout is set." + ), + Arguments.of( + "Buffering disabled, compatible attributes, no visibility timeout but has attribute names", + ResponseBatchConfiguration.builder() + .receiveMessageAttributeNames(Collections.singletonList("attr1")) + .messageSystemAttributeNames(Collections.singletonList(MessageSystemAttributeName.SENDER_ID)) + .build(), + ReceiveMessageRequest.builder() + .queueUrl("testQueueUrl") + .messageAttributeNames(Collections.singletonList("attr1")) + .messageSystemAttributeNames(Collections.singletonList(MessageSystemAttributeName.SENDER_ID)) + .attributeNamesWithStrings("All") + .build(), + false, + "Incompatible attributes." + ), + Arguments.of( + "Buffering enabled, simple ReceiveMessageRequest, no visibility timeout", + ResponseBatchConfiguration.builder() + .messageSystemAttributeNames(Collections.singletonList(MessageSystemAttributeName.SENDER_ID)) + .build(), + ReceiveMessageRequest.builder() + .queueUrl("testQueueUrl") + .maxNumberOfMessages(3) + .build(), + true, + "" + ), + Arguments.of( + "Buffering disabled, request has override config", + ResponseBatchConfiguration.builder() + .messageSystemAttributeNames(Collections.singletonList(MessageSystemAttributeName.SENDER_ID)) + .build(), + ReceiveMessageRequest.builder() + .queueUrl("testQueueUrl") + .maxNumberOfMessages(3) + .overrideConfiguration(o -> o.apiCallTimeout(Duration.ofSeconds(2))) + .build(), + false, + "Request has override configurations." + ), + Arguments.of( + "Buffering enabled, with waitTimeSeconds in ReceiveMessageRequest", + ResponseBatchConfiguration.builder() + .messageSystemAttributeNames(Collections.singletonList(MessageSystemAttributeName.SENDER_ID)) + .build(), + ReceiveMessageRequest.builder() + .queueUrl("testQueueUrl") + .maxNumberOfMessages(3) + .waitTimeSeconds(3) + .build(), + true, + "" + ) + ); + } +} diff --git a/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/ReceiveQueueBufferTest.java b/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/ReceiveQueueBufferTest.java new file mode 100644 index 000000000000..10aa9db30a99 --- /dev/null +++ b/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/ReceiveQueueBufferTest.java @@ -0,0 +1,464 @@ +/* + * 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.sqs.batchmanager; + +import static org.assertj.core.api.Assertions.assertThat; +import static org.junit.jupiter.api.Assertions.assertDoesNotThrow; +import static org.junit.jupiter.api.Assertions.assertEquals; +import static org.junit.jupiter.api.Assertions.assertThrows; +import static org.junit.jupiter.api.Assertions.assertTrue; +import static org.mockito.ArgumentMatchers.any; +import static org.mockito.Mockito.atLeast; +import static org.mockito.Mockito.atMost; +import static org.mockito.Mockito.times; +import static org.mockito.Mockito.verify; +import static org.mockito.Mockito.when; + +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import java.util.concurrent.CancellationException; +import java.util.concurrent.CompletableFuture; +import java.util.concurrent.ExecutionException; +import java.util.concurrent.Executors; +import java.util.concurrent.ScheduledExecutorService; +import java.util.concurrent.TimeUnit; +import java.util.stream.Collectors; +import java.util.stream.IntStream; +import org.apache.logging.log4j.Level; +import org.junit.jupiter.api.AfterEach; +import org.junit.jupiter.api.BeforeEach; +import org.junit.jupiter.api.Test; +import org.junit.jupiter.api.extension.ExtendWith; +import org.mockito.Mock; +import org.mockito.junit.jupiter.MockitoExtension; +import software.amazon.awssdk.services.sqs.SqsAsyncClient; +import software.amazon.awssdk.services.sqs.internal.batchmanager.QueueAttributesManager; +import software.amazon.awssdk.services.sqs.internal.batchmanager.ReceiveQueueBuffer; +import software.amazon.awssdk.services.sqs.internal.batchmanager.ResponseBatchConfiguration; +import software.amazon.awssdk.services.sqs.model.ChangeMessageVisibilityBatchRequest; +import software.amazon.awssdk.services.sqs.model.ChangeMessageVisibilityBatchResponse; +import software.amazon.awssdk.services.sqs.model.GetQueueAttributesRequest; +import software.amazon.awssdk.services.sqs.model.GetQueueAttributesResponse; +import software.amazon.awssdk.services.sqs.model.Message; +import software.amazon.awssdk.services.sqs.model.QueueAttributeName; +import software.amazon.awssdk.services.sqs.model.ReceiveMessageRequest; +import software.amazon.awssdk.services.sqs.model.ReceiveMessageResponse; +import software.amazon.awssdk.services.sqs.model.SqsException; +import software.amazon.awssdk.testutils.LogCaptor; + + +@ExtendWith(MockitoExtension.class) +class ReceiveQueueBufferTest { + + @Mock private SqsAsyncClient sqsClient; + + private QueueAttributesManager queueAttributesManager; + + private ScheduledExecutorService executor; + + + @BeforeEach + public void setUp() { + executor = Executors.newScheduledThreadPool(Integer.MAX_VALUE); + Map attributes = new HashMap<>(); + attributes.put(QueueAttributeName.VISIBILITY_TIMEOUT, "30"); + attributes.put(QueueAttributeName.RECEIVE_MESSAGE_WAIT_TIME_SECONDS, "10"); + + GetQueueAttributesResponse response = GetQueueAttributesResponse.builder() + .attributes(attributes) + .build(); + + when(sqsClient.getQueueAttributes(any(GetQueueAttributesRequest.class))) + .thenReturn(CompletableFuture.completedFuture(response)); + queueAttributesManager = new QueueAttributesManager(sqsClient, "queueUrl"); + } + + @AfterEach + public void clear() { + + + executor.shutdownNow(); + + } + + @Test + void testReceiveMessageSuccessful() throws Exception { + // Mock response + ReceiveMessageResponse response = generateMessageResponse(10); + ReceiveQueueBuffer receiveQueueBuffer = receiveQueueBuffer(ResponseBatchConfiguration.builder().build()); + when(sqsClient.receiveMessage(any(ReceiveMessageRequest.class))).thenReturn(CompletableFuture.completedFuture(response)); + + // Create future and call receiveMessage + CompletableFuture receiveMessageFuture = new CompletableFuture<>(); + receiveQueueBuffer.receiveMessage(receiveMessageFuture, 10); + + // Wait for the result and verify future completion + ReceiveMessageResponse receiveMessageResponse = receiveMessageFuture.get(2, TimeUnit.SECONDS); + assertTrue(receiveMessageFuture.isDone()); + assertEquals(10, receiveMessageResponse.messages().size()); + } + + private ReceiveQueueBuffer receiveQueueBuffer(ResponseBatchConfiguration configuration) { + return ReceiveQueueBuffer.builder() + .executor(executor) + .sqsClient(sqsClient) + .config(configuration) + .queueUrl("queueUrl") + .queueAttributesManager(queueAttributesManager) + .build(); + } + + @Test + void testReceiveMessageSuccessful_customRequestSize() throws Exception { + // Mock response + ReceiveMessageResponse response = generateMessageResponse(10); + ReceiveQueueBuffer receiveQueueBuffer = receiveQueueBuffer(ResponseBatchConfiguration.builder().build()); + when(sqsClient.receiveMessage(any(ReceiveMessageRequest.class))).thenReturn(CompletableFuture.completedFuture(response)); + + // Create future and call receiveMessage + CompletableFuture receiveMessageFuture = new CompletableFuture<>(); + receiveQueueBuffer.receiveMessage(receiveMessageFuture, 2); + + // Wait for the result and verify future completion + ReceiveMessageResponse receiveMessageResponse = receiveMessageFuture.get(2, TimeUnit.SECONDS); + assertTrue(receiveMessageFuture.isDone()); + assertEquals(2, receiveMessageResponse.messages().size()); + } + + @Test + void multipleReceiveMessagesWithDifferentBatchSizes() throws Exception { + ReceiveQueueBuffer receiveQueueBuffer = receiveQueueBuffer(ResponseBatchConfiguration.builder().build()); + // Mock response + CompletableFuture delayedResponse = new CompletableFuture<>(); + executor.schedule(() -> delayedResponse.complete(generateMessageResponse(5)), 500, TimeUnit.MILLISECONDS); + + when(sqsClient.receiveMessage(any(ReceiveMessageRequest.class))) + .thenReturn(CompletableFuture.completedFuture(generateMessageResponse(10))) + .thenReturn(delayedResponse); + + // Create futures and call receiveMessage + CompletableFuture future1 = new CompletableFuture<>(); + CompletableFuture future2 = new CompletableFuture<>(); + receiveQueueBuffer.receiveMessage(future1, 10); + receiveQueueBuffer.receiveMessage(future2, 5); + + ReceiveMessageResponse receiveMessageResponse1 = future1.get(1, TimeUnit.SECONDS); + assertEquals(10, receiveMessageResponse1.messages().size()); + + ReceiveMessageResponse receiveMessageResponse2 = future2.get(1, TimeUnit.SECONDS); + assertEquals(5, receiveMessageResponse2.messages().size()); + + // Verify future completions + assertTrue(future2.isDone()); + assertTrue(future1.isDone()); + } + + + @Test + void numberOfBatchesSpawned() throws Exception { + // Mock response + ReceiveMessageResponse response = generateMessageResponse(10); + when(sqsClient.receiveMessage(any(ReceiveMessageRequest.class))).thenReturn(CompletableFuture.completedFuture(response)); + + // Create futures and call receiveMessage + ReceiveQueueBuffer receiveQueueBuffer = receiveQueueBuffer(ResponseBatchConfiguration.builder().build()); + CompletableFuture future1 = new CompletableFuture<>(); + CompletableFuture future2 = new CompletableFuture<>(); + receiveQueueBuffer.receiveMessage(future1, 10); + receiveQueueBuffer.receiveMessage(future2, 10); + + future1.get(1, TimeUnit.SECONDS); + future2.get(1, TimeUnit.SECONDS); + + // Small sleep just to make sure any scheduled task completes + Thread.sleep(300); + + // Verify that two batches were spawned + verify(sqsClient, atLeast(2)).receiveMessage(any(ReceiveMessageRequest.class)); + } + + @Test + void testReceiveMessageWithAdaptivePrefetchingOfReceieveMessageApiCalls() throws Exception { + // Mock response + ReceiveMessageResponse response = generateMessageResponse(10); + when(sqsClient.receiveMessage(any(ReceiveMessageRequest.class))) + .thenReturn(CompletableFuture.completedFuture(response)); + + // Create receiveQueueBuffer with adaptive prefetching + ReceiveQueueBuffer receiveQueueBuffer = + receiveQueueBuffer(ResponseBatchConfiguration.builder().build()); + + + // Create and send multiple futures using a loop + List> futures = new ArrayList<>(); + for (int i = 0; i < 30; i++) { + CompletableFuture future = new CompletableFuture<>(); + futures.add(future); + receiveQueueBuffer.receiveMessage(future, 1); + Thread.sleep(10); + } + + // Join all futures to ensure they complete + for (CompletableFuture future : futures) { + future.get(2, TimeUnit.SECONDS); + } + + // Verify that the receiveMessage method was called the expected number of times + verify(sqsClient, atMost(30)).receiveMessage(any(ReceiveMessageRequest.class)); + verify(sqsClient, atLeast(3)).receiveMessage(any(ReceiveMessageRequest.class)); + } + + + @Test + void testReceiveMessageWithAdaptivePrefetchingForASingleCall() throws Exception { + + ReceiveMessageResponse response = generateMessageResponse(10); + when(sqsClient.receiveMessage(any(ReceiveMessageRequest.class))) + .thenReturn(CompletableFuture.completedFuture(response)); + + // Create receiveQueueBuffer with adaptive prefetching + ReceiveQueueBuffer receiveQueueBuffer = ReceiveQueueBuffer.builder() + .executor(executor) + .sqsClient(sqsClient) + .config(ResponseBatchConfiguration.builder().build()) + .queueUrl("queueUrl") + .queueAttributesManager(queueAttributesManager) + .build(); + + CompletableFuture future = new CompletableFuture<>(); + receiveQueueBuffer.receiveMessage(future, 10); + + ReceiveMessageResponse receiveMessageResponse = future.get(1, TimeUnit.SECONDS); + assertThat(receiveMessageResponse.messages()).hasSize(10); + Thread.sleep(500); + + verify(sqsClient, times(1)).receiveMessage(any(ReceiveMessageRequest.class)); + } + + @Test + void receiveMessageShutDown() { + ReceiveQueueBuffer receiveQueueBuffer = receiveQueueBuffer(ResponseBatchConfiguration.builder().build()); + + // Create future and call receiveMessage + CompletableFuture future = new CompletableFuture<>(); + receiveQueueBuffer.receiveMessage(future, 10); + + // Shutdown receiveQueueBuffer + receiveQueueBuffer.close(); + + // Verify that the future is completed exceptionally + assertTrue(future.isCompletedExceptionally()); + } + + @Test + void testConcurrentExecutionWithResponses() throws Exception { + ReceiveQueueBuffer receiveQueueBuffer = receiveQueueBuffer(ResponseBatchConfiguration.builder().build()); + + // Mock response + ReceiveMessageResponse response = generateMessageResponse(4); + when(sqsClient.receiveMessage(any(ReceiveMessageRequest.class))) + .thenReturn(CompletableFuture.completedFuture(response)); + + // Create futures and call receiveMessage concurrently + List> futures = new ArrayList<>(); + for (int i = 0; i < 10; i++) { + CompletableFuture future = new CompletableFuture<>(); + futures.add(future); + new Thread(() -> receiveQueueBuffer.receiveMessage(future, 5)).start(); + } + + // Wait for all futures to complete + for (CompletableFuture future : futures) { + future.get(2, TimeUnit.SECONDS); + } + + // Verify all futures completed successfully and collect all messages + int totalMessages = 0; + for (CompletableFuture future : futures) { + assertTrue(future.isDone()); + totalMessages += future.get().messages().size(); + } + + // Since each mocked response has 4 messages, we expect 10 * 4 = 40 messages for 10 futures + assertEquals(40, totalMessages); + } + + @Test + void receiveMessageErrorHandlingForSimpleError() throws Exception { + ReceiveQueueBuffer receiveQueueBuffer = receiveQueueBuffer(ResponseBatchConfiguration.builder().build()); + + // Mock response with exception + CompletableFuture futureResponse = new CompletableFuture<>(); + futureResponse.completeExceptionally(new RuntimeException("SQS error")); + when(sqsClient.receiveMessage(any(ReceiveMessageRequest.class))).thenReturn(futureResponse); + + // Create future and call receiveMessage + CompletableFuture future = new CompletableFuture<>(); + receiveQueueBuffer.receiveMessage(future, 10); + + // Use assertThrows to expect an ExecutionException + ExecutionException thrown = assertThrows(ExecutionException.class, () -> { + future.get(1, TimeUnit.SECONDS); + }); + + // Assert the cause and cause message + assertTrue(thrown.getCause() instanceof RuntimeException); + assertEquals("SQS error", thrown.getCause().getMessage()); + + // Verify that the future is completed exceptionally + assertTrue(future.isCompletedExceptionally()); + } + + @Test + void receiveMessageErrorHandlingWhenErrorFollowSuccess() throws Exception { + ReceiveQueueBuffer receiveQueueBuffer = receiveQueueBuffer(ResponseBatchConfiguration.builder().build()); + + // Mock responses + CompletableFuture errorResponse = new CompletableFuture<>(); + errorResponse.completeExceptionally(new RuntimeException("SQS error")); + CompletableFuture successResponse = CompletableFuture.completedFuture(generateMessageResponse(3)); + + // Mock the SqsAsyncClient to return responses in the specified order + when(sqsClient.receiveMessage(any(ReceiveMessageRequest.class))) + .thenReturn(errorResponse) + .thenReturn(successResponse) + .thenReturn(errorResponse); + + // Create futures and call receiveMessage + CompletableFuture erredFuture = new CompletableFuture<>(); + CompletableFuture successFuture = new CompletableFuture<>(); + CompletableFuture erredTwoFuture = new CompletableFuture<>(); + + receiveQueueBuffer.receiveMessage(erredFuture, 10); + receiveQueueBuffer.receiveMessage(successFuture, 10); + receiveQueueBuffer.receiveMessage(erredTwoFuture, 10); + + // Use assertThrows to expect an ExecutionException for the first error response + ExecutionException thrown = assertThrows(ExecutionException.class, () -> { + erredFuture.get(1, TimeUnit.SECONDS); + }); + + // Assert the cause and cause message + assertTrue(thrown.getCause() instanceof RuntimeException); + assertEquals("SQS error", thrown.getCause().getMessage()); + + // Verify that the future is completed exceptionally + assertTrue(erredFuture.isCompletedExceptionally()); + + // Verify the successful future + ReceiveMessageResponse successMessages = successFuture.get(1, TimeUnit.SECONDS); + assertEquals(3, successMessages.messages().size()); + assertTrue(successFuture.isDone()); + + // Use assertThrows to expect an ExecutionException for the second error response + ExecutionException thrownSecond = assertThrows(ExecutionException.class, () -> { + erredTwoFuture.get(1, TimeUnit.SECONDS); + }); + + // Assert the cause and cause message for the second error + assertTrue(thrownSecond.getCause() instanceof RuntimeException); + assertEquals("SQS error", thrownSecond.getCause().getMessage()); + + // Verify that the second error future is completed exceptionally + assertTrue(erredTwoFuture.isCompletedExceptionally()); + } + + + @Test + void testShutdownExceptionallyCompletesAllIncompleteFutures() throws Exception { + // Initialize ReceiveQueueBuffer with required configuration + ReceiveQueueBuffer receiveQueueBuffer = receiveQueueBuffer(ResponseBatchConfiguration.builder().build()); + + // Mock SQS response and visibility timeout configuration + when(sqsClient.receiveMessage(any(ReceiveMessageRequest.class))) + .thenReturn(CompletableFuture.completedFuture(generateMessageResponse(10))) + .thenReturn(new CompletableFuture<>()); // Incomplete future for later use + + // Create and complete a successful future + CompletableFuture successFuture = new CompletableFuture<>(); + receiveQueueBuffer.receiveMessage(successFuture, 10); + successFuture.get(3, TimeUnit.SECONDS); + + // Create multiple futures + List> futures = new ArrayList<>(); + for (int i = 0; i < 5; i++) { + CompletableFuture future = new CompletableFuture<>(); + futures.add(future); + receiveQueueBuffer.receiveMessage(future, 10); + } + + // Shutdown the queue buffer and assert no exceptions are thrown + assertDoesNotThrow(() -> receiveQueueBuffer.close()); + + // Verify that each future completes exceptionally with CancellationException + for (CompletableFuture future : futures) { + CancellationException thrown = assertThrows(CancellationException.class, () -> { + future.get(1, TimeUnit.SECONDS); + }); + assertEquals("Shutdown in progress", thrown.getMessage()); + } + } + + + @Test + void visibilityTimeOutErrorsAreLogged() throws Exception { + // Initialize ReceiveQueueBuffer with required configuration + ReceiveQueueBuffer receiveQueueBuffer = receiveQueueBuffer(ResponseBatchConfiguration.builder().build()); + + // Mock SQS response and visibility timeout configuration + when(sqsClient.receiveMessage(any(ReceiveMessageRequest.class))) + .thenReturn(CompletableFuture.completedFuture(generateMessageResponse(10))); + + // Mock changeMessageVisibilityBatch to throw an exception + CompletableFuture futureResponse = new CompletableFuture<>(); + futureResponse.completeExceptionally(SqsException.builder().message("SQS error").build()); + when(sqsClient.changeMessageVisibilityBatch(any(ChangeMessageVisibilityBatchRequest.class))) + .thenReturn(futureResponse); + + // Create and complete a successful future + CompletableFuture successFuture = new CompletableFuture<>(); + receiveQueueBuffer.receiveMessage(successFuture, 2); + + // Making sure the response is received so that we have unpicked messages for which visibility time needs to be updated + Thread.sleep(1000); + + try (LogCaptor logCaptor = LogCaptor.create(Level.DEBUG)) { + // Shutdown the receiveQueueBuffer to trigger the visibility timeout errors + assertDoesNotThrow(receiveQueueBuffer::close); + + // Verify that an error was logged for failing to change visibility timeout + assertThat(logCaptor.loggedEvents()).anySatisfy(logEvent -> { + assertThat(logEvent.getLevel()).isEqualTo(Level.WARN); + assertThat(logEvent.getMessage().getFormattedMessage()) + .contains("Failed to reset the visibility timeout of unprocessed messages for queueUrl: queueUrl. As a " + + "result," + + " these unprocessed messages will remain invisible in the queue for the duration of the " + + "visibility" + + " timeout (PT30S)"); + }); + } + } + + private ReceiveMessageResponse generateMessageResponse(int count) { + List messages = IntStream.range(0, count) + .mapToObj(i -> Message.builder().body("Message " + i).receiptHandle("handle" + i).build()) + .collect(Collectors.toList()); + return ReceiveMessageResponse.builder().messages(messages).build(); + } + +} diff --git a/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/ReceiveSqsMessageHelperTest.java b/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/ReceiveSqsMessageHelperTest.java new file mode 100644 index 000000000000..7332c09c4cc2 --- /dev/null +++ b/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/ReceiveSqsMessageHelperTest.java @@ -0,0 +1,292 @@ +/* + * 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.sqs.batchmanager; + +import static org.junit.jupiter.api.Assertions.assertEquals; +import static org.junit.jupiter.api.Assertions.assertFalse; +import static org.junit.jupiter.api.Assertions.assertNotNull; +import static org.junit.jupiter.api.Assertions.assertNull; +import static org.junit.jupiter.api.Assertions.assertTrue; +import static org.mockito.ArgumentMatchers.any; +import static org.mockito.ArgumentMatchers.eq; +import static org.mockito.Mockito.times; +import static org.mockito.Mockito.verify; +import static org.mockito.Mockito.when; +import static software.amazon.awssdk.services.sqs.internal.batchmanager.RequestBatchManager.USER_AGENT_APPLIER; + +import java.time.Duration; +import java.util.ArrayList; +import java.util.Arrays; +import java.util.Collections; +import java.util.List; +import java.util.concurrent.CompletableFuture; +import java.util.concurrent.ScheduledExecutorService; +import java.util.concurrent.TimeUnit; +import java.util.concurrent.atomic.AtomicInteger; +import java.util.stream.Collectors; +import java.util.stream.IntStream; +import org.junit.jupiter.api.AfterEach; +import org.junit.jupiter.api.BeforeEach; +import org.junit.jupiter.api.Test; +import org.junit.jupiter.api.extension.ExtendWith; +import org.mockito.Mock; +import org.mockito.junit.jupiter.MockitoExtension; +import software.amazon.awssdk.services.sqs.SqsAsyncClient; +import software.amazon.awssdk.services.sqs.internal.batchmanager.ReceiveSqsMessageHelper; +import software.amazon.awssdk.services.sqs.internal.batchmanager.ResponseBatchConfiguration; +import software.amazon.awssdk.services.sqs.model.ChangeMessageVisibilityBatchRequest; +import software.amazon.awssdk.services.sqs.model.ChangeMessageVisibilityBatchResponse; +import software.amazon.awssdk.services.sqs.model.Message; +import software.amazon.awssdk.services.sqs.model.MessageSystemAttributeName; +import software.amazon.awssdk.services.sqs.model.ReceiveMessageRequest; +import software.amazon.awssdk.services.sqs.model.ReceiveMessageResponse; + +@ExtendWith(MockitoExtension.class) +class ReceiveSqsMessageHelperTest { + + private static final String QUEUE_URL = "test-queue-url"; + private final Duration visibilityTimeout = Duration.ofSeconds(30); + @Mock + private ScheduledExecutorService scheduledExecutorService; + @Mock + private SqsAsyncClient sqsClient; + private ResponseBatchConfiguration config; + private ReceiveSqsMessageHelper receiveSqsMessageHelper; + + @BeforeEach + void setUp() { + + config = ResponseBatchConfiguration.builder() + .receiveMessageAttributeNames(Arrays.asList( + "attribute1", "attribute2")) + .visibilityTimeout(Duration.ofSeconds(20)) + .build(); + receiveSqsMessageHelper = new ReceiveSqsMessageHelper(QUEUE_URL, sqsClient, visibilityTimeout, config); + } + + @AfterEach + void clear(){ + receiveSqsMessageHelper.clear(); + } + + @Test + void asyncReceiveMessageSuccess() throws Exception { + ReceiveMessageResponse response = ReceiveMessageResponse.builder() + .messages(Message.builder().body("Message 1").build()) + .build(); + + CompletableFuture futureResponse = new CompletableFuture<>(); + futureResponse.complete(response); + when(sqsClient.receiveMessage(any(ReceiveMessageRequest.class))).thenReturn(futureResponse); + + CompletableFuture result = receiveSqsMessageHelper.asyncReceiveMessage(); + assertTrue(result.isDone()); + assertNull(result.get().getException()); + assertFalse(result.get().isEmpty()); + assertEquals(1, result.get().messagesSize()); + } + + @Test + void multipleMessageGetsAdded() throws Exception { + ReceiveMessageResponse response = generateMessageResponse(10); + + CompletableFuture futureResponse = new CompletableFuture<>(); + futureResponse.complete(response); + when(sqsClient.receiveMessage(any(ReceiveMessageRequest.class))).thenReturn(futureResponse); + + CompletableFuture result = receiveSqsMessageHelper.asyncReceiveMessage(); + assertEquals(10, result.get(1, TimeUnit.SECONDS).messagesSize()); + assertTrue(result.isDone()); + assertNull(result.get().getException()); + assertFalse(result.get().isEmpty()); + } + + @Test + void asyncReceiveMessageFailure() throws Exception { + // Mocking receiveMessage to throw an exception + CompletableFuture futureResponse = new CompletableFuture<>(); + futureResponse.completeExceptionally(new RuntimeException("SQS error")); + when(sqsClient.receiveMessage(any(ReceiveMessageRequest.class))).thenReturn(futureResponse); + + // Call asyncReceiveMessage and expect it to handle the exception + CompletableFuture result = receiveSqsMessageHelper.asyncReceiveMessage(); + + // Verify that the CompletableFuture is completed exceptionally + ReceiveSqsMessageHelper messageBatch = result.get(2, TimeUnit.SECONDS); + + // Verify the exception in the ReceiveSqsMessageHelper + assertNotNull(messageBatch.getException()); + assertEquals("SQS error", receiveSqsMessageHelper.getException().getMessage()); + assertTrue(receiveSqsMessageHelper.isEmpty()); + } + + @Test + void emptyResponseReceivedFromSQS() throws Exception { + ReceiveMessageResponse response = ReceiveMessageResponse.builder() + .messages(Collections.emptyList()) + .build(); + CompletableFuture futureResponse = new CompletableFuture<>(); + futureResponse.complete(response); + when(sqsClient.receiveMessage(any(ReceiveMessageRequest.class))).thenReturn(futureResponse); + + receiveSqsMessageHelper.asyncReceiveMessage().get(3, TimeUnit.SECONDS); + assertTrue(receiveSqsMessageHelper.isEmpty()); + } + + @Test + void concurrencyTestForRemoveMessage() throws Exception { + // Mocking receiveMessage to return 10 messages + ReceiveMessageResponse response = generateMessageResponse(10); + when(sqsClient.receiveMessage(any(ReceiveMessageRequest.class))).thenReturn(CompletableFuture.completedFuture(response)); + + // Calling asyncReceiveMessage to initialize messages + receiveSqsMessageHelper.asyncReceiveMessage().get(3, TimeUnit.SECONDS); + + // Verify initial state + assertEquals(10, receiveSqsMessageHelper.messagesSize()); + + // Create threads to call removeMessage concurrently + List threads = new ArrayList<>(); + AtomicInteger successfulRemovals = new AtomicInteger(0); + for (int i = 0; i < 10; i++) { + threads.add(new Thread(() -> { + Message message = receiveSqsMessageHelper.removeMessage(); + if (message != null) { + int messageNumber = Integer.parseInt(message.body().split(" ")[1]); + assertTrue(messageNumber >= 0 && messageNumber < 10); + successfulRemovals.incrementAndGet(); + } + })); + } + // Start all threads + threads.forEach(Thread::start); + // Wait for all threads to finish + for (Thread thread : threads) { + thread.join(); + } + // Verify final state + assertEquals(10, successfulRemovals.get()); + assertEquals(0, receiveSqsMessageHelper.messagesSize()); + assertNull(receiveSqsMessageHelper.removeMessage()); + assertTrue(receiveSqsMessageHelper.isEmpty()); + } + + private ReceiveMessageResponse generateMessageResponse(int count) { + List messages = IntStream.range(0, count) + .mapToObj(i -> Message.builder().body("Message " + i).receiptHandle("handle" + i).build()) + .collect(Collectors.toList()); + return ReceiveMessageResponse.builder().messages(messages).build(); + } + + @Test + void changeMessageVisibilityBatchIsCalledOnClearing() throws Exception { + Message message1 = Message.builder().body("Message 1").receiptHandle("handle1").build(); + Message message2 = Message.builder().body("Message 2").receiptHandle("handle2").build(); + List messages = Arrays.asList(message1, message2); + + ReceiveMessageResponse response = ReceiveMessageResponse.builder() + .messages(messages) + .build(); + CompletableFuture futureResponse = new CompletableFuture<>(); + futureResponse.complete(response); + when(sqsClient.receiveMessage(any(ReceiveMessageRequest.class))).thenReturn(futureResponse); + when(sqsClient.changeMessageVisibilityBatch(any(ChangeMessageVisibilityBatchRequest.class))) + .thenReturn(CompletableFuture.completedFuture(ChangeMessageVisibilityBatchResponse.builder().build())); + + receiveSqsMessageHelper.asyncReceiveMessage().get(3, TimeUnit.SECONDS); + receiveSqsMessageHelper.clear(); + + assertTrue(receiveSqsMessageHelper.isEmpty()); + verify(sqsClient, times(1)).changeMessageVisibilityBatch(any(ChangeMessageVisibilityBatchRequest.class)); + } + + @Test + void immediateMessageProcessingWithoutExpiry() throws Exception { + ReceiveMessageResponse response = ReceiveMessageResponse.builder() + .messages(Message.builder().body("Message 1").build()) + .build(); + + CompletableFuture futureResponse = new CompletableFuture<>(); + futureResponse.complete(response); + when(sqsClient.receiveMessage(any(ReceiveMessageRequest.class))).thenReturn(futureResponse); + + CompletableFuture completableFuture = receiveSqsMessageHelper.asyncReceiveMessage(); + ReceiveSqsMessageHelper receiveSqsMessageHelper1 = completableFuture.get(2, TimeUnit.SECONDS); + Message message = receiveSqsMessageHelper1.removeMessage(); + assertEquals(message, Message.builder().body("Message 1").build()); + } + + @Test + void expiredBatchesClearsItself() throws Exception { + // Test setup: creating a new instance of ReceiveSqsMessageHelper + ReceiveSqsMessageHelper batch = new ReceiveSqsMessageHelper("queueUrl", sqsClient + , Duration.ofNanos(1), config); + + // Mocking receiveMessage to return a single message to open the batch + ReceiveMessageResponse response = generateMessageResponse(10); + when(sqsClient.receiveMessage(any(ReceiveMessageRequest.class))).thenReturn(CompletableFuture.completedFuture(response)); + + CompletableFuture result = batch.asyncReceiveMessage(); + ReceiveSqsMessageHelper messageBatch = result.get(1, TimeUnit.SECONDS); + Thread.sleep(10); + assertNull(messageBatch.removeMessage()); + assertTrue(messageBatch.isEmpty()); + verify(sqsClient, times(1)) + .changeMessageVisibilityBatch(any(ChangeMessageVisibilityBatchRequest.class)); + + } + + @Test + void asyncReceiveMessageArgs() throws Exception { + + ResponseBatchConfiguration batchOverrideConfig = ResponseBatchConfiguration.builder() + + .receiveMessageAttributeNames(Arrays.asList( + "custom1", "custom2")) + .messageSystemAttributeNames(Arrays.asList( + MessageSystemAttributeName.APPROXIMATE_RECEIVE_COUNT)) + .visibilityTimeout(Duration.ofSeconds(9)) + .messageMinWaitDuration(Duration.ofMillis(200)) + .build(); + + ReceiveSqsMessageHelper batch = new ReceiveSqsMessageHelper( + QUEUE_URL, sqsClient, Duration.ofSeconds(9), batchOverrideConfig); + + + // Mocking receiveMessage to return a single message + ReceiveMessageResponse response = generateMessageResponse(1); + when(sqsClient.receiveMessage(any(ReceiveMessageRequest.class))) + .thenReturn(CompletableFuture.completedFuture(response)); + + // Call asyncReceiveMessage + batch.asyncReceiveMessage().get(3, TimeUnit.SECONDS); + + // Verify that receiveMessage was called with the correct arguments + ReceiveMessageRequest expectedRequest = + ReceiveMessageRequest.builder() + .queueUrl(QUEUE_URL) + .maxNumberOfMessages(10) + .messageAttributeNames("custom1", "custom2") + .messageSystemAttributeNames(Arrays.asList( + MessageSystemAttributeName.APPROXIMATE_RECEIVE_COUNT)) + .visibilityTimeout(9) + .overrideConfiguration(o -> o.applyMutation(USER_AGENT_APPLIER)) + .build(); + + verify(sqsClient, times(1)).receiveMessage(eq(expectedRequest)); + } + +} diff --git a/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/RequestBatchBufferTest.java b/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/RequestBatchBufferTest.java new file mode 100644 index 000000000000..0829d8cd5693 --- /dev/null +++ b/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/RequestBatchBufferTest.java @@ -0,0 +1,201 @@ +/* + * 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.sqs.batchmanager; + +import org.junit.jupiter.api.BeforeEach; +import org.junit.jupiter.api.Test; + +import java.util.Collection; +import java.util.Map; +import java.util.concurrent.CompletableFuture; +import java.util.concurrent.ScheduledFuture; +import software.amazon.awssdk.services.sqs.internal.batchmanager.RequestBatchBuffer; +import software.amazon.awssdk.services.sqs.internal.batchmanager.BatchingExecutionContext; +import software.amazon.awssdk.services.sqs.model.SendMessageRequest; +import software.amazon.awssdk.services.sqs.model.SendMessageResponse; + +import static org.junit.jupiter.api.Assertions.*; +import static org.mockito.Mockito.*; +import static software.amazon.awssdk.services.sqs.internal.batchmanager.ResponseBatchConfiguration.MAX_SEND_MESSAGE_PAYLOAD_SIZE_BYTES; + +class RequestBatchBufferTest { + + private RequestBatchBuffer batchBuffer; + private ScheduledFuture scheduledFlush; + + private static int maxBufferSize = 1000; + + @BeforeEach + void setUp() { + scheduledFlush = mock(ScheduledFuture.class); + } + + @Test + void whenPutRequestThenBufferContainsRequest() { + batchBuffer = new RequestBatchBuffer<>(scheduledFlush, 10, MAX_SEND_MESSAGE_PAYLOAD_SIZE_BYTES, maxBufferSize); + CompletableFuture response = new CompletableFuture<>(); + batchBuffer.put("request1", response); + assertEquals(1, batchBuffer.responses().size()); + } + + @Test + void whenFlushableRequestsThenReturnRequestsUpToMaxBatchItems() { + batchBuffer = new RequestBatchBuffer<>(scheduledFlush, 1, MAX_SEND_MESSAGE_PAYLOAD_SIZE_BYTES, maxBufferSize); + CompletableFuture response = new CompletableFuture<>(); + batchBuffer.put("request1", response); + Map> flushedRequests = batchBuffer.flushableRequests(); + assertEquals(1, flushedRequests.size()); + assertTrue(flushedRequests.containsKey("0")); + } + + @Test + void whenFlushableScheduledRequestsThenReturnAllRequests() { + batchBuffer = new RequestBatchBuffer<>(scheduledFlush, 10, MAX_SEND_MESSAGE_PAYLOAD_SIZE_BYTES, maxBufferSize); + CompletableFuture response = new CompletableFuture<>(); + batchBuffer.put("request1", response); + Map> flushedRequests = batchBuffer.flushableScheduledRequests(1); + assertEquals(1, flushedRequests.size()); + assertTrue(flushedRequests.containsKey("0")); + } + + @Test + void whenMaxBufferSizeReachedThenThrowException() { + batchBuffer = new RequestBatchBuffer<>(scheduledFlush, 3, MAX_SEND_MESSAGE_PAYLOAD_SIZE_BYTES, 10); + for (int i = 0; i < 10; i++) { + batchBuffer.put("request" + i, new CompletableFuture<>()); + } + assertThrows(IllegalStateException.class, () -> batchBuffer.put("request11", new CompletableFuture<>())); + } + + @Test + void whenPutScheduledFlushThenFlushIsSet() { + batchBuffer = new RequestBatchBuffer<>(scheduledFlush, 10, MAX_SEND_MESSAGE_PAYLOAD_SIZE_BYTES, maxBufferSize); + ScheduledFuture newScheduledFlush = mock(ScheduledFuture.class); + batchBuffer.putScheduledFlush(newScheduledFlush); + assertNotNull(newScheduledFlush); + } + + @Test + void whenCancelScheduledFlushThenFlushIsCancelled() { + batchBuffer = new RequestBatchBuffer<>(scheduledFlush, 10, MAX_SEND_MESSAGE_PAYLOAD_SIZE_BYTES, maxBufferSize); + batchBuffer.cancelScheduledFlush(); + verify(scheduledFlush).cancel(false); + } + + @Test + void whenGetResponsesThenReturnAllResponses() { + batchBuffer = new RequestBatchBuffer<>(scheduledFlush, 10, MAX_SEND_MESSAGE_PAYLOAD_SIZE_BYTES, maxBufferSize); + CompletableFuture response1 = new CompletableFuture<>(); + CompletableFuture response2 = new CompletableFuture<>(); + batchBuffer.put("request1", response1); + batchBuffer.put("request2", response2); + Collection> responses = batchBuffer.responses(); + assertEquals(2, responses.size()); + assertTrue(responses.contains(response1)); + assertTrue(responses.contains(response2)); + } + + @Test + void whenClearBufferThenBufferIsEmpty() { + batchBuffer = new RequestBatchBuffer<>(scheduledFlush, 10, MAX_SEND_MESSAGE_PAYLOAD_SIZE_BYTES, maxBufferSize); + CompletableFuture response = new CompletableFuture<>(); + batchBuffer.put("request1", response); + batchBuffer.clear(); + assertTrue(batchBuffer.responses().isEmpty()); + } + + @Test + void whenExtractFlushedEntriesThenReturnCorrectEntries() { + batchBuffer = new RequestBatchBuffer<>(scheduledFlush, 5, MAX_SEND_MESSAGE_PAYLOAD_SIZE_BYTES, maxBufferSize); + for (int i = 0; i < 5; i++) { + batchBuffer.put("request" + i, new CompletableFuture<>()); + } + Map> flushedEntries = batchBuffer.flushableRequests(); + assertEquals(5, flushedEntries.size()); + } + + @Test + void whenHasNextBatchEntryThenReturnTrue() { + batchBuffer = new RequestBatchBuffer<>(scheduledFlush, 1, MAX_SEND_MESSAGE_PAYLOAD_SIZE_BYTES, maxBufferSize); + batchBuffer.put("request1", new CompletableFuture<>()); + assertTrue(batchBuffer.flushableRequests().containsKey("0")); + } + + + @Test + void whenNextBatchEntryThenReturnNextEntryId() { + batchBuffer = new RequestBatchBuffer<>(scheduledFlush, 1, MAX_SEND_MESSAGE_PAYLOAD_SIZE_BYTES, maxBufferSize); + batchBuffer.put("request1", new CompletableFuture<>()); + assertEquals("0", batchBuffer.flushableRequests().keySet().iterator().next()); + } + + @Test + void whenRequestPassedWithLessBytesinArgs_thenCheckForSizeOnly_andDonotFlush() { + RequestBatchBuffer batchBuffer + = new RequestBatchBuffer<>(scheduledFlush, 5, MAX_SEND_MESSAGE_PAYLOAD_SIZE_BYTES, maxBufferSize); + for (int i = 0; i < 5; i++) { + batchBuffer.put(SendMessageRequest.builder().build(), + new CompletableFuture<>()); + } + Map> flushedEntries = + batchBuffer.flushableRequestsOnByteLimitBeforeAdd(SendMessageRequest.builder().messageBody("Hi").build()); + assertEquals(0, flushedEntries.size()); + } + + + + @Test + void testFlushWhenPayloadExceedsMaxSize() { + RequestBatchBuffer batchBuffer + = new RequestBatchBuffer<>(scheduledFlush, 5, MAX_SEND_MESSAGE_PAYLOAD_SIZE_BYTES, maxBufferSize); + + String largeMessageBody = createLargeString('a',245_760); + batchBuffer.put(SendMessageRequest.builder().messageBody(largeMessageBody).build(), + new CompletableFuture<>()); + Map> flushedEntries = + batchBuffer.flushableRequestsOnByteLimitBeforeAdd(SendMessageRequest.builder().messageBody("NewMessage").build()); + assertEquals(1, flushedEntries.size()); + } + + @Test + void testFlushWhenCumulativePayloadExceedsMaxSize() { + RequestBatchBuffer batchBuffer + = new RequestBatchBuffer<>(scheduledFlush, 5, MAX_SEND_MESSAGE_PAYLOAD_SIZE_BYTES, maxBufferSize); + + String largeMessageBody = createLargeString('a',130_000); + batchBuffer.put(SendMessageRequest.builder().messageBody(largeMessageBody).build(), + new CompletableFuture<>()); + batchBuffer.put(SendMessageRequest.builder().messageBody(largeMessageBody).build(), + new CompletableFuture<>()); + Map> flushedEntries = + batchBuffer.flushableRequestsOnByteLimitBeforeAdd(SendMessageRequest.builder().messageBody("NewMessage").build()); + + //Flushes both the messages since thier sum is greater than 256Kb + assertEquals(2, flushedEntries.size()); + } + + + private String createLargeString(char ch, int length) { + StringBuilder sb = new StringBuilder(length); + for (int i = 0; i < length; i++) { + sb.append(ch); + } + return sb.toString(); + } + + + +} \ No newline at end of file diff --git a/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/RequestBatchManagerTest.java b/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/RequestBatchManagerTest.java new file mode 100644 index 000000000000..c82984bbecd1 --- /dev/null +++ b/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/RequestBatchManagerTest.java @@ -0,0 +1,244 @@ +/* + * 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.sqs.batchmanager; + +import java.io.IOException; +import java.time.Duration; +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import java.util.concurrent.CancellationException; +import java.util.concurrent.CompletableFuture; +import java.util.concurrent.ExecutionException; +import java.util.concurrent.Executors; +import java.util.concurrent.ScheduledExecutorService; +import java.util.concurrent.TimeUnit; +import java.util.stream.Collectors; +import java.util.stream.IntStream; +import org.junit.jupiter.api.AfterAll; +import org.junit.jupiter.api.BeforeEach; +import org.junit.jupiter.api.Test; + +import org.mockito.Mock; +import org.mockito.MockitoAnnotations; + +import static org.junit.jupiter.api.Assertions.*; +import static org.mockito.ArgumentMatchers.any; +import static org.mockito.Mockito.*; + +class RequestBatchManagerTest { + + @Mock + private CustomClient mockClient; + + private static ScheduledExecutorService scheduledExecutor; + + public static BatchResponse batchedResponse(int count, String responseMessage) { + List entries = new ArrayList<>(); + for (int i = 0; i < count; i++) { + entries.add(new BatchResponseEntry(String.valueOf(i), responseMessage + i)); + } + return new BatchResponse(entries); + } + + @BeforeEach + void setUp() { + MockitoAnnotations.openMocks(this); + scheduledExecutor = Executors.newScheduledThreadPool(1); + } + + + + @Test + void batchRequest_OnlyOneInBatch_successful() throws Exception { + String request = "testRequest:1"; + String batchKey = "testRequest"; + CompletableFuture batchResponseFuture = CompletableFuture.completedFuture(batchedResponse(1, + "testResponse")); + + when(mockClient.sendBatchAsync(any(), eq(batchKey))).thenReturn(batchResponseFuture); + + SampleBatchManager batchManager = + new SampleBatchManager(BatchOverrideConfiguration.builder().maxBatchSize(1).build(), scheduledExecutor, mockClient); + CompletableFuture response = batchManager.batchRequest(request); + assertEquals("testResponse0", response.get(1, TimeUnit.SECONDS)); + } + + @Test + void batchRequest_TwoBatchesMessagesSplitInTwoCalls_successful() throws Exception { + String request1 = "testRequest:0"; + String batchKey1 = "testRequest"; + String request2 = "testRequest:1"; + CompletableFuture batchResponseFuture = CompletableFuture.completedFuture(batchedResponse(2, + "testResponse")); + when(mockClient.sendBatchAsync(any(), eq(batchKey1))).thenReturn(batchResponseFuture); + SampleBatchManager batchManager= + new SampleBatchManager(BatchOverrideConfiguration.builder().maxBatchSize(2) + .sendRequestFrequency(Duration.ofHours(1)).build(), + scheduledExecutor, mockClient); + CompletableFuture response1 = batchManager.batchRequest(request1); + CompletableFuture response2 = batchManager.batchRequest(request2); + assertEquals("testResponse0", response1.get(1, TimeUnit.SECONDS)); + assertEquals("testResponse1", response2.get(1, TimeUnit.SECONDS)); + + } + + @Test + void batchRequest_TwoBatchesWithDifferentKey_successful() throws Exception { + String KEY_ONE = "testRequestOne"; + String KEY_TWO = "testRequestTwo"; + + CompletableFuture batchResponseFutureOne = CompletableFuture.completedFuture(batchedResponse(2, KEY_ONE)); + CompletableFuture batchResponseFutureTwo = CompletableFuture.completedFuture(batchedResponse(2, KEY_TWO)); + + when(mockClient.sendBatchAsync(any(), eq(KEY_ONE))).thenReturn(batchResponseFutureOne); + when(mockClient.sendBatchAsync(any(), eq(KEY_TWO))).thenReturn(batchResponseFutureTwo); + + SampleBatchManager batchManager= + new SampleBatchManager(BatchOverrideConfiguration.builder().maxBatchSize(2).sendRequestFrequency(Duration.ofHours(1)).build(), scheduledExecutor, mockClient); + CompletableFuture response1 = batchManager.batchRequest(KEY_ONE + ":0"); + CompletableFuture response2 = batchManager.batchRequest(KEY_TWO + ":0"); + CompletableFuture response3 = batchManager.batchRequest(KEY_ONE + ":1"); + CompletableFuture response4 = batchManager.batchRequest(KEY_TWO + ":1"); + + assertEquals("testRequestOne0", response1.get(1, TimeUnit.SECONDS)); + assertEquals("testRequestTwo0", response2.get(1, TimeUnit.SECONDS)); + assertEquals("testRequestOne1", response3.get(1, TimeUnit.SECONDS)); + assertEquals("testRequestTwo1", response4.get(1, TimeUnit.SECONDS)); + } + + @Test + void batchRequest_WithErrorInResponse_throwsException() throws Exception { + String request = "testRequest:1"; + String batchKey = "testRequest"; + CompletableFuture batchResponseFuture = new CompletableFuture<>(); + batchResponseFuture.completeExceptionally(new RuntimeException("testException")); + + when(mockClient.sendBatchAsync(any(), eq(batchKey))).thenReturn(batchResponseFuture); + SampleBatchManager batchManager= + new SampleBatchManager(BatchOverrideConfiguration.builder().build(), scheduledExecutor, mockClient); + CompletableFuture response = batchManager.batchRequest(request); + + assertThrows(ExecutionException.class, () -> response.get(1, TimeUnit.SECONDS)); + } + + @Test + void batchRequest_WithNetworkError_throwsException() throws Exception { + String request = "testRequest:1"; + String batchKey = "testRequest"; + CompletableFuture batchResponseFuture = new CompletableFuture<>(); + batchResponseFuture.completeExceptionally(new RuntimeException("Network error")); + + when(mockClient.sendBatchAsync(any(), eq(batchKey))).thenReturn(batchResponseFuture); + + SampleBatchManager batchManager= + new SampleBatchManager(BatchOverrideConfiguration.builder().build(), scheduledExecutor, mockClient); + CompletableFuture response = batchManager.batchRequest(request); + + assertThrows(ExecutionException.class, () -> response.get(1, TimeUnit.SECONDS)); + } + + @Test + void close_FlushesAllBatches() throws Exception { + String request1 = "testRequest:0"; + String batchKey = "testRequest"; + String request2 = "testRequest:1"; + CompletableFuture batchResponseFuture = CompletableFuture.completedFuture(batchedResponse(2, + "testResponse")); + + when(mockClient.sendBatchAsync(any(), eq(batchKey))).thenReturn(batchResponseFuture); + + SampleBatchManager batchManager= + new SampleBatchManager(BatchOverrideConfiguration.builder().maxBatchSize(2).sendRequestFrequency(Duration.ofHours(1)).build(), scheduledExecutor, mockClient); + + CompletableFuture response1 = batchManager.batchRequest(request1); + CompletableFuture response2 = batchManager.batchRequest(request2); + // Even though the mock returns results immediately, since this is asynchronous execution, the test environment may take + // additional time due to the Scheduled Executors execution on that machine. + Thread.sleep(200); + batchManager.close(); + + assertEquals("testResponse0", response1.get(1, TimeUnit.SECONDS)); + + assertEquals("testResponse1", response2.get(1, TimeUnit.SECONDS)); + } + + + @Test + void batchRequest_ClosedWhenWaitingForResponse() throws Exception { + String request = "testRequest:1"; + String batchKey = "testRequest"; + CompletableFuture batchResponseFuture = new CompletableFuture<>(); + + // Simulate successful response with delay + scheduledExecutor.schedule(() -> batchResponseFuture.complete(batchedResponse(1, "testResponse")), + 10, TimeUnit.HOURS); + + when(mockClient.sendBatchAsync(any(), eq(batchKey))).thenReturn(batchResponseFuture); + + SampleBatchManager batchManager = + new SampleBatchManager(BatchOverrideConfiguration.builder().maxBatchSize(1).build(), scheduledExecutor, mockClient); + CompletableFuture response = batchManager.batchRequest(request); + + batchManager.close(); + assertThrows(CancellationException.class, () -> response.join()); + + } + + + @Test + void batchRequest_MoreThanBufferSize_Fails() throws Exception { + final int MAX_QUEUES_THRESHOLD = 10000; + + // Generate unique keys up to MAX_QUEUES_THRESHOLD + List keys = IntStream.range(0, MAX_QUEUES_THRESHOLD) + .mapToObj(i -> String.format("testRequest%d:%d", i, i)) + .collect(Collectors.toList()); + + // Create mock responses for all keys + keys.forEach(key -> + when(mockClient.sendBatchAsync(any(), eq(key))) + .thenReturn(CompletableFuture.completedFuture(batchedResponse(2, key))) + ); + + SampleBatchManager batchManager = new SampleBatchManager( + BatchOverrideConfiguration.builder() + .maxBatchSize(2) + .sendRequestFrequency(Duration.ofHours(1)) + .build(), + scheduledExecutor, + mockClient + ); + + List> responses = new ArrayList<>(); + for (String key : keys) { + responses.add(batchManager.batchRequest(key)); + } + + CompletableFuture extraResponse = batchManager.batchRequest(String.format("testRequest%d:%d", MAX_QUEUES_THRESHOLD, MAX_QUEUES_THRESHOLD)); + ExecutionException exception = assertThrows(ExecutionException.class, () -> extraResponse.get(1, TimeUnit.SECONDS)); + assertEquals(String.format("java.lang.IllegalStateException: Reached MaxBatchKeys of: %d", MAX_QUEUES_THRESHOLD), exception.getCause().toString()); + } + + @AfterAll + public static void teardown() throws IOException { + if (scheduledExecutor != null) { + scheduledExecutor.shutdownNow(); + } + } + +} \ No newline at end of file diff --git a/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/RequestPayloadCalculatorTest.java b/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/RequestPayloadCalculatorTest.java new file mode 100644 index 000000000000..89ac8a35496e --- /dev/null +++ b/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/RequestPayloadCalculatorTest.java @@ -0,0 +1,90 @@ +/* + * 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.sqs.batchmanager; + +import java.nio.charset.StandardCharsets; +import org.junit.jupiter.api.DisplayName; +import org.junit.jupiter.api.TestInstance; +import org.junit.jupiter.api.TestInstance.Lifecycle; +import org.junit.jupiter.params.ParameterizedTest; +import org.junit.jupiter.params.provider.Arguments; +import org.junit.jupiter.params.provider.MethodSource; +import software.amazon.awssdk.services.sqs.internal.batchmanager.RequestPayloadCalculator; +import software.amazon.awssdk.services.sqs.model.ChangeMessageVisibilityRequest; +import software.amazon.awssdk.services.sqs.model.DeleteMessageRequest; +import software.amazon.awssdk.services.sqs.model.SendMessageRequest; + +import java.util.Optional; +import java.util.stream.Stream; + +import static org.junit.jupiter.api.Assertions.assertEquals; +import static software.amazon.awssdk.services.sqs.internal.batchmanager.ResponseBatchConfiguration.ATTRIBUTE_MAPS_PAYLOAD_BYTES; + +@TestInstance(Lifecycle.PER_CLASS) +class RequestPayloadCalculatorTest { + + @ParameterizedTest + @MethodSource("provideRequestsForMessageSizeCalculation") + @DisplayName("Test calculateMessageSize with different SendMessageRequest inputs") + void testCalculateMessageSize(SendMessageRequest request, int expectedSize) { + Optional actualSize = RequestPayloadCalculator.calculateMessageSize(request); + assertEquals(Optional.of(expectedSize), actualSize); + } + + private Stream provideRequestsForMessageSizeCalculation() { + return Stream.of( + Arguments.of( + SendMessageRequest.builder().messageBody("Test message").build(), + "Test message".getBytes(StandardCharsets.UTF_8).length + ATTRIBUTE_MAPS_PAYLOAD_BYTES + ), + Arguments.of( + SendMessageRequest.builder().messageBody("").build(), + ATTRIBUTE_MAPS_PAYLOAD_BYTES + ), + Arguments.of( + SendMessageRequest.builder().messageBody(null).build(), + ATTRIBUTE_MAPS_PAYLOAD_BYTES + ), + Arguments.of( + SendMessageRequest.builder().messageBody("Another test message").build(), + "Another test message".getBytes(StandardCharsets.UTF_8).length + ATTRIBUTE_MAPS_PAYLOAD_BYTES + ) + ); + } + + @ParameterizedTest + @MethodSource("provideNonSendMessageRequest") + @DisplayName("Test calculateMessageSize with non-SendMessageRequest inputs") + void testCalculateMessageSizeWithNonSendMessageRequest(Object request) { + Optional actualSize = RequestPayloadCalculator.calculateMessageSize(request); + assertEquals(Optional.empty(), actualSize); + } + + private Stream provideNonSendMessageRequest() { + return Stream.of( + Arguments.of(ChangeMessageVisibilityRequest.builder() + .queueUrl("https://sqs.us-west-2.amazonaws.com/MyQueue") + .receiptHandle("some-receipt-handle") + .visibilityTimeout(60) + .build()), + + Arguments.of(DeleteMessageRequest.builder() + .queueUrl("https://sqs.us-west-2.amazonaws.com/123456789012/MyQueue") + .receiptHandle("some-receipt-handle") + .build()) + ); + } +} diff --git a/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/SampleBatchManager.java b/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/SampleBatchManager.java new file mode 100644 index 000000000000..301e176aaa14 --- /dev/null +++ b/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/SampleBatchManager.java @@ -0,0 +1,60 @@ +/* + * 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.sqs.batchmanager; + +import static software.amazon.awssdk.services.sqs.internal.batchmanager.ResponseBatchConfiguration.MAX_SEND_MESSAGE_PAYLOAD_SIZE_BYTES; + +import java.util.ArrayList; +import java.util.List; +import java.util.concurrent.CompletableFuture; +import java.util.concurrent.ScheduledExecutorService; +import software.amazon.awssdk.services.sqs.internal.batchmanager.IdentifiableMessage; +import software.amazon.awssdk.services.sqs.internal.batchmanager.RequestBatchConfiguration; +import software.amazon.awssdk.services.sqs.internal.batchmanager.RequestBatchManager; +import software.amazon.awssdk.utils.Either; + +public class SampleBatchManager extends RequestBatchManager { + private final CustomClient client; + + + protected SampleBatchManager(BatchOverrideConfiguration batchOverrideConfiguration, + ScheduledExecutorService executorService, + CustomClient client) { + super(RequestBatchConfiguration.builder(batchOverrideConfiguration).build(), executorService); + this.client = client; + } + + @Override + protected CompletableFuture batchAndSend(List> identifiedRequests, String batchKey) { + return client.sendBatchAsync(identifiedRequests, batchKey); + } + + @Override + protected String getBatchKey(String request) { + return request.substring(0, request.indexOf(':')); + } + + @Override + protected List, IdentifiableMessage>> mapBatchResponse(BatchResponse batchResponse) { + List, IdentifiableMessage>> mappedResponses = new ArrayList<>(); + batchResponse.getResponses().forEach(batchResponseEntry -> { + IdentifiableMessage response = new IdentifiableMessage<>(batchResponseEntry.getId(), batchResponseEntry.getMessage()); + mappedResponses.add(Either.left(response)); + }); + return mappedResponses; } + + +} \ No newline at end of file diff --git a/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/SqsAsyncBatchManagerBuilderTest.java b/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/SqsAsyncBatchManagerBuilderTest.java new file mode 100644 index 000000000000..ec008573d9af --- /dev/null +++ b/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/SqsAsyncBatchManagerBuilderTest.java @@ -0,0 +1,65 @@ +/* + * 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.sqs.batchmanager; + +import static org.assertj.core.api.AssertionsForClassTypes.assertThat; +import static org.assertj.core.api.AssertionsForClassTypes.assertThatExceptionOfType; +import static org.mockito.Mockito.mock; + +import java.util.concurrent.Executors; +import java.util.concurrent.ScheduledExecutorService; +import java.util.stream.Stream; +import org.junit.jupiter.api.Test; +import org.junit.jupiter.params.ParameterizedTest; +import org.junit.jupiter.params.provider.Arguments; +import org.junit.jupiter.params.provider.MethodSource; +import software.amazon.awssdk.services.sqs.SqsAsyncClient; + +class SqsAsyncBatchManagerBuilderTest { + + + static Stream incompleteBuilders() { + return Stream.of( + Arguments.of(SqsAsyncBatchManager.builder() + .client(null) + .scheduledExecutor(Executors.newScheduledThreadPool(2)), + "client cannot be null"), + Arguments.of(SqsAsyncBatchManager.builder() + .client(mock(SqsAsyncClient.class)) + .scheduledExecutor(null), + "scheduledExecutor cannot be null") + ); + } + + @ParameterizedTest + @MethodSource("incompleteBuilders") + void testIncompleteBuilders(SqsAsyncBatchManager.Builder builder, String errorMessage) { + assertThatExceptionOfType(NullPointerException.class) + .isThrownBy(builder::build) + .withMessage(errorMessage); + + } + + @Test + void testCompleteBuilder() { + SqsAsyncBatchManager sqsAsyncBatchManager = SqsAsyncBatchManager.builder() + .client(mock(SqsAsyncClient.class)) + .scheduledExecutor(mock(ScheduledExecutorService.class)) + .build(); + assertThat(sqsAsyncBatchManager).isNotNull(); + + } +} diff --git a/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/SqsAsyncBatchManagerTest.java b/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/SqsAsyncBatchManagerTest.java new file mode 100644 index 000000000000..c1348253daed --- /dev/null +++ b/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/SqsAsyncBatchManagerTest.java @@ -0,0 +1,106 @@ +/* + * 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.sqs.batchmanager; + + +import java.net.URI; +import java.util.ArrayList; +import java.util.List; +import java.util.concurrent.CompletableFuture; +import org.junit.jupiter.api.AfterAll; +import org.junit.jupiter.api.AfterEach; +import org.junit.jupiter.api.BeforeAll; +import org.junit.jupiter.api.BeforeEach; +import org.junit.jupiter.api.extension.ExtendWith; +import org.mockito.junit.jupiter.MockitoExtension; +import software.amazon.awssdk.auth.credentials.AwsBasicCredentials; +import software.amazon.awssdk.auth.credentials.StaticCredentialsProvider; +import software.amazon.awssdk.services.sqs.SqsAsyncClient; +import software.amazon.awssdk.services.sqs.SqsAsyncClientBuilder; +import software.amazon.awssdk.services.sqs.model.ChangeMessageVisibilityResponse; +import software.amazon.awssdk.services.sqs.model.DeleteMessageRequest; +import software.amazon.awssdk.services.sqs.model.DeleteMessageResponse; +import software.amazon.awssdk.services.sqs.model.ReceiveMessageRequest; +import software.amazon.awssdk.services.sqs.model.ReceiveMessageResponse; +import software.amazon.awssdk.services.sqs.model.SendMessageResponse; + + +@ExtendWith(MockitoExtension.class) +public class SqsAsyncBatchManagerTest extends BaseSqsBatchManagerTest { + + private static SqsAsyncClient client; + private SqsAsyncBatchManager batchManager; + + + private static SqsAsyncClientBuilder getAsyncClientBuilder(URI httpLocalhostUri) { + return SqsAsyncClient.builder() + .endpointOverride(httpLocalhostUri) + .credentialsProvider( + StaticCredentialsProvider.create(AwsBasicCredentials.create("key", "secret"))); + } + + @BeforeAll + public static void oneTimeSetUp() { + URI http_localhost_uri = URI.create(String.format("http://localhost:%s/", wireMock.getPort())); + client = getAsyncClientBuilder(http_localhost_uri).build(); + } + + @AfterAll + public static void oneTimeTearDown() { + client.close(); + } + + @BeforeEach + public void setUp() { + batchManager = client.batchManager(); + } + + @AfterEach + public void tearDown() { + batchManager.close(); + } + + + @Override + public List> createAndSendSendMessageRequests(String message1, String message2) { + List> responses = new ArrayList<>(); + responses.add(batchManager.sendMessage(builder -> builder.queueUrl(DEFAULT_QUEUE_URL).messageBody(message1))); + responses.add(batchManager.sendMessage(builder -> builder.queueUrl(DEFAULT_QUEUE_URL).messageBody(message2))); + return responses; + } + + @Override + public CompletableFuture createAndReceiveMessage(ReceiveMessageRequest request) { + return batchManager.receiveMessage(request); + } + + @Override + public List> createAndSendDeleteMessageRequests() { + List requests = new ArrayList<>(); + List> responses = new ArrayList<>(); + responses.add(batchManager.deleteMessage(builder -> builder.queueUrl(DEFAULT_QUEUE_URL))); + responses.add(batchManager.deleteMessage(builder -> builder.queueUrl(DEFAULT_QUEUE_URL))); + return responses; + } + + @Override + public List> createAndSendChangeVisibilityRequests() { + List> responses = new ArrayList<>(); + responses.add(batchManager.changeMessageVisibility(builder -> builder.queueUrl(DEFAULT_QUEUE_URL))); + responses.add(batchManager.changeMessageVisibility(builder -> builder.queueUrl(DEFAULT_QUEUE_URL))); + return responses; + } +} From c23d50d422587a7d65306be31ddab9cbe166480e Mon Sep 17 00:00:00 2001 From: John Viegas <70235430+joviegas@users.noreply.github.com> Date: Wed, 11 Sep 2024 19:34:15 -0700 Subject: [PATCH 065/108] Update Minor versioning policy to make sure we do a minor version bump even when there are new feature added , this is done to let customers know that a new feature is released (#5583) --- VERSIONING.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/VERSIONING.md b/VERSIONING.md index cbce94c879f4..20e43e3208a4 100644 --- a/VERSIONING.md +++ b/VERSIONING.md @@ -3,7 +3,7 @@ The AWS SDK for Java v2 uses a versioning scheme that follows the format: `MAJOR.MINOR.PATCH[-QUALIFIER]`. Revisions to different version components communicate the risk associated with changes when upgrading to newer versions of the SDK: * `MAJOR` - Huge changes, expect API incompatibilities and other breaking changes. -* `MINOR` - Medium risk changes. Upgrading SHOULD usually just work but check the [release notes](CHANGELOG.md). Example changes might include incrementing minimum Java version, deprecating APIs, or significant changes to core runtime components. Changes to `MINOR` version MAY contain backwards incompatible changes under certain scenarios. +* `MINOR` - Medium risk changes. Upgrading SHOULD usually just work, but check the [release notes](CHANGELOG.md). Example changes might include incrementing the minimum Java version, deprecating APIs, significant changes to core runtime components, or introducing new major features such as the transfer manager or S3 multipart client. Changes to the `MINOR` version MAY contain backward-incompatible changes in certain scenarios. * `PATCH` - Zero to low risk changes. New features and bug fixes that should be safe to consume without much worry. * `QUALIFIER` - (Optional) Additional release version qualifier (e.g. PREVIEW). Most releases are not expected to have a qualifier. From 7fcb4dd6988fa065aab3501f03f2fe618d885a2d Mon Sep 17 00:00:00 2001 From: John Viegas <70235430+joviegas@users.noreply.github.com> Date: Thu, 12 Sep 2024 08:54:27 -0700 Subject: [PATCH 066/108] Creating a new Release to release SQS Automatic Request Batching feature (#5588) --- .changes/{ => 2.27.x}/2.27.0.json | 0 .changes/{ => 2.27.x}/2.27.1.json | 0 .changes/{ => 2.27.x}/2.27.10.json | 0 .changes/{ => 2.27.x}/2.27.11.json | 0 .changes/{ => 2.27.x}/2.27.12.json | 0 .changes/{ => 2.27.x}/2.27.13.json | 0 .changes/{ => 2.27.x}/2.27.14.json | 0 .changes/{ => 2.27.x}/2.27.15.json | 0 .changes/{ => 2.27.x}/2.27.16.json | 0 .changes/{ => 2.27.x}/2.27.17.json | 0 .changes/{ => 2.27.x}/2.27.18.json | 0 .changes/{ => 2.27.x}/2.27.19.json | 0 .changes/{ => 2.27.x}/2.27.2.json | 0 .changes/{ => 2.27.x}/2.27.20.json | 0 .changes/{ => 2.27.x}/2.27.21.json | 0 .changes/{ => 2.27.x}/2.27.22.json | 0 .changes/{ => 2.27.x}/2.27.23.json | 0 .changes/{ => 2.27.x}/2.27.24.json | 0 .changes/{ => 2.27.x}/2.27.3.json | 0 .changes/{ => 2.27.x}/2.27.4.json | 0 .changes/{ => 2.27.x}/2.27.5.json | 0 .changes/{ => 2.27.x}/2.27.6.json | 0 .changes/{ => 2.27.x}/2.27.7.json | 0 .changes/{ => 2.27.x}/2.27.8.json | 0 .changes/{ => 2.27.x}/2.27.9.json | 0 CHANGELOG.md | 602 +----------------- archetypes/archetype-app-quickstart/pom.xml | 2 +- archetypes/archetype-lambda/pom.xml | 2 +- archetypes/archetype-tools/pom.xml | 2 +- archetypes/pom.xml | 2 +- aws-sdk-java/pom.xml | 2 +- bom-internal/pom.xml | 2 +- bom/pom.xml | 2 +- bundle-logging-bridge/pom.xml | 2 +- bundle-sdk/pom.xml | 2 +- bundle/pom.xml | 2 +- changelogs/2.27.x-CHANGELOG.md | 601 +++++++++++++++++ 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/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/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/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/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/worklink/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 +- 496 files changed, 1071 insertions(+), 1070 deletions(-) rename .changes/{ => 2.27.x}/2.27.0.json (100%) rename .changes/{ => 2.27.x}/2.27.1.json (100%) rename .changes/{ => 2.27.x}/2.27.10.json (100%) rename .changes/{ => 2.27.x}/2.27.11.json (100%) rename .changes/{ => 2.27.x}/2.27.12.json (100%) rename .changes/{ => 2.27.x}/2.27.13.json (100%) rename .changes/{ => 2.27.x}/2.27.14.json (100%) rename .changes/{ => 2.27.x}/2.27.15.json (100%) rename .changes/{ => 2.27.x}/2.27.16.json (100%) rename .changes/{ => 2.27.x}/2.27.17.json (100%) rename .changes/{ => 2.27.x}/2.27.18.json (100%) rename .changes/{ => 2.27.x}/2.27.19.json (100%) rename .changes/{ => 2.27.x}/2.27.2.json (100%) rename .changes/{ => 2.27.x}/2.27.20.json (100%) rename .changes/{ => 2.27.x}/2.27.21.json (100%) rename .changes/{ => 2.27.x}/2.27.22.json (100%) rename .changes/{ => 2.27.x}/2.27.23.json (100%) rename .changes/{ => 2.27.x}/2.27.24.json (100%) rename .changes/{ => 2.27.x}/2.27.3.json (100%) rename .changes/{ => 2.27.x}/2.27.4.json (100%) rename .changes/{ => 2.27.x}/2.27.5.json (100%) rename .changes/{ => 2.27.x}/2.27.6.json (100%) rename .changes/{ => 2.27.x}/2.27.7.json (100%) rename .changes/{ => 2.27.x}/2.27.8.json (100%) rename .changes/{ => 2.27.x}/2.27.9.json (100%) create mode 100644 changelogs/2.27.x-CHANGELOG.md diff --git a/.changes/2.27.0.json b/.changes/2.27.x/2.27.0.json similarity index 100% rename from .changes/2.27.0.json rename to .changes/2.27.x/2.27.0.json diff --git a/.changes/2.27.1.json b/.changes/2.27.x/2.27.1.json similarity index 100% rename from .changes/2.27.1.json rename to .changes/2.27.x/2.27.1.json diff --git a/.changes/2.27.10.json b/.changes/2.27.x/2.27.10.json similarity index 100% rename from .changes/2.27.10.json rename to .changes/2.27.x/2.27.10.json diff --git a/.changes/2.27.11.json b/.changes/2.27.x/2.27.11.json similarity index 100% rename from .changes/2.27.11.json rename to .changes/2.27.x/2.27.11.json diff --git a/.changes/2.27.12.json b/.changes/2.27.x/2.27.12.json similarity index 100% rename from .changes/2.27.12.json rename to .changes/2.27.x/2.27.12.json diff --git a/.changes/2.27.13.json b/.changes/2.27.x/2.27.13.json similarity index 100% rename from .changes/2.27.13.json rename to .changes/2.27.x/2.27.13.json diff --git a/.changes/2.27.14.json b/.changes/2.27.x/2.27.14.json similarity index 100% rename from .changes/2.27.14.json rename to .changes/2.27.x/2.27.14.json diff --git a/.changes/2.27.15.json b/.changes/2.27.x/2.27.15.json similarity index 100% rename from .changes/2.27.15.json rename to .changes/2.27.x/2.27.15.json diff --git a/.changes/2.27.16.json b/.changes/2.27.x/2.27.16.json similarity index 100% rename from .changes/2.27.16.json rename to .changes/2.27.x/2.27.16.json diff --git a/.changes/2.27.17.json b/.changes/2.27.x/2.27.17.json similarity index 100% rename from .changes/2.27.17.json rename to .changes/2.27.x/2.27.17.json diff --git a/.changes/2.27.18.json b/.changes/2.27.x/2.27.18.json similarity index 100% rename from .changes/2.27.18.json rename to .changes/2.27.x/2.27.18.json diff --git a/.changes/2.27.19.json b/.changes/2.27.x/2.27.19.json similarity index 100% rename from .changes/2.27.19.json rename to .changes/2.27.x/2.27.19.json diff --git a/.changes/2.27.2.json b/.changes/2.27.x/2.27.2.json similarity index 100% rename from .changes/2.27.2.json rename to .changes/2.27.x/2.27.2.json diff --git a/.changes/2.27.20.json b/.changes/2.27.x/2.27.20.json similarity index 100% rename from .changes/2.27.20.json rename to .changes/2.27.x/2.27.20.json diff --git a/.changes/2.27.21.json b/.changes/2.27.x/2.27.21.json similarity index 100% rename from .changes/2.27.21.json rename to .changes/2.27.x/2.27.21.json diff --git a/.changes/2.27.22.json b/.changes/2.27.x/2.27.22.json similarity index 100% rename from .changes/2.27.22.json rename to .changes/2.27.x/2.27.22.json diff --git a/.changes/2.27.23.json b/.changes/2.27.x/2.27.23.json similarity index 100% rename from .changes/2.27.23.json rename to .changes/2.27.x/2.27.23.json diff --git a/.changes/2.27.24.json b/.changes/2.27.x/2.27.24.json similarity index 100% rename from .changes/2.27.24.json rename to .changes/2.27.x/2.27.24.json diff --git a/.changes/2.27.3.json b/.changes/2.27.x/2.27.3.json similarity index 100% rename from .changes/2.27.3.json rename to .changes/2.27.x/2.27.3.json diff --git a/.changes/2.27.4.json b/.changes/2.27.x/2.27.4.json similarity index 100% rename from .changes/2.27.4.json rename to .changes/2.27.x/2.27.4.json diff --git a/.changes/2.27.5.json b/.changes/2.27.x/2.27.5.json similarity index 100% rename from .changes/2.27.5.json rename to .changes/2.27.x/2.27.5.json diff --git a/.changes/2.27.6.json b/.changes/2.27.x/2.27.6.json similarity index 100% rename from .changes/2.27.6.json rename to .changes/2.27.x/2.27.6.json diff --git a/.changes/2.27.7.json b/.changes/2.27.x/2.27.7.json similarity index 100% rename from .changes/2.27.7.json rename to .changes/2.27.x/2.27.7.json diff --git a/.changes/2.27.8.json b/.changes/2.27.x/2.27.8.json similarity index 100% rename from .changes/2.27.8.json rename to .changes/2.27.x/2.27.8.json diff --git a/.changes/2.27.9.json b/.changes/2.27.x/2.27.9.json similarity index 100% rename from .changes/2.27.9.json rename to .changes/2.27.x/2.27.9.json diff --git a/CHANGELOG.md b/CHANGELOG.md index b3d20a4799d6..5f0d38df2f7e 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,601 +1 @@ - #### 👋 _Looking for changelogs for older versions? You can find them in the [changelogs](./changelogs) directory._ -# __2.27.24__ __2024-09-11__ -## __AWS Elemental MediaLive__ - - ### Features - - Adds AV1 Codec support, SRT ouputs, and MediaLive Anywhere support. - -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - -## __Agents for Amazon Bedrock__ - - ### Features - - Amazon Bedrock Knowledge Bases now supports using inference profiles to increase throughput and improve resilience. - -## __Agents for Amazon Bedrock Runtime__ - - ### Features - - Amazon Bedrock Knowledge Bases now supports using inference profiles to increase throughput and improve resilience. - -## __Amazon Elastic Container Registry__ - - ### Features - - Added KMS_DSSE to EncryptionType - -## __Amazon GuardDuty__ - - ### Features - - Add support for new statistic types in GetFindingsStatistics. - -## __Amazon Lex Model Building V2__ - - ### Features - - Support new Polly voice engines in VoiceSettings: long-form and generative - -# __2.27.23__ __2024-09-10__ -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - -## __AWS SecurityHub__ - - ### Features - - Documentation update for Security Hub - -## __Amazon Chime SDK Voice__ - - ### Features - - Documentation-only update that clarifies the ValidateE911Address action of the Amazon Chime SDK Voice APIs. - -## __Amazon Cognito Identity__ - - ### Features - - This release adds sensitive trait to some required shapes. - -## __Amazon EventBridge Pipes__ - - ### Features - - This release adds support for customer managed KMS keys in Amazon EventBridge Pipe - -# __2.27.22__ __2024-09-09__ -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - - - ### Bugfixes - - Removed reflect-config.json from sdk-core, as it referenced a deleted interceptor. See [#5552](https://github.com/aws/aws-sdk-java-v2/issues/5552). - -## __Amazon DynamoDB__ - - ### Features - - Doc-only update for DynamoDB. Added information about async behavior for TagResource and UntagResource APIs and updated the description of ResourceInUseException. - -## __Amazon Interactive Video Service RealTime__ - - ### Features - - IVS Real-Time now offers customers the ability to broadcast to Stages using RTMP(S). - -## __Amazon SageMaker Runtime__ - - ### Features - - AWS SageMaker Runtime feature: Add sticky routing to support stateful inference models. - -## __Amazon SageMaker Service__ - - ### Features - - Amazon Sagemaker supports orchestrating SageMaker HyperPod clusters with Amazon EKS - -## __Elastic Load Balancing__ - - ### Features - - Add paginators for the ELBv2 DescribeListenerCertificates and DescribeRules APIs. Fix broken waiter for the ELBv2 DescribeLoadBalancers API. - -## __Managed Streaming for Kafka__ - - ### Features - - Amazon MSK Replicator can now replicate data to identically named topics between MSK clusters within the same AWS Region or across different AWS Regions. - -# __2.27.21__ __2024-09-06__ -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - -## __QApps__ - - ### Features - - Adds UpdateLibraryItemMetadata api to change status of app for admin verification feature and returns isVerified field in any api returning the app or library item. - -# __2.27.20__ __2024-09-05__ -## __AWS CodePipeline__ - - ### Features - - Updates to add recent notes to APIs and to replace example S3 bucket names globally. - -## __Amazon CloudWatch Application Signals__ - - ### Features - - Amazon CloudWatch Application Signals now supports creating Service Level Objectives using a new calculation type. Users can now create SLOs which are configured with request-based SLIs to help meet their specific business requirements. - -## __Amazon Connect Service__ - - ### Features - - Amazon Connect Custom Vocabulary now supports Catalan (Spain), Danish (Denmark), Dutch (Netherlands), Finnish (Finland), Indonesian (Indonesia), Malay (Malaysia), Norwegian Bokmal (Norway), Polish (Poland), Swedish (Sweden), and Tagalog/Filipino (Philippines). - -## __Amazon GameLift__ - - ### Features - - Amazon GameLift provides additional events for tracking the fleet creation process. - -## __Amazon Kinesis Analytics__ - - ### Features - - Support for Flink 1.20 in Managed Service for Apache Flink - -## __Amazon SageMaker Service__ - - ### Features - - Amazon SageMaker now supports idle shutdown of JupyterLab and CodeEditor applications on SageMaker Studio. - -# __2.27.19__ __2024-09-04__ -## __AWS AppSync__ - - ### Features - - Adds new logging levels (INFO and DEBUG) for additional log output control - -## __AWS Fault Injection Simulator__ - - ### Features - - This release adds safety levers, a new mechanism to stop all running experiments and prevent new experiments from starting. - -## __AWS S3 Control__ - - ### Features - - Amazon Simple Storage Service /S3 Access Grants / Features : This release launches new Access Grants API - ListCallerAccessGrants. - -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - - - ### Bugfixes - - Introduce a new method to transform input to be able to perform update operations on nested DynamoDB object attributes. - - Contributed by: [@anirudh9391](https://github.com/anirudh9391) - -## __Agents for Amazon Bedrock__ - - ### Features - - Add support for user metadata inside PromptVariant. - -## __Amazon CloudWatch Logs__ - - ### Features - - Update to support new APIs for delivery of logs from AWS services. - -## __DynamoDB Enhanced Client__ - - ### Features - - Adding support for Select in ScanEnhancedRequest - - Contributed by: [@shetsa-amzn](https://github.com/shetsa-amzn) - -## __FinSpace User Environment Management service__ - - ### Features - - Updates Finspace documentation for smaller instances. - -## __Contributors__ -Special thanks to the following contributors to this release: - -[@anirudh9391](https://github.com/anirudh9391), [@shetsa-amzn](https://github.com/shetsa-amzn) -# __2.27.18__ __2024-09-03__ -## __AWS Elemental MediaLive__ - - ### Features - - Added MinQP as a Rate Control option for H264 and H265 encodes. - -## __AWS MediaConnect__ - - ### Features - - AWS Elemental MediaConnect introduces thumbnails for Flow source monitoring. Thumbnails provide still image previews of the live content feeding your MediaConnect Flow allowing you to easily verify that your source is operating as expected. - -## __Amazon Connect Service__ - - ### Features - - Release ReplicaConfiguration as part of DescribeInstance - -## __Amazon DataZone__ - - ### Features - - Add support to let data publisher specify a subset of the data asset that a subscriber will have access to based on the asset filters provided, when accepting a subscription request. - -## __Amazon SageMaker Service__ - - ### Features - - Amazon SageMaker now supports automatic mounting of a user's home folder in the Amazon Elastic File System (EFS) associated with the SageMaker Studio domain to their Studio Spaces to enable users to share data between their own private spaces. - -## __Elastic Load Balancing__ - - ### Features - - This release adds support for configuring TCP idle timeout on NLB and GWLB listeners. - -## __Timestream InfluxDB__ - - ### Features - - Timestream for InfluxDB now supports compute scaling and deployment type conversion. This release adds the DbInstanceType and DeploymentType parameters to the UpdateDbInstance API. - -# __2.27.17__ __2024-08-30__ -## __AWS Backup__ - - ### Features - - The latest update introduces two new attributes, VaultType and VaultState, to the DescribeBackupVault and ListBackupVaults APIs. The VaultState attribute reflects the current status of the vault, while the VaultType attribute indicates the specific category of the vault. - -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - -## __Amazon CloudWatch Logs__ - - ### Features - - This release introduces a new optional parameter: Entity, in PutLogEvents request - -## __Amazon DataZone__ - - ### Features - - Amazon DataZone now adds new governance capabilities of Domain Units for organization within your Data Domains, and Authorization Policies for tighter controls. - -## __Redshift Data API Service__ - - ### Features - - The release include the new Redshift DataAPI feature for session use, customer execute query with --session-keep-alive-seconds parameter and can submit follow-up queries to same sessions with returned`session-id` - -# __2.27.16__ __2024-08-29__ -## __AWS Step Functions__ - - ### Features - - This release adds support for static analysis to ValidateStateMachineDefinition API, which can now return optional WARNING diagnostics for semantic errors on the definition of an Amazon States Language (ASL) state machine. - -## __AWS WAFV2__ - - ### Features - - The minimum request rate for a rate-based rule is now 10. Before this, it was 100. - -## __Agents for Amazon Bedrock Runtime__ - - ### Features - - Lifting the maximum length on Bedrock KnowledgeBase RetrievalFilter array - -## __Amazon Bedrock Runtime__ - - ### Features - - Add support for imported-model in invokeModel and InvokeModelWithResponseStream. - -## __Amazon Personalize__ - - ### Features - - This releases ability to update automatic training scheduler for customer solutions - -## __Amazon QuickSight__ - - ### Features - - Increased Character Limit for Dataset Calculation Field expressions - -# __2.27.15__ __2024-08-28__ -## __AWS Device Farm__ - - ### Features - - This release removed support for Calabash, UI Automation, Built-in Explorer, remote access record, remote access replay, and web performance profile framework in ScheduleRun API. - -## __AWS Parallel Computing Service__ - - ### Features - - Introducing AWS Parallel Computing Service (AWS PCS), a new service makes it easy to setup and manage high performance computing (HPC) clusters, and build scientific and engineering models at virtually any scale on AWS. - -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - -## __Amazon AppConfig__ - - ### Features - - This release adds support for deletion protection, which is a safety guardrail to prevent the unintentional deletion of a recently used AWS AppConfig Configuration Profile or Environment. This also includes a change to increase the maximum length of the Name parameter in UpdateConfigurationProfile. - -## __Amazon CloudWatch Internet Monitor__ - - ### Features - - Adds new querying types to show overall traffic suggestion information for monitors - -## __Amazon DataZone__ - - ### Features - - Update regex to include dot character to be consistent with IAM role creation in the authorized principal field for create and update subscription target. - -## __Amazon Elastic Compute Cloud__ - - ### Features - - Amazon VPC IP Address Manager (IPAM) now allows customers to provision IPv4 CIDR blocks and allocate Elastic IP Addresses directly from IPAM pools with public IPv4 space - -## __Amazon WorkSpaces__ - - ### Features - - Documentation-only update that clarifies the StartWorkspaces and StopWorkspaces actions, and a few other minor edits. - -# __2.27.14__ __2024-08-27__ -## __AWS Chatbot__ - - ### Features - - Update documentation to be consistent with the API docs - -## __Amazon Bedrock__ - - ### Features - - Amazon Bedrock SDK updates for Inference Profile. - -## __Amazon Bedrock Runtime__ - - ### Features - - Amazon Bedrock SDK updates for Inference Profile. - -## __Amazon Omics__ - - ### Features - - Adds data provenance to import jobs from read sets and references - -## __Amazon Polly__ - - ### Features - - Amazon Polly adds 2 new voices: Jitka (cs-CZ) and Sabrina (de-CH). - -# __2.27.13__ __2024-08-26__ -## __AWS IoT SiteWise__ - - ### Features - - AWS IoT SiteWise now supports versioning for asset models. It enables users to retrieve active version of their asset model and perform asset model writes with optimistic lock. - -## __Amazon WorkSpaces__ - - ### Features - - This release adds support for creating and managing directories that use AWS IAM Identity Center as user identity source. Such directories can be used to create non-Active Directory domain joined WorkSpaces Personal.Updated RegisterWorkspaceDirectory and DescribeWorkspaceDirectories APIs. - -## __s3__ - - ### Bugfixes - - Added reflect-config.json for S3Client in s3 for native builds - - Contributed by: [@klopfdreh](https://github.com/klopfdreh) - -## __Contributors__ -Special thanks to the following contributors to this release: - -[@klopfdreh](https://github.com/klopfdreh) -# __2.27.12__ __2024-08-23__ -## __AWS CodeBuild__ - - ### Features - - Added support for the MAC_ARM environment type for CodeBuild fleets. - -## __AWS Organizations__ - - ### Features - - Releasing minor partitional endpoint updates. - -## __AWS Supply Chain__ - - ### Features - - Update API documentation to clarify the event SLA as well as the data model expectations - -## __Agents for Amazon Bedrock__ - - ### Features - - Releasing the support for Action User Confirmation. - -## __Agents for Amazon Bedrock Runtime__ - - ### Features - - Releasing the support for Action User Confirmation. - -## __QBusiness__ - - ### Features - - Amazon QBusiness: Enable support for SAML and OIDC federation through AWS IAM Identity Provider integration. - -# __2.27.11__ __2024-08-22__ -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - -## __Amazon Bedrock__ - - ### Features - - Amazon Bedrock Evaluation BatchDeleteEvaluationJob API allows customers to delete evaluation jobs under terminated evaluation job statuses - Stopped, Failed, or Completed. Customers can submit a batch of 25 evaluation jobs to be deleted at once. - -## __Amazon EMR Containers__ - - ### Features - - Correct endpoint for FIPS is configured for US Gov Regions. - -## __Amazon QuickSight__ - - ### Features - - Explicit query for authors and dashboard viewing sharing for embedded users - -## __Amazon Route 53__ - - ### Features - - Amazon Route 53 now supports the Asia Pacific (Malaysia) Region (ap-southeast-5) for latency records, geoproximity records, and private DNS for Amazon VPCs in that region. - -## __Auto Scaling__ - - ### Features - - Amazon EC2 Auto Scaling now provides EBS health check to manage EC2 instance replacement - -## __Inspector2__ - - ### Features - - Add enums for Agentless scan statuses and EC2 enablement error states - -# __2.27.10__ __2024-08-21__ -## __AWS EntityResolution__ - - ### Features - - Increase the mapping attributes in Schema to 35. - -## __AWS Glue__ - - ### Features - - Add optional field JobRunQueuingEnabled to CreateJob and UpdateJob APIs. - -## __AWS Lambda__ - - ### Features - - Release FilterCriteria encryption for Lambda EventSourceMapping, enabling customers to encrypt their filter criteria using a customer-owned KMS key. - -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - -## __AWS SecurityHub__ - - ### Features - - Security Hub documentation and definition updates - -## __Amazon Elastic Compute Cloud__ - - ### Features - - DescribeInstanceStatus now returns health information on EBS volumes attached to Nitro instances - -## __Amazon Simple Email Service__ - - ### Features - - Enable email receiving customers to provide SES with access to their S3 buckets via an IAM role for "Deliver to S3 Action" - -# __2.27.9__ __2024-08-20__ -## __Amazon EC2 Container Service__ - - ### Features - - Documentation only release to address various tickets - -## __Amazon Simple Storage Service__ - - ### Features - - Amazon Simple Storage Service / Features : Add support for conditional writes for PutObject and CompleteMultipartUpload APIs. - -## __OpenSearch Service Serverless__ - - ### Features - - Added FailureCode and FailureMessage to BatchGetCollectionResponse for BatchGetVPCEResponse for non-Active Collection and VPCE. - -# __2.27.8__ __2024-08-19__ -## __AWS CodeBuild__ - - ### Features - - AWS CodeBuild now supports creating fleets with macOS platform for running builds. - -## __AWS Lambda__ - - ### Features - - Release Lambda FunctionRecursiveConfig, enabling customers to turn recursive loop detection on or off on individual functions. This release adds two new APIs, GetFunctionRecursionConfig and PutFunctionRecursionConfig. - -## __AWS SDK for Java v2__ - - ### Features - - Update service exception messages to never include the string "null" in the message. - - Updated endpoint and partition metadata. - -## __AWS Systems Manager for SAP__ - - ### Features - - Add new attributes to the outputs of GetApplication and GetDatabase APIs. - -## __AWSDeadlineCloud__ - - ### Features - - This release adds additional search fields and provides sorting by multiple fields. - -## __Amazon Bedrock__ - - ### Features - - Amazon Bedrock Batch Inference/ Model Invocation is a feature which allows customers to asynchronously run inference on a large set of records/files stored in S3. - -## __Amazon S3__ - - ### Features - - When S3 returns a HEAD response, use the HTTP status text as the errorMessage. - -## __DynamoDBEnhancedClient__ - - ### Features - - This commit introduces ConsumedCapacity in the response of a BatchWrite response - - Contributed by: [@prateek-vats](https://github.com/prateek-vats) - -## __Contributors__ -Special thanks to the following contributors to this release: - -[@prateek-vats](https://github.com/prateek-vats) -# __2.27.7__ __2024-08-16__ -## __AWS Batch__ - - ### Features - - Improvements of integration between AWS Batch and EC2. - -## __AWS SDK for Java v2__ - - ### Features - - Add new spotbugs rule to detect blocking call in the async codepath - - Updated endpoint and partition metadata. - -## __Amazon QuickSight__ - - ### Features - - Amazon QuickSight launches Customer Managed Key (CMK) encryption for Data Source metadata - -## __Amazon SageMaker Service__ - - ### Features - - Introduce Endpoint and EndpointConfig Arns in sagemaker:ListPipelineExecutionSteps API response - -## __Amazon Simple Email Service__ - - ### Features - - Marking use case description field of account details as deprecated. - -## __Inspector2__ - - ### Features - - Update the correct format of key and values for resource tags - -# __2.27.6__ __2024-08-15__ -## __AWS Identity and Access Management__ - - ### Features - - Make the LastUsedDate field in the GetAccessKeyLastUsed response optional. This may break customers who only call the API for access keys with a valid LastUsedDate. This fixes a deserialization issue for access keys without a LastUsedDate, because the field was marked as required but could be null. - -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - -## __Amazon DocumentDB with MongoDB compatibility__ - - ### Features - - This release adds Global Cluster Failover capability which enables you to change your global cluster's primary AWS region, the region that serves writes, during a regional outage. Performing a failover action preserves your Global Cluster setup. - -## __Amazon EC2 Container Service__ - - ### Features - - This release introduces a new ContainerDefinition configuration to support the customer-managed keys for ECS container restart feature. - -## __Amazon Simple Storage Service__ - - ### Features - - Amazon Simple Storage Service / Features : Adds support for pagination in the S3 ListBuckets API. - -# __2.27.5__ __2024-08-14__ -## __AWS CodeBuild__ - - ### Features - - AWS CodeBuild now supports using Secrets Manager to store git credentials and using multiple source credentials in a single project. - -## __S3 Transfer Manager__ - - ### Features - - This change enables multipart download for S3 Transfer Manager with the java-based Multipart S3 Async Client. - -# __2.27.4__ __2024-08-13__ -## __AWS Amplify__ - - ### Features - - Add a new field "cacheConfig" that enables users to configure the CDN cache settings for an App - -## __AWS Fault Injection Simulator__ - - ### Features - - This release adds support for additional error information on experiment failure. It adds the error code, location, and account id on relevant failures to the GetExperiment and ListExperiment API responses. - -## __AWS Glue__ - - ### Features - - Add AttributesToGet parameter support for Glue GetTables - -## __Amazon AppStream__ - - ### Features - - This release includes following new APIs: CreateThemeForStack, DescribeThemeForStack, UpdateThemeForStack, DeleteThemeForStack to support custom branding programmatically. - -## __Amazon Neptune Graph__ - - ### Features - - Amazon Neptune Analytics provides a new option for customers to load data into a graph using the RDF (Resource Description Framework) NTRIPLES format. When loading NTRIPLES files, use the value `convertToIri` for the `blankNodeHandling` parameter. - -# __2.27.3__ __2024-08-12__ -## __AWS Compute Optimizer__ - - ### Features - - Doc only update for Compute Optimizer that fixes several customer-reported issues relating to ECS finding classifications - -## __AWS Config__ - - ### Features - - Documentation update for the OrganizationConfigRuleName regex pattern. - -## __AWS Elemental MediaLive__ - - ### Features - - AWS Elemental MediaLive now supports now supports editing the PID values for a Multiplex. - -## __AWS Ground Station__ - - ### Features - - Updating documentation for OEMEphemeris to link to AWS Ground Station User Guide - -## __Amazon Elastic Compute Cloud__ - - ### Features - - This release adds new capabilities to manage On-Demand Capacity Reservations including the ability to split your reservation, move capacity between reservations, and modify the instance eligibility of your reservation. - -## __Amazon Elastic Kubernetes Service__ - - ### Features - - Added support for new AL2023 GPU AMIs to the supported AMITypes. - -## __Amazon SageMaker Service__ - - ### Features - - Releasing large data support as part of CreateAutoMLJobV2 in SageMaker Autopilot and CreateDomain API for SageMaker Canvas. - -# __2.27.2__ __2024-08-09__ -## __AWS SDK for Java v2__ - - ### Features - - Updated endpoint and partition metadata. - - - ### Bugfixes - - Fixed an issue where invoking `abort` and then `close` on a `ResponseInputStream` would cause the `close` to fail. - -## __Amazon Cognito Identity Provider__ - - ### Features - - Fixed a description of AdvancedSecurityAdditionalFlows in Amazon Cognito user pool configuration. - -## __Amazon Connect Service__ - - ### Features - - This release supports adding RoutingCriteria via UpdateContactRoutingData public API. - -## __Amazon Simple Systems Manager (SSM)__ - - ### Features - - Systems Manager doc-only updates for August 2024. - -# __2.27.1__ __2024-08-08__ -## __AWS Glue__ - - ### Features - - This release adds support to retrieve the validation status when creating or updating Glue Data Catalog Views. Also added is support for BasicCatalogTarget partition keys. - -## __AWS SDK for Java v2__ - - ### Bugfixes - - Update ResponseTransformer so download attempts to a directory that does not exist or does not have write permissions are not retried - -## __AWS SDK for Java v2 Migration Tool__ - - ### Features - - Introduce the preview release of the AWS SDK for Java v2 migration tool that automatically migrates applications from the AWS SDK for Java v1 to the AWS SDK for Java v2. - -## __Amazon Cognito Identity Provider__ - - ### Features - - Added support for threat protection for custom authentication in Amazon Cognito user pools. - -## __Amazon Connect Service__ - - ### Features - - This release fixes a regression in number of access control tags that are allowed to be added to a security profile in Amazon Connect. You can now add up to four access control tags on a single security profile. - -## __Amazon Elastic Compute Cloud__ - - ### Features - - Launch of private IPv6 addressing for VPCs and Subnets. VPC IPAM supports the planning and monitoring of private IPv6 usage. - -# __2.27.0__ __2024-08-07__ -## __AWS Glue__ - - ### Features - - Introducing AWS Glue Data Quality anomaly detection, a new functionality that uses ML-based solutions to detect data anomalies users have not explicitly defined rules for. - -## __Amazon AppIntegrations Service__ - - ### Features - - Updated CreateDataIntegration and CreateDataIntegrationAssociation API to support bulk data export from Amazon Connect Customer Profiles to the customer S3 bucket. - + #### 👋 _Looking for changelogs for older versions? You can find them in the [changelogs](./changelogs) directory._ \ No newline at end of file diff --git a/archetypes/archetype-app-quickstart/pom.xml b/archetypes/archetype-app-quickstart/pom.xml index e166b2312128..5a1cbfffee69 100644 --- a/archetypes/archetype-app-quickstart/pom.xml +++ b/archetypes/archetype-app-quickstart/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 diff --git a/archetypes/archetype-lambda/pom.xml b/archetypes/archetype-lambda/pom.xml index 39cdb314e738..228b6271fc0f 100644 --- a/archetypes/archetype-lambda/pom.xml +++ b/archetypes/archetype-lambda/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 archetype-lambda diff --git a/archetypes/archetype-tools/pom.xml b/archetypes/archetype-tools/pom.xml index 81dc17d3022e..0bbf43c4da6a 100644 --- a/archetypes/archetype-tools/pom.xml +++ b/archetypes/archetype-tools/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 diff --git a/archetypes/pom.xml b/archetypes/pom.xml index efc69d72892c..0eadad3d6942 100644 --- a/archetypes/pom.xml +++ b/archetypes/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 archetypes diff --git a/aws-sdk-java/pom.xml b/aws-sdk-java/pom.xml index 418f575d66b6..ad3431ed5a83 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ../pom.xml aws-sdk-java diff --git a/bom-internal/pom.xml b/bom-internal/pom.xml index 41ea2cb08a49..6b491fcd168e 100644 --- a/bom-internal/pom.xml +++ b/bom-internal/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 diff --git a/bom/pom.xml b/bom/pom.xml index 8d125e922c92..63f72155a887 100644 --- a/bom/pom.xml +++ b/bom/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ../pom.xml bom diff --git a/bundle-logging-bridge/pom.xml b/bundle-logging-bridge/pom.xml index 01da605a8276..457ebc099eea 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT bundle-logging-bridge jar diff --git a/bundle-sdk/pom.xml b/bundle-sdk/pom.xml index 2ec79d1d5e3f..3c2a81e3d281 100644 --- a/bundle-sdk/pom.xml +++ b/bundle-sdk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT bundle-sdk jar diff --git a/bundle/pom.xml b/bundle/pom.xml index c3c50856ebf4..1ea3b3d6670a 100644 --- a/bundle/pom.xml +++ b/bundle/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT bundle jar diff --git a/changelogs/2.27.x-CHANGELOG.md b/changelogs/2.27.x-CHANGELOG.md new file mode 100644 index 000000000000..df32a1fce8b0 --- /dev/null +++ b/changelogs/2.27.x-CHANGELOG.md @@ -0,0 +1,601 @@ + #### 👋 _Looking for changelogs for older versions? You can find them in the [changelogs](./changelogs) directory._ +# __2.27.24__ __2024-09-11__ +## __AWS Elemental MediaLive__ +- ### Features + - Adds AV1 Codec support, SRT ouputs, and MediaLive Anywhere support. + +## __AWS SDK for Java v2__ +- ### Features + - Updated endpoint and partition metadata. + +## __Agents for Amazon Bedrock__ +- ### Features + - Amazon Bedrock Knowledge Bases now supports using inference profiles to increase throughput and improve resilience. + +## __Agents for Amazon Bedrock Runtime__ +- ### Features + - Amazon Bedrock Knowledge Bases now supports using inference profiles to increase throughput and improve resilience. + +## __Amazon Elastic Container Registry__ +- ### Features + - Added KMS_DSSE to EncryptionType + +## __Amazon GuardDuty__ +- ### Features + - Add support for new statistic types in GetFindingsStatistics. + +## __Amazon Lex Model Building V2__ +- ### Features + - Support new Polly voice engines in VoiceSettings: long-form and generative + +# __2.27.23__ __2024-09-10__ +## __AWS SDK for Java v2__ +- ### Features + - Updated endpoint and partition metadata. + +## __AWS SecurityHub__ +- ### Features + - Documentation update for Security Hub + +## __Amazon Chime SDK Voice__ +- ### Features + - Documentation-only update that clarifies the ValidateE911Address action of the Amazon Chime SDK Voice APIs. + +## __Amazon Cognito Identity__ +- ### Features + - This release adds sensitive trait to some required shapes. + +## __Amazon EventBridge Pipes__ +- ### Features + - This release adds support for customer managed KMS keys in Amazon EventBridge Pipe + +# __2.27.22__ __2024-09-09__ +## __AWS SDK for Java v2__ +- ### Features + - Updated endpoint and partition metadata. + +- ### Bugfixes + - Removed reflect-config.json from sdk-core, as it referenced a deleted interceptor. See [#5552](https://github.com/aws/aws-sdk-java-v2/issues/5552). + +## __Amazon DynamoDB__ +- ### Features + - Doc-only update for DynamoDB. Added information about async behavior for TagResource and UntagResource APIs and updated the description of ResourceInUseException. + +## __Amazon Interactive Video Service RealTime__ +- ### Features + - IVS Real-Time now offers customers the ability to broadcast to Stages using RTMP(S). + +## __Amazon SageMaker Runtime__ +- ### Features + - AWS SageMaker Runtime feature: Add sticky routing to support stateful inference models. + +## __Amazon SageMaker Service__ +- ### Features + - Amazon Sagemaker supports orchestrating SageMaker HyperPod clusters with Amazon EKS + +## __Elastic Load Balancing__ +- ### Features + - Add paginators for the ELBv2 DescribeListenerCertificates and DescribeRules APIs. Fix broken waiter for the ELBv2 DescribeLoadBalancers API. + +## __Managed Streaming for Kafka__ +- ### Features + - Amazon MSK Replicator can now replicate data to identically named topics between MSK clusters within the same AWS Region or across different AWS Regions. + +# __2.27.21__ __2024-09-06__ +## __AWS SDK for Java v2__ +- ### Features + - Updated endpoint and partition metadata. + +## __QApps__ +- ### Features + - Adds UpdateLibraryItemMetadata api to change status of app for admin verification feature and returns isVerified field in any api returning the app or library item. + +# __2.27.20__ __2024-09-05__ +## __AWS CodePipeline__ +- ### Features + - Updates to add recent notes to APIs and to replace example S3 bucket names globally. + +## __Amazon CloudWatch Application Signals__ +- ### Features + - Amazon CloudWatch Application Signals now supports creating Service Level Objectives using a new calculation type. Users can now create SLOs which are configured with request-based SLIs to help meet their specific business requirements. + +## __Amazon Connect Service__ +- ### Features + - Amazon Connect Custom Vocabulary now supports Catalan (Spain), Danish (Denmark), Dutch (Netherlands), Finnish (Finland), Indonesian (Indonesia), Malay (Malaysia), Norwegian Bokmal (Norway), Polish (Poland), Swedish (Sweden), and Tagalog/Filipino (Philippines). + +## __Amazon GameLift__ +- ### Features + - Amazon GameLift provides additional events for tracking the fleet creation process. + +## __Amazon Kinesis Analytics__ +- ### Features + - Support for Flink 1.20 in Managed Service for Apache Flink + +## __Amazon SageMaker Service__ +- ### Features + - Amazon SageMaker now supports idle shutdown of JupyterLab and CodeEditor applications on SageMaker Studio. + +# __2.27.19__ __2024-09-04__ +## __AWS AppSync__ +- ### Features + - Adds new logging levels (INFO and DEBUG) for additional log output control + +## __AWS Fault Injection Simulator__ +- ### Features + - This release adds safety levers, a new mechanism to stop all running experiments and prevent new experiments from starting. + +## __AWS S3 Control__ +- ### Features + - Amazon Simple Storage Service /S3 Access Grants / Features : This release launches new Access Grants API - ListCallerAccessGrants. + +## __AWS SDK for Java v2__ +- ### Features + - Updated endpoint and partition metadata. + +- ### Bugfixes + - Introduce a new method to transform input to be able to perform update operations on nested DynamoDB object attributes. + - Contributed by: [@anirudh9391](https://github.com/anirudh9391) + +## __Agents for Amazon Bedrock__ +- ### Features + - Add support for user metadata inside PromptVariant. + +## __Amazon CloudWatch Logs__ +- ### Features + - Update to support new APIs for delivery of logs from AWS services. + +## __DynamoDB Enhanced Client__ +- ### Features + - Adding support for Select in ScanEnhancedRequest + - Contributed by: [@shetsa-amzn](https://github.com/shetsa-amzn) + +## __FinSpace User Environment Management service__ +- ### Features + - Updates Finspace documentation for smaller instances. + +## __Contributors__ +Special thanks to the following contributors to this release: + +[@anirudh9391](https://github.com/anirudh9391), [@shetsa-amzn](https://github.com/shetsa-amzn) +# __2.27.18__ __2024-09-03__ +## __AWS Elemental MediaLive__ +- ### Features + - Added MinQP as a Rate Control option for H264 and H265 encodes. + +## __AWS MediaConnect__ +- ### Features + - AWS Elemental MediaConnect introduces thumbnails for Flow source monitoring. Thumbnails provide still image previews of the live content feeding your MediaConnect Flow allowing you to easily verify that your source is operating as expected. + +## __Amazon Connect Service__ +- ### Features + - Release ReplicaConfiguration as part of DescribeInstance + +## __Amazon DataZone__ +- ### Features + - Add support to let data publisher specify a subset of the data asset that a subscriber will have access to based on the asset filters provided, when accepting a subscription request. + +## __Amazon SageMaker Service__ +- ### Features + - Amazon SageMaker now supports automatic mounting of a user's home folder in the Amazon Elastic File System (EFS) associated with the SageMaker Studio domain to their Studio Spaces to enable users to share data between their own private spaces. + +## __Elastic Load Balancing__ +- ### Features + - This release adds support for configuring TCP idle timeout on NLB and GWLB listeners. + +## __Timestream InfluxDB__ +- ### Features + - Timestream for InfluxDB now supports compute scaling and deployment type conversion. This release adds the DbInstanceType and DeploymentType parameters to the UpdateDbInstance API. + +# __2.27.17__ __2024-08-30__ +## __AWS Backup__ +- ### Features + - The latest update introduces two new attributes, VaultType and VaultState, to the DescribeBackupVault and ListBackupVaults APIs. The VaultState attribute reflects the current status of the vault, while the VaultType attribute indicates the specific category of the vault. + +## __AWS SDK for Java v2__ +- ### Features + - Updated endpoint and partition metadata. + +## __Amazon CloudWatch Logs__ +- ### Features + - This release introduces a new optional parameter: Entity, in PutLogEvents request + +## __Amazon DataZone__ +- ### Features + - Amazon DataZone now adds new governance capabilities of Domain Units for organization within your Data Domains, and Authorization Policies for tighter controls. + +## __Redshift Data API Service__ +- ### Features + - The release include the new Redshift DataAPI feature for session use, customer execute query with --session-keep-alive-seconds parameter and can submit follow-up queries to same sessions with returned`session-id` + +# __2.27.16__ __2024-08-29__ +## __AWS Step Functions__ +- ### Features + - This release adds support for static analysis to ValidateStateMachineDefinition API, which can now return optional WARNING diagnostics for semantic errors on the definition of an Amazon States Language (ASL) state machine. + +## __AWS WAFV2__ +- ### Features + - The minimum request rate for a rate-based rule is now 10. Before this, it was 100. + +## __Agents for Amazon Bedrock Runtime__ +- ### Features + - Lifting the maximum length on Bedrock KnowledgeBase RetrievalFilter array + +## __Amazon Bedrock Runtime__ +- ### Features + - Add support for imported-model in invokeModel and InvokeModelWithResponseStream. + +## __Amazon Personalize__ +- ### Features + - This releases ability to update automatic training scheduler for customer solutions + +## __Amazon QuickSight__ +- ### Features + - Increased Character Limit for Dataset Calculation Field expressions + +# __2.27.15__ __2024-08-28__ +## __AWS Device Farm__ +- ### Features + - This release removed support for Calabash, UI Automation, Built-in Explorer, remote access record, remote access replay, and web performance profile framework in ScheduleRun API. + +## __AWS Parallel Computing Service__ +- ### Features + - Introducing AWS Parallel Computing Service (AWS PCS), a new service makes it easy to setup and manage high performance computing (HPC) clusters, and build scientific and engineering models at virtually any scale on AWS. + +## __AWS SDK for Java v2__ +- ### Features + - Updated endpoint and partition metadata. + +## __Amazon AppConfig__ +- ### Features + - This release adds support for deletion protection, which is a safety guardrail to prevent the unintentional deletion of a recently used AWS AppConfig Configuration Profile or Environment. This also includes a change to increase the maximum length of the Name parameter in UpdateConfigurationProfile. + +## __Amazon CloudWatch Internet Monitor__ +- ### Features + - Adds new querying types to show overall traffic suggestion information for monitors + +## __Amazon DataZone__ +- ### Features + - Update regex to include dot character to be consistent with IAM role creation in the authorized principal field for create and update subscription target. + +## __Amazon Elastic Compute Cloud__ +- ### Features + - Amazon VPC IP Address Manager (IPAM) now allows customers to provision IPv4 CIDR blocks and allocate Elastic IP Addresses directly from IPAM pools with public IPv4 space + +## __Amazon WorkSpaces__ +- ### Features + - Documentation-only update that clarifies the StartWorkspaces and StopWorkspaces actions, and a few other minor edits. + +# __2.27.14__ __2024-08-27__ +## __AWS Chatbot__ +- ### Features + - Update documentation to be consistent with the API docs + +## __Amazon Bedrock__ +- ### Features + - Amazon Bedrock SDK updates for Inference Profile. + +## __Amazon Bedrock Runtime__ +- ### Features + - Amazon Bedrock SDK updates for Inference Profile. + +## __Amazon Omics__ +- ### Features + - Adds data provenance to import jobs from read sets and references + +## __Amazon Polly__ +- ### Features + - Amazon Polly adds 2 new voices: Jitka (cs-CZ) and Sabrina (de-CH). + +# __2.27.13__ __2024-08-26__ +## __AWS IoT SiteWise__ +- ### Features + - AWS IoT SiteWise now supports versioning for asset models. It enables users to retrieve active version of their asset model and perform asset model writes with optimistic lock. + +## __Amazon WorkSpaces__ +- ### Features + - This release adds support for creating and managing directories that use AWS IAM Identity Center as user identity source. Such directories can be used to create non-Active Directory domain joined WorkSpaces Personal.Updated RegisterWorkspaceDirectory and DescribeWorkspaceDirectories APIs. + +## __s3__ +- ### Bugfixes + - Added reflect-config.json for S3Client in s3 for native builds + - Contributed by: [@klopfdreh](https://github.com/klopfdreh) + +## __Contributors__ +Special thanks to the following contributors to this release: + +[@klopfdreh](https://github.com/klopfdreh) +# __2.27.12__ __2024-08-23__ +## __AWS CodeBuild__ +- ### Features + - Added support for the MAC_ARM environment type for CodeBuild fleets. + +## __AWS Organizations__ +- ### Features + - Releasing minor partitional endpoint updates. + +## __AWS Supply Chain__ +- ### Features + - Update API documentation to clarify the event SLA as well as the data model expectations + +## __Agents for Amazon Bedrock__ +- ### Features + - Releasing the support for Action User Confirmation. + +## __Agents for Amazon Bedrock Runtime__ +- ### Features + - Releasing the support for Action User Confirmation. + +## __QBusiness__ +- ### Features + - Amazon QBusiness: Enable support for SAML and OIDC federation through AWS IAM Identity Provider integration. + +# __2.27.11__ __2024-08-22__ +## __AWS SDK for Java v2__ +- ### Features + - Updated endpoint and partition metadata. + +## __Amazon Bedrock__ +- ### Features + - Amazon Bedrock Evaluation BatchDeleteEvaluationJob API allows customers to delete evaluation jobs under terminated evaluation job statuses - Stopped, Failed, or Completed. Customers can submit a batch of 25 evaluation jobs to be deleted at once. + +## __Amazon EMR Containers__ +- ### Features + - Correct endpoint for FIPS is configured for US Gov Regions. + +## __Amazon QuickSight__ +- ### Features + - Explicit query for authors and dashboard viewing sharing for embedded users + +## __Amazon Route 53__ +- ### Features + - Amazon Route 53 now supports the Asia Pacific (Malaysia) Region (ap-southeast-5) for latency records, geoproximity records, and private DNS for Amazon VPCs in that region. + +## __Auto Scaling__ +- ### Features + - Amazon EC2 Auto Scaling now provides EBS health check to manage EC2 instance replacement + +## __Inspector2__ +- ### Features + - Add enums for Agentless scan statuses and EC2 enablement error states + +# __2.27.10__ __2024-08-21__ +## __AWS EntityResolution__ +- ### Features + - Increase the mapping attributes in Schema to 35. + +## __AWS Glue__ +- ### Features + - Add optional field JobRunQueuingEnabled to CreateJob and UpdateJob APIs. + +## __AWS Lambda__ +- ### Features + - Release FilterCriteria encryption for Lambda EventSourceMapping, enabling customers to encrypt their filter criteria using a customer-owned KMS key. + +## __AWS SDK for Java v2__ +- ### Features + - Updated endpoint and partition metadata. + +## __AWS SecurityHub__ +- ### Features + - Security Hub documentation and definition updates + +## __Amazon Elastic Compute Cloud__ +- ### Features + - DescribeInstanceStatus now returns health information on EBS volumes attached to Nitro instances + +## __Amazon Simple Email Service__ +- ### Features + - Enable email receiving customers to provide SES with access to their S3 buckets via an IAM role for "Deliver to S3 Action" + +# __2.27.9__ __2024-08-20__ +## __Amazon EC2 Container Service__ +- ### Features + - Documentation only release to address various tickets + +## __Amazon Simple Storage Service__ +- ### Features + - Amazon Simple Storage Service / Features : Add support for conditional writes for PutObject and CompleteMultipartUpload APIs. + +## __OpenSearch Service Serverless__ +- ### Features + - Added FailureCode and FailureMessage to BatchGetCollectionResponse for BatchGetVPCEResponse for non-Active Collection and VPCE. + +# __2.27.8__ __2024-08-19__ +## __AWS CodeBuild__ +- ### Features + - AWS CodeBuild now supports creating fleets with macOS platform for running builds. + +## __AWS Lambda__ +- ### Features + - Release Lambda FunctionRecursiveConfig, enabling customers to turn recursive loop detection on or off on individual functions. This release adds two new APIs, GetFunctionRecursionConfig and PutFunctionRecursionConfig. + +## __AWS SDK for Java v2__ +- ### Features + - Update service exception messages to never include the string "null" in the message. + - Updated endpoint and partition metadata. + +## __AWS Systems Manager for SAP__ +- ### Features + - Add new attributes to the outputs of GetApplication and GetDatabase APIs. + +## __AWSDeadlineCloud__ +- ### Features + - This release adds additional search fields and provides sorting by multiple fields. + +## __Amazon Bedrock__ +- ### Features + - Amazon Bedrock Batch Inference/ Model Invocation is a feature which allows customers to asynchronously run inference on a large set of records/files stored in S3. + +## __Amazon S3__ +- ### Features + - When S3 returns a HEAD response, use the HTTP status text as the errorMessage. + +## __DynamoDBEnhancedClient__ +- ### Features + - This commit introduces ConsumedCapacity in the response of a BatchWrite response + - Contributed by: [@prateek-vats](https://github.com/prateek-vats) + +## __Contributors__ +Special thanks to the following contributors to this release: + +[@prateek-vats](https://github.com/prateek-vats) +# __2.27.7__ __2024-08-16__ +## __AWS Batch__ +- ### Features + - Improvements of integration between AWS Batch and EC2. + +## __AWS SDK for Java v2__ +- ### Features + - Add new spotbugs rule to detect blocking call in the async codepath + - Updated endpoint and partition metadata. + +## __Amazon QuickSight__ +- ### Features + - Amazon QuickSight launches Customer Managed Key (CMK) encryption for Data Source metadata + +## __Amazon SageMaker Service__ +- ### Features + - Introduce Endpoint and EndpointConfig Arns in sagemaker:ListPipelineExecutionSteps API response + +## __Amazon Simple Email Service__ +- ### Features + - Marking use case description field of account details as deprecated. + +## __Inspector2__ +- ### Features + - Update the correct format of key and values for resource tags + +# __2.27.6__ __2024-08-15__ +## __AWS Identity and Access Management__ +- ### Features + - Make the LastUsedDate field in the GetAccessKeyLastUsed response optional. This may break customers who only call the API for access keys with a valid LastUsedDate. This fixes a deserialization issue for access keys without a LastUsedDate, because the field was marked as required but could be null. + +## __AWS SDK for Java v2__ +- ### Features + - Updated endpoint and partition metadata. + +## __Amazon DocumentDB with MongoDB compatibility__ +- ### Features + - This release adds Global Cluster Failover capability which enables you to change your global cluster's primary AWS region, the region that serves writes, during a regional outage. Performing a failover action preserves your Global Cluster setup. + +## __Amazon EC2 Container Service__ +- ### Features + - This release introduces a new ContainerDefinition configuration to support the customer-managed keys for ECS container restart feature. + +## __Amazon Simple Storage Service__ +- ### Features + - Amazon Simple Storage Service / Features : Adds support for pagination in the S3 ListBuckets API. + +# __2.27.5__ __2024-08-14__ +## __AWS CodeBuild__ +- ### Features + - AWS CodeBuild now supports using Secrets Manager to store git credentials and using multiple source credentials in a single project. + +## __S3 Transfer Manager__ +- ### Features + - This change enables multipart download for S3 Transfer Manager with the java-based Multipart S3 Async Client. + +# __2.27.4__ __2024-08-13__ +## __AWS Amplify__ +- ### Features + - Add a new field "cacheConfig" that enables users to configure the CDN cache settings for an App + +## __AWS Fault Injection Simulator__ +- ### Features + - This release adds support for additional error information on experiment failure. It adds the error code, location, and account id on relevant failures to the GetExperiment and ListExperiment API responses. + +## __AWS Glue__ +- ### Features + - Add AttributesToGet parameter support for Glue GetTables + +## __Amazon AppStream__ +- ### Features + - This release includes following new APIs: CreateThemeForStack, DescribeThemeForStack, UpdateThemeForStack, DeleteThemeForStack to support custom branding programmatically. + +## __Amazon Neptune Graph__ +- ### Features + - Amazon Neptune Analytics provides a new option for customers to load data into a graph using the RDF (Resource Description Framework) NTRIPLES format. When loading NTRIPLES files, use the value `convertToIri` for the `blankNodeHandling` parameter. + +# __2.27.3__ __2024-08-12__ +## __AWS Compute Optimizer__ +- ### Features + - Doc only update for Compute Optimizer that fixes several customer-reported issues relating to ECS finding classifications + +## __AWS Config__ +- ### Features + - Documentation update for the OrganizationConfigRuleName regex pattern. + +## __AWS Elemental MediaLive__ +- ### Features + - AWS Elemental MediaLive now supports now supports editing the PID values for a Multiplex. + +## __AWS Ground Station__ +- ### Features + - Updating documentation for OEMEphemeris to link to AWS Ground Station User Guide + +## __Amazon Elastic Compute Cloud__ +- ### Features + - This release adds new capabilities to manage On-Demand Capacity Reservations including the ability to split your reservation, move capacity between reservations, and modify the instance eligibility of your reservation. + +## __Amazon Elastic Kubernetes Service__ +- ### Features + - Added support for new AL2023 GPU AMIs to the supported AMITypes. + +## __Amazon SageMaker Service__ +- ### Features + - Releasing large data support as part of CreateAutoMLJobV2 in SageMaker Autopilot and CreateDomain API for SageMaker Canvas. + +# __2.27.2__ __2024-08-09__ +## __AWS SDK for Java v2__ +- ### Features + - Updated endpoint and partition metadata. + +- ### Bugfixes + - Fixed an issue where invoking `abort` and then `close` on a `ResponseInputStream` would cause the `close` to fail. + +## __Amazon Cognito Identity Provider__ +- ### Features + - Fixed a description of AdvancedSecurityAdditionalFlows in Amazon Cognito user pool configuration. + +## __Amazon Connect Service__ +- ### Features + - This release supports adding RoutingCriteria via UpdateContactRoutingData public API. + +## __Amazon Simple Systems Manager (SSM)__ +- ### Features + - Systems Manager doc-only updates for August 2024. + +# __2.27.1__ __2024-08-08__ +## __AWS Glue__ +- ### Features + - This release adds support to retrieve the validation status when creating or updating Glue Data Catalog Views. Also added is support for BasicCatalogTarget partition keys. + +## __AWS SDK for Java v2__ +- ### Bugfixes + - Update ResponseTransformer so download attempts to a directory that does not exist or does not have write permissions are not retried + +## __AWS SDK for Java v2 Migration Tool__ +- ### Features + - Introduce the preview release of the AWS SDK for Java v2 migration tool that automatically migrates applications from the AWS SDK for Java v1 to the AWS SDK for Java v2. + +## __Amazon Cognito Identity Provider__ +- ### Features + - Added support for threat protection for custom authentication in Amazon Cognito user pools. + +## __Amazon Connect Service__ +- ### Features + - This release fixes a regression in number of access control tags that are allowed to be added to a security profile in Amazon Connect. You can now add up to four access control tags on a single security profile. + +## __Amazon Elastic Compute Cloud__ +- ### Features + - Launch of private IPv6 addressing for VPCs and Subnets. VPC IPAM supports the planning and monitoring of private IPv6 usage. + +# __2.27.0__ __2024-08-07__ +## __AWS Glue__ +- ### Features + - Introducing AWS Glue Data Quality anomaly detection, a new functionality that uses ML-based solutions to detect data anomalies users have not explicitly defined rules for. + +## __Amazon AppIntegrations Service__ +- ### Features + - Updated CreateDataIntegration and CreateDataIntegrationAssociation API to support bulk data export from Amazon Connect Customer Profiles to the customer S3 bucket. + diff --git a/codegen-lite-maven-plugin/pom.xml b/codegen-lite-maven-plugin/pom.xml index 68a36493d304..449475e11c21 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ../pom.xml codegen-lite-maven-plugin diff --git a/codegen-lite/pom.xml b/codegen-lite/pom.xml index 2915467d4943..5e80f1f19b43 100644 --- a/codegen-lite/pom.xml +++ b/codegen-lite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT codegen-lite AWS Java SDK :: Code Generator Lite diff --git a/codegen-maven-plugin/pom.xml b/codegen-maven-plugin/pom.xml index b97324c259ed..09075174c934 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ../pom.xml codegen-maven-plugin diff --git a/codegen/pom.xml b/codegen/pom.xml index 9a03991e9a05..f9616e9e027d 100644 --- a/codegen/pom.xml +++ b/codegen/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT codegen AWS Java SDK :: Code Generator diff --git a/core/annotations/pom.xml b/core/annotations/pom.xml index 19638034d108..49fc19ca3e97 100644 --- a/core/annotations/pom.xml +++ b/core/annotations/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 diff --git a/core/arns/pom.xml b/core/arns/pom.xml index cbfa198bbbf5..3e850f88bdf8 100644 --- a/core/arns/pom.xml +++ b/core/arns/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 diff --git a/core/auth-crt/pom.xml b/core/auth-crt/pom.xml index aa0a8528bf4a..d41370d11f5f 100644 --- a/core/auth-crt/pom.xml +++ b/core/auth-crt/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT auth-crt diff --git a/core/auth/pom.xml b/core/auth/pom.xml index 5e26af564785..2b7ce92cc2dd 100644 --- a/core/auth/pom.xml +++ b/core/auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT auth diff --git a/core/aws-core/pom.xml b/core/aws-core/pom.xml index 206f8ef93069..2111e13cef6a 100644 --- a/core/aws-core/pom.xml +++ b/core/aws-core/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT aws-core diff --git a/core/checksums-spi/pom.xml b/core/checksums-spi/pom.xml index 58bf5025adf5..819b9c98d799 100644 --- a/core/checksums-spi/pom.xml +++ b/core/checksums-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT checksums-spi diff --git a/core/checksums/pom.xml b/core/checksums/pom.xml index 1c4ce7f8d392..2c9767038d0c 100644 --- a/core/checksums/pom.xml +++ b/core/checksums/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT checksums diff --git a/core/crt-core/pom.xml b/core/crt-core/pom.xml index f37529443810..ecf609893324 100644 --- a/core/crt-core/pom.xml +++ b/core/crt-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT crt-core diff --git a/core/endpoints-spi/pom.xml b/core/endpoints-spi/pom.xml index 02f0f78b85e9..daec06b1264d 100644 --- a/core/endpoints-spi/pom.xml +++ b/core/endpoints-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 diff --git a/core/http-auth-aws-crt/pom.xml b/core/http-auth-aws-crt/pom.xml index f2f5fd647f50..fdc05dbf325b 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT http-auth-aws-crt diff --git a/core/http-auth-aws-eventstream/pom.xml b/core/http-auth-aws-eventstream/pom.xml index 5fe2b93eae6c..66ae176c5408 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT http-auth-aws-eventstream diff --git a/core/http-auth-aws/pom.xml b/core/http-auth-aws/pom.xml index 2c6fca0c249b..6dd382ea201f 100644 --- a/core/http-auth-aws/pom.xml +++ b/core/http-auth-aws/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT http-auth-aws diff --git a/core/http-auth-spi/pom.xml b/core/http-auth-spi/pom.xml index efa3b69b244c..4a5a624683e0 100644 --- a/core/http-auth-spi/pom.xml +++ b/core/http-auth-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT http-auth-spi diff --git a/core/http-auth/pom.xml b/core/http-auth/pom.xml index a665f3c14300..8f142e46cd3b 100644 --- a/core/http-auth/pom.xml +++ b/core/http-auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT http-auth diff --git a/core/identity-spi/pom.xml b/core/identity-spi/pom.xml index e588ec26ec68..a43b81416e86 100644 --- a/core/identity-spi/pom.xml +++ b/core/identity-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT identity-spi diff --git a/core/imds/pom.xml b/core/imds/pom.xml index 90b180cc9dc8..a2ea1adfd6a7 100644 --- a/core/imds/pom.xml +++ b/core/imds/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 imds diff --git a/core/json-utils/pom.xml b/core/json-utils/pom.xml index 11a424507894..91174af24ced 100644 --- a/core/json-utils/pom.xml +++ b/core/json-utils/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 diff --git a/core/metrics-spi/pom.xml b/core/metrics-spi/pom.xml index 5e7e6405a4a2..3e1a7f692afd 100644 --- a/core/metrics-spi/pom.xml +++ b/core/metrics-spi/pom.xml @@ -5,7 +5,7 @@ core software.amazon.awssdk - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 diff --git a/core/pom.xml b/core/pom.xml index 28547b1727f6..95713204128c 100644 --- a/core/pom.xml +++ b/core/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT core diff --git a/core/profiles/pom.xml b/core/profiles/pom.xml index 9b765fac7b10..68f392712395 100644 --- a/core/profiles/pom.xml +++ b/core/profiles/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT profiles diff --git a/core/protocols/aws-cbor-protocol/pom.xml b/core/protocols/aws-cbor-protocol/pom.xml index 8bbfb401b36f..57343141afe1 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-json-protocol/pom.xml b/core/protocols/aws-json-protocol/pom.xml index 88ec1bc7a140..a97c0b514c96 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-query-protocol/pom.xml b/core/protocols/aws-query-protocol/pom.xml index b39a8488c5cd..6e1a7b80f8b4 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-xml-protocol/pom.xml b/core/protocols/aws-xml-protocol/pom.xml index 6f558ab457b5..8a3a09d923ec 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 diff --git a/core/protocols/pom.xml b/core/protocols/pom.xml index 664dbfe941a9..b4d7e726c053 100644 --- a/core/protocols/pom.xml +++ b/core/protocols/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 diff --git a/core/protocols/protocol-core/pom.xml b/core/protocols/protocol-core/pom.xml index ddbdf636d14a..97a1e0fcdf5d 100644 --- a/core/protocols/protocol-core/pom.xml +++ b/core/protocols/protocol-core/pom.xml @@ -20,7 +20,7 @@ protocols software.amazon.awssdk - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 diff --git a/core/regions/pom.xml b/core/regions/pom.xml index 814a870206ec..94978d72866f 100644 --- a/core/regions/pom.xml +++ b/core/regions/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT regions diff --git a/core/retries-spi/pom.xml b/core/retries-spi/pom.xml index fcd90b6e6e7a..63421e5a878d 100644 --- a/core/retries-spi/pom.xml +++ b/core/retries-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 diff --git a/core/retries/pom.xml b/core/retries/pom.xml index 45b83fd1c6e3..78cd588c33ff 100644 --- a/core/retries/pom.xml +++ b/core/retries/pom.xml @@ -21,7 +21,7 @@ core software.amazon.awssdk - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 diff --git a/core/sdk-core/pom.xml b/core/sdk-core/pom.xml index 4f85859ba7e5..f79a96f9f2e0 100644 --- a/core/sdk-core/pom.xml +++ b/core/sdk-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT sdk-core AWS Java SDK :: SDK Core diff --git a/http-client-spi/pom.xml b/http-client-spi/pom.xml index 5aa4ae82e124..57790223604c 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT http-client-spi AWS Java SDK :: HTTP Client Interface diff --git a/http-clients/apache-client/pom.xml b/http-clients/apache-client/pom.xml index aebdb0b16338..429b78c35b0c 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT apache-client diff --git a/http-clients/aws-crt-client/pom.xml b/http-clients/aws-crt-client/pom.xml index d5ca4cb698a5..4681fcc10cc6 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 diff --git a/http-clients/netty-nio-client/pom.xml b/http-clients/netty-nio-client/pom.xml index fc67bb13df10..28b7de723101 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 diff --git a/http-clients/pom.xml b/http-clients/pom.xml index fbdca7bd1755..e0e87c1937ea 100644 --- a/http-clients/pom.xml +++ b/http-clients/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 diff --git a/http-clients/url-connection-client/pom.xml b/http-clients/url-connection-client/pom.xml index 1b9dc72549ae..2bbc1a91fa90 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 diff --git a/metric-publishers/cloudwatch-metric-publisher/pom.xml b/metric-publishers/cloudwatch-metric-publisher/pom.xml index d5d6090ddd49..79868d15811f 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT cloudwatch-metric-publisher diff --git a/metric-publishers/pom.xml b/metric-publishers/pom.xml index 8214f04b1a1b..2f211c90ae34 100644 --- a/metric-publishers/pom.xml +++ b/metric-publishers/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT metric-publishers diff --git a/pom.xml b/pom.xml index b8da5ea6f0b3..04d65769d7c3 100644 --- a/pom.xml +++ b/pom.xml @@ -20,7 +20,7 @@ 4.0.0 software.amazon.awssdk aws-sdk-java-pom - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT pom AWS Java SDK :: Parent The Amazon Web Services SDK for Java provides Java APIs diff --git a/release-scripts/pom.xml b/release-scripts/pom.xml index a525b857cf31..5ba4a05e65de 100644 --- a/release-scripts/pom.xml +++ b/release-scripts/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ../pom.xml release-scripts diff --git a/services-custom/dynamodb-enhanced/pom.xml b/services-custom/dynamodb-enhanced/pom.xml index 3a911cb465fa..1f631032bf4c 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT dynamodb-enhanced AWS Java SDK :: DynamoDB :: Enhanced Client diff --git a/services-custom/iam-policy-builder/pom.xml b/services-custom/iam-policy-builder/pom.xml index 4dfffa192c06..d63ad2182d1d 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ../../pom.xml iam-policy-builder diff --git a/services-custom/pom.xml b/services-custom/pom.xml index 413d34b434f9..471423f38589 100644 --- a/services-custom/pom.xml +++ b/services-custom/pom.xml @@ -19,7 +19,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT services-custom AWS Java SDK :: Custom Services diff --git a/services-custom/s3-event-notifications/pom.xml b/services-custom/s3-event-notifications/pom.xml index 3a1c217827a4..306b55ef0583 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ../../pom.xml s3-event-notifications diff --git a/services-custom/s3-transfer-manager/pom.xml b/services-custom/s3-transfer-manager/pom.xml index d2ded42b2b59..04e086a79e1b 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ../../pom.xml s3-transfer-manager diff --git a/services/accessanalyzer/pom.xml b/services/accessanalyzer/pom.xml index 7d93c123424a..6aac8561c6cc 100644 --- a/services/accessanalyzer/pom.xml +++ b/services/accessanalyzer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT accessanalyzer AWS Java SDK :: Services :: AccessAnalyzer diff --git a/services/account/pom.xml b/services/account/pom.xml index e3af1a24d184..015573159131 100644 --- a/services/account/pom.xml +++ b/services/account/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT account AWS Java SDK :: Services :: Account diff --git a/services/acm/pom.xml b/services/acm/pom.xml index f139407e8c1a..f710e66e7a55 100644 --- a/services/acm/pom.xml +++ b/services/acm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT acm AWS Java SDK :: Services :: AWS Certificate Manager diff --git a/services/acmpca/pom.xml b/services/acmpca/pom.xml index 6aaaa89f2e0e..88b3d995c159 100644 --- a/services/acmpca/pom.xml +++ b/services/acmpca/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT acmpca AWS Java SDK :: Services :: ACM PCA diff --git a/services/amp/pom.xml b/services/amp/pom.xml index 669d5d9835a2..dcdbcb33286b 100644 --- a/services/amp/pom.xml +++ b/services/amp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT amp AWS Java SDK :: Services :: Amp diff --git a/services/amplify/pom.xml b/services/amplify/pom.xml index 22e51f679573..01cf2c4f74a2 100644 --- a/services/amplify/pom.xml +++ b/services/amplify/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT amplify AWS Java SDK :: Services :: Amplify diff --git a/services/amplifybackend/pom.xml b/services/amplifybackend/pom.xml index f4aee703a54e..7731c86119c8 100644 --- a/services/amplifybackend/pom.xml +++ b/services/amplifybackend/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT amplifybackend AWS Java SDK :: Services :: Amplify Backend diff --git a/services/amplifyuibuilder/pom.xml b/services/amplifyuibuilder/pom.xml index 29f2091d1b52..d97ddb4597da 100644 --- a/services/amplifyuibuilder/pom.xml +++ b/services/amplifyuibuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT amplifyuibuilder AWS Java SDK :: Services :: Amplify UI Builder diff --git a/services/apigateway/pom.xml b/services/apigateway/pom.xml index e69aca3d670f..b1ccb5fc621c 100644 --- a/services/apigateway/pom.xml +++ b/services/apigateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT apigateway AWS Java SDK :: Services :: Amazon API Gateway diff --git a/services/apigatewaymanagementapi/pom.xml b/services/apigatewaymanagementapi/pom.xml index 84ff8a90f2d7..9c1c27e20244 100644 --- a/services/apigatewaymanagementapi/pom.xml +++ b/services/apigatewaymanagementapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT apigatewaymanagementapi AWS Java SDK :: Services :: ApiGatewayManagementApi diff --git a/services/apigatewayv2/pom.xml b/services/apigatewayv2/pom.xml index 2e80f5de88bc..ccf9f4ffe62d 100644 --- a/services/apigatewayv2/pom.xml +++ b/services/apigatewayv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT apigatewayv2 AWS Java SDK :: Services :: ApiGatewayV2 diff --git a/services/appconfig/pom.xml b/services/appconfig/pom.xml index 80ec74a93302..e8d944eb26bc 100644 --- a/services/appconfig/pom.xml +++ b/services/appconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT appconfig AWS Java SDK :: Services :: AppConfig diff --git a/services/appconfigdata/pom.xml b/services/appconfigdata/pom.xml index 50c0cbba7da0..7c59e29e441a 100644 --- a/services/appconfigdata/pom.xml +++ b/services/appconfigdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT appconfigdata AWS Java SDK :: Services :: App Config Data diff --git a/services/appfabric/pom.xml b/services/appfabric/pom.xml index aa98007c7d16..4a22a514de4e 100644 --- a/services/appfabric/pom.xml +++ b/services/appfabric/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT appfabric AWS Java SDK :: Services :: App Fabric diff --git a/services/appflow/pom.xml b/services/appflow/pom.xml index f3df12288b6d..22bbfd5d5421 100644 --- a/services/appflow/pom.xml +++ b/services/appflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT appflow AWS Java SDK :: Services :: Appflow diff --git a/services/appintegrations/pom.xml b/services/appintegrations/pom.xml index ad0f1ace8d1b..e89d20622cfa 100644 --- a/services/appintegrations/pom.xml +++ b/services/appintegrations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT appintegrations AWS Java SDK :: Services :: App Integrations diff --git a/services/applicationautoscaling/pom.xml b/services/applicationautoscaling/pom.xml index faf7b8d5a263..919cfd01f13c 100644 --- a/services/applicationautoscaling/pom.xml +++ b/services/applicationautoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT applicationautoscaling AWS Java SDK :: Services :: AWS Application Auto Scaling diff --git a/services/applicationcostprofiler/pom.xml b/services/applicationcostprofiler/pom.xml index 431f79dc65cf..88f09fd33a48 100644 --- a/services/applicationcostprofiler/pom.xml +++ b/services/applicationcostprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT applicationcostprofiler AWS Java SDK :: Services :: Application Cost Profiler diff --git a/services/applicationdiscovery/pom.xml b/services/applicationdiscovery/pom.xml index 3384c9c24ebb..9c36f8e1c404 100644 --- a/services/applicationdiscovery/pom.xml +++ b/services/applicationdiscovery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT applicationdiscovery AWS Java SDK :: Services :: AWS Application Discovery Service diff --git a/services/applicationinsights/pom.xml b/services/applicationinsights/pom.xml index d73bd35e7287..f2a718d94861 100644 --- a/services/applicationinsights/pom.xml +++ b/services/applicationinsights/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT applicationinsights AWS Java SDK :: Services :: Application Insights diff --git a/services/applicationsignals/pom.xml b/services/applicationsignals/pom.xml index 5d7f54449481..24e47bb98184 100644 --- a/services/applicationsignals/pom.xml +++ b/services/applicationsignals/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT applicationsignals AWS Java SDK :: Services :: Application Signals diff --git a/services/appmesh/pom.xml b/services/appmesh/pom.xml index bb3a7c1e6a7c..a9224983edbf 100644 --- a/services/appmesh/pom.xml +++ b/services/appmesh/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT appmesh AWS Java SDK :: Services :: App Mesh diff --git a/services/apprunner/pom.xml b/services/apprunner/pom.xml index e4504aca8026..d100b161377b 100644 --- a/services/apprunner/pom.xml +++ b/services/apprunner/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT apprunner AWS Java SDK :: Services :: App Runner diff --git a/services/appstream/pom.xml b/services/appstream/pom.xml index 33932ad03b47..b2faa235503e 100644 --- a/services/appstream/pom.xml +++ b/services/appstream/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT appstream AWS Java SDK :: Services :: Amazon AppStream diff --git a/services/appsync/pom.xml b/services/appsync/pom.xml index b7a2ceb8612d..d38259d255cd 100644 --- a/services/appsync/pom.xml +++ b/services/appsync/pom.xml @@ -21,7 +21,7 @@ services software.amazon.awssdk - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT appsync diff --git a/services/apptest/pom.xml b/services/apptest/pom.xml index ac6fa328424a..748108711cd6 100644 --- a/services/apptest/pom.xml +++ b/services/apptest/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT apptest AWS Java SDK :: Services :: App Test diff --git a/services/arczonalshift/pom.xml b/services/arczonalshift/pom.xml index 5f1b768ed753..336ad081d1e4 100644 --- a/services/arczonalshift/pom.xml +++ b/services/arczonalshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT arczonalshift AWS Java SDK :: Services :: ARC Zonal Shift diff --git a/services/artifact/pom.xml b/services/artifact/pom.xml index da177c80d287..5f432013a7b2 100644 --- a/services/artifact/pom.xml +++ b/services/artifact/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT artifact AWS Java SDK :: Services :: Artifact diff --git a/services/athena/pom.xml b/services/athena/pom.xml index 373e7ed9a59d..9aa815def897 100644 --- a/services/athena/pom.xml +++ b/services/athena/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT athena AWS Java SDK :: Services :: Amazon Athena diff --git a/services/auditmanager/pom.xml b/services/auditmanager/pom.xml index 78223f1885f4..74d234c16b00 100644 --- a/services/auditmanager/pom.xml +++ b/services/auditmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT auditmanager AWS Java SDK :: Services :: Audit Manager diff --git a/services/autoscaling/pom.xml b/services/autoscaling/pom.xml index ab84f43d38b4..0af05592f3da 100644 --- a/services/autoscaling/pom.xml +++ b/services/autoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT autoscaling AWS Java SDK :: Services :: Auto Scaling diff --git a/services/autoscalingplans/pom.xml b/services/autoscalingplans/pom.xml index 5c60d9f66e21..d5f1c69e0d40 100644 --- a/services/autoscalingplans/pom.xml +++ b/services/autoscalingplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT autoscalingplans AWS Java SDK :: Services :: Auto Scaling Plans diff --git a/services/b2bi/pom.xml b/services/b2bi/pom.xml index ac6aa36d2fa7..803b9656809d 100644 --- a/services/b2bi/pom.xml +++ b/services/b2bi/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT b2bi AWS Java SDK :: Services :: B2 Bi diff --git a/services/backup/pom.xml b/services/backup/pom.xml index b4e254d0b16d..17b001522bcc 100644 --- a/services/backup/pom.xml +++ b/services/backup/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT backup AWS Java SDK :: Services :: Backup diff --git a/services/backupgateway/pom.xml b/services/backupgateway/pom.xml index 64bcef7671f2..3e902ecb8ddd 100644 --- a/services/backupgateway/pom.xml +++ b/services/backupgateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT backupgateway AWS Java SDK :: Services :: Backup Gateway diff --git a/services/batch/pom.xml b/services/batch/pom.xml index 9c2c0c0cb521..6336e9c8ec72 100644 --- a/services/batch/pom.xml +++ b/services/batch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT batch AWS Java SDK :: Services :: AWS Batch diff --git a/services/bcmdataexports/pom.xml b/services/bcmdataexports/pom.xml index 665ad3e5b84a..e446db8c4ef7 100644 --- a/services/bcmdataexports/pom.xml +++ b/services/bcmdataexports/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT bcmdataexports AWS Java SDK :: Services :: BCM Data Exports diff --git a/services/bedrock/pom.xml b/services/bedrock/pom.xml index 1ae3915b043c..eb07dc9314ec 100644 --- a/services/bedrock/pom.xml +++ b/services/bedrock/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT bedrock AWS Java SDK :: Services :: Bedrock diff --git a/services/bedrockagent/pom.xml b/services/bedrockagent/pom.xml index 419bc4c85485..b06c6f3b92c6 100644 --- a/services/bedrockagent/pom.xml +++ b/services/bedrockagent/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT bedrockagent AWS Java SDK :: Services :: Bedrock Agent diff --git a/services/bedrockagentruntime/pom.xml b/services/bedrockagentruntime/pom.xml index c4ac196b8937..2ae5810ab66d 100644 --- a/services/bedrockagentruntime/pom.xml +++ b/services/bedrockagentruntime/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT bedrockagentruntime AWS Java SDK :: Services :: Bedrock Agent Runtime diff --git a/services/bedrockruntime/pom.xml b/services/bedrockruntime/pom.xml index c84261e37ef4..52519044d181 100644 --- a/services/bedrockruntime/pom.xml +++ b/services/bedrockruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT bedrockruntime AWS Java SDK :: Services :: Bedrock Runtime diff --git a/services/billingconductor/pom.xml b/services/billingconductor/pom.xml index 3ebdd120644c..24ce1e0d6a9b 100644 --- a/services/billingconductor/pom.xml +++ b/services/billingconductor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT billingconductor AWS Java SDK :: Services :: Billingconductor diff --git a/services/braket/pom.xml b/services/braket/pom.xml index fbe97031db9e..f6f1c658b5e1 100644 --- a/services/braket/pom.xml +++ b/services/braket/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT braket AWS Java SDK :: Services :: Braket diff --git a/services/budgets/pom.xml b/services/budgets/pom.xml index f431c4abacb9..9e8016dac0e8 100644 --- a/services/budgets/pom.xml +++ b/services/budgets/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT budgets AWS Java SDK :: Services :: AWS Budgets diff --git a/services/chatbot/pom.xml b/services/chatbot/pom.xml index a0784aaadd2f..22ba528ce9a0 100644 --- a/services/chatbot/pom.xml +++ b/services/chatbot/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT chatbot AWS Java SDK :: Services :: Chatbot diff --git a/services/chime/pom.xml b/services/chime/pom.xml index 1283b32848ca..794fe4a35126 100644 --- a/services/chime/pom.xml +++ b/services/chime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT chime AWS Java SDK :: Services :: Chime diff --git a/services/chimesdkidentity/pom.xml b/services/chimesdkidentity/pom.xml index 2822b833f64d..c0da1e444c8f 100644 --- a/services/chimesdkidentity/pom.xml +++ b/services/chimesdkidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT chimesdkidentity AWS Java SDK :: Services :: Chime SDK Identity diff --git a/services/chimesdkmediapipelines/pom.xml b/services/chimesdkmediapipelines/pom.xml index 834c99f8818a..11dd4af20a8f 100644 --- a/services/chimesdkmediapipelines/pom.xml +++ b/services/chimesdkmediapipelines/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT chimesdkmediapipelines AWS Java SDK :: Services :: Chime SDK Media Pipelines diff --git a/services/chimesdkmeetings/pom.xml b/services/chimesdkmeetings/pom.xml index 06dca773646c..8187274da241 100644 --- a/services/chimesdkmeetings/pom.xml +++ b/services/chimesdkmeetings/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT chimesdkmeetings AWS Java SDK :: Services :: Chime SDK Meetings diff --git a/services/chimesdkmessaging/pom.xml b/services/chimesdkmessaging/pom.xml index fe57d36616c6..93ec9e9466dd 100644 --- a/services/chimesdkmessaging/pom.xml +++ b/services/chimesdkmessaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT chimesdkmessaging AWS Java SDK :: Services :: Chime SDK Messaging diff --git a/services/chimesdkvoice/pom.xml b/services/chimesdkvoice/pom.xml index 7e6da899609a..f73b38f80d56 100644 --- a/services/chimesdkvoice/pom.xml +++ b/services/chimesdkvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT chimesdkvoice AWS Java SDK :: Services :: Chime SDK Voice diff --git a/services/cleanrooms/pom.xml b/services/cleanrooms/pom.xml index 1f6b2d1c7451..37dcec2b16b2 100644 --- a/services/cleanrooms/pom.xml +++ b/services/cleanrooms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT cleanrooms AWS Java SDK :: Services :: Clean Rooms diff --git a/services/cleanroomsml/pom.xml b/services/cleanroomsml/pom.xml index 591b779fa7ae..f6607df651bc 100644 --- a/services/cleanroomsml/pom.xml +++ b/services/cleanroomsml/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT cleanroomsml AWS Java SDK :: Services :: Clean Rooms ML diff --git a/services/cloud9/pom.xml b/services/cloud9/pom.xml index 81b52a8b068d..69b709613311 100644 --- a/services/cloud9/pom.xml +++ b/services/cloud9/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 cloud9 diff --git a/services/cloudcontrol/pom.xml b/services/cloudcontrol/pom.xml index a022ce965ded..3b64e296ab8a 100644 --- a/services/cloudcontrol/pom.xml +++ b/services/cloudcontrol/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT cloudcontrol AWS Java SDK :: Services :: Cloud Control diff --git a/services/clouddirectory/pom.xml b/services/clouddirectory/pom.xml index faaf1c3f3676..c18892c3a021 100644 --- a/services/clouddirectory/pom.xml +++ b/services/clouddirectory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT clouddirectory AWS Java SDK :: Services :: Amazon CloudDirectory diff --git a/services/cloudformation/pom.xml b/services/cloudformation/pom.xml index 8d07ae6df06a..e150d604b3fd 100644 --- a/services/cloudformation/pom.xml +++ b/services/cloudformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT cloudformation AWS Java SDK :: Services :: AWS CloudFormation diff --git a/services/cloudfront/pom.xml b/services/cloudfront/pom.xml index ec4d6a55ca38..695eb5d4440a 100644 --- a/services/cloudfront/pom.xml +++ b/services/cloudfront/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT cloudfront AWS Java SDK :: Services :: Amazon CloudFront diff --git a/services/cloudfrontkeyvaluestore/pom.xml b/services/cloudfrontkeyvaluestore/pom.xml index d18b631cde8e..7de33bff5f96 100644 --- a/services/cloudfrontkeyvaluestore/pom.xml +++ b/services/cloudfrontkeyvaluestore/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT cloudfrontkeyvaluestore AWS Java SDK :: Services :: Cloud Front Key Value Store diff --git a/services/cloudhsm/pom.xml b/services/cloudhsm/pom.xml index 2b84514d6fe4..7e52b9d4eb4a 100644 --- a/services/cloudhsm/pom.xml +++ b/services/cloudhsm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT cloudhsm AWS Java SDK :: Services :: AWS CloudHSM diff --git a/services/cloudhsmv2/pom.xml b/services/cloudhsmv2/pom.xml index 4c9fc41d49fb..7e8de5626088 100644 --- a/services/cloudhsmv2/pom.xml +++ b/services/cloudhsmv2/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 cloudhsmv2 diff --git a/services/cloudsearch/pom.xml b/services/cloudsearch/pom.xml index b0cc67484acb..c8324eb44a27 100644 --- a/services/cloudsearch/pom.xml +++ b/services/cloudsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT cloudsearch AWS Java SDK :: Services :: Amazon CloudSearch diff --git a/services/cloudsearchdomain/pom.xml b/services/cloudsearchdomain/pom.xml index b4906fcbfd28..bac13445f96a 100644 --- a/services/cloudsearchdomain/pom.xml +++ b/services/cloudsearchdomain/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT cloudsearchdomain AWS Java SDK :: Services :: Amazon CloudSearch Domain diff --git a/services/cloudtrail/pom.xml b/services/cloudtrail/pom.xml index c2aafbe3747f..4a0fb9c7999b 100644 --- a/services/cloudtrail/pom.xml +++ b/services/cloudtrail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT cloudtrail AWS Java SDK :: Services :: AWS CloudTrail diff --git a/services/cloudtraildata/pom.xml b/services/cloudtraildata/pom.xml index 3f421bf58874..741a1b4a49b1 100644 --- a/services/cloudtraildata/pom.xml +++ b/services/cloudtraildata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT cloudtraildata AWS Java SDK :: Services :: Cloud Trail Data diff --git a/services/cloudwatch/pom.xml b/services/cloudwatch/pom.xml index 7376c3e73712..c307c9c17666 100644 --- a/services/cloudwatch/pom.xml +++ b/services/cloudwatch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT cloudwatch AWS Java SDK :: Services :: Amazon CloudWatch diff --git a/services/cloudwatchevents/pom.xml b/services/cloudwatchevents/pom.xml index 3012619b98dc..a247c7c9a6f2 100644 --- a/services/cloudwatchevents/pom.xml +++ b/services/cloudwatchevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT cloudwatchevents AWS Java SDK :: Services :: Amazon CloudWatch Events diff --git a/services/cloudwatchlogs/pom.xml b/services/cloudwatchlogs/pom.xml index 23a4cdb4ce31..b929fa0e522d 100644 --- a/services/cloudwatchlogs/pom.xml +++ b/services/cloudwatchlogs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT cloudwatchlogs AWS Java SDK :: Services :: Amazon CloudWatch Logs diff --git a/services/codeartifact/pom.xml b/services/codeartifact/pom.xml index 13eb1acd0962..e5e1022d7cbf 100644 --- a/services/codeartifact/pom.xml +++ b/services/codeartifact/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT codeartifact AWS Java SDK :: Services :: Codeartifact diff --git a/services/codebuild/pom.xml b/services/codebuild/pom.xml index ad8ff7d66ede..f93016f8d91a 100644 --- a/services/codebuild/pom.xml +++ b/services/codebuild/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT codebuild AWS Java SDK :: Services :: AWS Code Build diff --git a/services/codecatalyst/pom.xml b/services/codecatalyst/pom.xml index ee1f90f950fd..78174abe91f4 100644 --- a/services/codecatalyst/pom.xml +++ b/services/codecatalyst/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT codecatalyst AWS Java SDK :: Services :: Code Catalyst diff --git a/services/codecommit/pom.xml b/services/codecommit/pom.xml index 6549491c29e8..32b6e926541f 100644 --- a/services/codecommit/pom.xml +++ b/services/codecommit/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT codecommit AWS Java SDK :: Services :: AWS CodeCommit diff --git a/services/codeconnections/pom.xml b/services/codeconnections/pom.xml index 71b2701ab8e3..3affae316a99 100644 --- a/services/codeconnections/pom.xml +++ b/services/codeconnections/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT codeconnections AWS Java SDK :: Services :: Code Connections diff --git a/services/codedeploy/pom.xml b/services/codedeploy/pom.xml index b781333e9008..33753e5abca3 100644 --- a/services/codedeploy/pom.xml +++ b/services/codedeploy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT codedeploy AWS Java SDK :: Services :: AWS CodeDeploy diff --git a/services/codeguruprofiler/pom.xml b/services/codeguruprofiler/pom.xml index 5bfae3d87d71..627d534d998e 100644 --- a/services/codeguruprofiler/pom.xml +++ b/services/codeguruprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT codeguruprofiler AWS Java SDK :: Services :: CodeGuruProfiler diff --git a/services/codegurureviewer/pom.xml b/services/codegurureviewer/pom.xml index 202eb8896c08..6d73b797fc26 100644 --- a/services/codegurureviewer/pom.xml +++ b/services/codegurureviewer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT codegurureviewer AWS Java SDK :: Services :: CodeGuru Reviewer diff --git a/services/codegurusecurity/pom.xml b/services/codegurusecurity/pom.xml index 281b924ce0f2..f2ecd41f7845 100644 --- a/services/codegurusecurity/pom.xml +++ b/services/codegurusecurity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT codegurusecurity AWS Java SDK :: Services :: Code Guru Security diff --git a/services/codepipeline/pom.xml b/services/codepipeline/pom.xml index 049a5c861c31..2c0f4925ac22 100644 --- a/services/codepipeline/pom.xml +++ b/services/codepipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT codepipeline AWS Java SDK :: Services :: AWS CodePipeline diff --git a/services/codestarconnections/pom.xml b/services/codestarconnections/pom.xml index c752697a1a08..724c50043625 100644 --- a/services/codestarconnections/pom.xml +++ b/services/codestarconnections/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT codestarconnections AWS Java SDK :: Services :: CodeStar connections diff --git a/services/codestarnotifications/pom.xml b/services/codestarnotifications/pom.xml index fa265cc8249a..79965e7dccce 100644 --- a/services/codestarnotifications/pom.xml +++ b/services/codestarnotifications/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT codestarnotifications AWS Java SDK :: Services :: Codestar Notifications diff --git a/services/cognitoidentity/pom.xml b/services/cognitoidentity/pom.xml index f084cdbaeba2..d269492b0765 100644 --- a/services/cognitoidentity/pom.xml +++ b/services/cognitoidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT cognitoidentity AWS Java SDK :: Services :: Amazon Cognito Identity diff --git a/services/cognitoidentityprovider/pom.xml b/services/cognitoidentityprovider/pom.xml index 92add9345176..a4898988bec2 100644 --- a/services/cognitoidentityprovider/pom.xml +++ b/services/cognitoidentityprovider/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT cognitoidentityprovider AWS Java SDK :: Services :: Amazon Cognito Identity Provider Service diff --git a/services/cognitosync/pom.xml b/services/cognitosync/pom.xml index c17e26d933e9..eaf62db6839f 100644 --- a/services/cognitosync/pom.xml +++ b/services/cognitosync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT cognitosync AWS Java SDK :: Services :: Amazon Cognito Sync diff --git a/services/comprehend/pom.xml b/services/comprehend/pom.xml index e193990c1503..be004ece50cd 100644 --- a/services/comprehend/pom.xml +++ b/services/comprehend/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 comprehend diff --git a/services/comprehendmedical/pom.xml b/services/comprehendmedical/pom.xml index ee65417d0e35..2c32e3d26e31 100644 --- a/services/comprehendmedical/pom.xml +++ b/services/comprehendmedical/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT comprehendmedical AWS Java SDK :: Services :: ComprehendMedical diff --git a/services/computeoptimizer/pom.xml b/services/computeoptimizer/pom.xml index 5da9527a1063..3b2b237713e5 100644 --- a/services/computeoptimizer/pom.xml +++ b/services/computeoptimizer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT computeoptimizer AWS Java SDK :: Services :: Compute Optimizer diff --git a/services/config/pom.xml b/services/config/pom.xml index ce130f40784e..830b59bcf05b 100644 --- a/services/config/pom.xml +++ b/services/config/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT config AWS Java SDK :: Services :: AWS Config diff --git a/services/connect/pom.xml b/services/connect/pom.xml index df222ba9b5c3..5b3e25a5c4d2 100644 --- a/services/connect/pom.xml +++ b/services/connect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT connect AWS Java SDK :: Services :: Connect diff --git a/services/connectcampaigns/pom.xml b/services/connectcampaigns/pom.xml index 880cd135b191..79b5509cebba 100644 --- a/services/connectcampaigns/pom.xml +++ b/services/connectcampaigns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT connectcampaigns AWS Java SDK :: Services :: Connect Campaigns diff --git a/services/connectcases/pom.xml b/services/connectcases/pom.xml index 80bf09572728..d40b6b111890 100644 --- a/services/connectcases/pom.xml +++ b/services/connectcases/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT connectcases AWS Java SDK :: Services :: Connect Cases diff --git a/services/connectcontactlens/pom.xml b/services/connectcontactlens/pom.xml index 52588a79f92d..5cf58e41d386 100644 --- a/services/connectcontactlens/pom.xml +++ b/services/connectcontactlens/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT connectcontactlens AWS Java SDK :: Services :: Connect Contact Lens diff --git a/services/connectparticipant/pom.xml b/services/connectparticipant/pom.xml index 8241a543979f..293405abb0b2 100644 --- a/services/connectparticipant/pom.xml +++ b/services/connectparticipant/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT connectparticipant AWS Java SDK :: Services :: ConnectParticipant diff --git a/services/controlcatalog/pom.xml b/services/controlcatalog/pom.xml index a12a6b333934..25e2ea1ffbbe 100644 --- a/services/controlcatalog/pom.xml +++ b/services/controlcatalog/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT controlcatalog AWS Java SDK :: Services :: Control Catalog diff --git a/services/controltower/pom.xml b/services/controltower/pom.xml index e981fb4550ee..ab01650b081f 100644 --- a/services/controltower/pom.xml +++ b/services/controltower/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT controltower AWS Java SDK :: Services :: Control Tower diff --git a/services/costandusagereport/pom.xml b/services/costandusagereport/pom.xml index 18694c54193e..38b39b19ba92 100644 --- a/services/costandusagereport/pom.xml +++ b/services/costandusagereport/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT costandusagereport AWS Java SDK :: Services :: AWS Cost and Usage Report diff --git a/services/costexplorer/pom.xml b/services/costexplorer/pom.xml index d25c98e6d9a6..014119df8c1b 100644 --- a/services/costexplorer/pom.xml +++ b/services/costexplorer/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 costexplorer diff --git a/services/costoptimizationhub/pom.xml b/services/costoptimizationhub/pom.xml index bede76ea36e0..bca4f847c46e 100644 --- a/services/costoptimizationhub/pom.xml +++ b/services/costoptimizationhub/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT costoptimizationhub AWS Java SDK :: Services :: Cost Optimization Hub diff --git a/services/customerprofiles/pom.xml b/services/customerprofiles/pom.xml index 209c0c845ce9..10a0cc00631c 100644 --- a/services/customerprofiles/pom.xml +++ b/services/customerprofiles/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT customerprofiles AWS Java SDK :: Services :: Customer Profiles diff --git a/services/databasemigration/pom.xml b/services/databasemigration/pom.xml index bbb4e1c8873e..507ea8f1515e 100644 --- a/services/databasemigration/pom.xml +++ b/services/databasemigration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT databasemigration AWS Java SDK :: Services :: AWS Database Migration Service diff --git a/services/databrew/pom.xml b/services/databrew/pom.xml index 29c81d37eede..26e42383fe08 100644 --- a/services/databrew/pom.xml +++ b/services/databrew/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT databrew AWS Java SDK :: Services :: Data Brew diff --git a/services/dataexchange/pom.xml b/services/dataexchange/pom.xml index 4b146e47d4ec..524a2d851b16 100644 --- a/services/dataexchange/pom.xml +++ b/services/dataexchange/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT dataexchange AWS Java SDK :: Services :: DataExchange diff --git a/services/datapipeline/pom.xml b/services/datapipeline/pom.xml index 572e53a5b4bf..c3e3d53b9933 100644 --- a/services/datapipeline/pom.xml +++ b/services/datapipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT datapipeline AWS Java SDK :: Services :: AWS Data Pipeline diff --git a/services/datasync/pom.xml b/services/datasync/pom.xml index e86ce77078e2..1d455a8eac75 100644 --- a/services/datasync/pom.xml +++ b/services/datasync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT datasync AWS Java SDK :: Services :: DataSync diff --git a/services/datazone/pom.xml b/services/datazone/pom.xml index a8143be94a3d..1cc5e08fa2fa 100644 --- a/services/datazone/pom.xml +++ b/services/datazone/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT datazone AWS Java SDK :: Services :: Data Zone diff --git a/services/dax/pom.xml b/services/dax/pom.xml index d9fbd72bffd7..1281294d9139 100644 --- a/services/dax/pom.xml +++ b/services/dax/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT dax AWS Java SDK :: Services :: Amazon DynamoDB Accelerator (DAX) diff --git a/services/deadline/pom.xml b/services/deadline/pom.xml index 5e768062adf2..64fa778c4471 100644 --- a/services/deadline/pom.xml +++ b/services/deadline/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT deadline AWS Java SDK :: Services :: Deadline diff --git a/services/detective/pom.xml b/services/detective/pom.xml index 42faa6002011..9ed824f250a5 100644 --- a/services/detective/pom.xml +++ b/services/detective/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT detective AWS Java SDK :: Services :: Detective diff --git a/services/devicefarm/pom.xml b/services/devicefarm/pom.xml index 4b7d873a484a..62a12a028164 100644 --- a/services/devicefarm/pom.xml +++ b/services/devicefarm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT devicefarm AWS Java SDK :: Services :: AWS Device Farm diff --git a/services/devopsguru/pom.xml b/services/devopsguru/pom.xml index d55a41881cfc..684d57ca5b57 100644 --- a/services/devopsguru/pom.xml +++ b/services/devopsguru/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT devopsguru AWS Java SDK :: Services :: Dev Ops Guru diff --git a/services/directconnect/pom.xml b/services/directconnect/pom.xml index 6277d4110e90..dd3c0afdf75c 100644 --- a/services/directconnect/pom.xml +++ b/services/directconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT directconnect AWS Java SDK :: Services :: AWS Direct Connect diff --git a/services/directory/pom.xml b/services/directory/pom.xml index 80591ae7064d..654d20cb8a1b 100644 --- a/services/directory/pom.xml +++ b/services/directory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT directory AWS Java SDK :: Services :: AWS Directory Service diff --git a/services/dlm/pom.xml b/services/dlm/pom.xml index beb7d3ab26e4..b016d2010c9e 100644 --- a/services/dlm/pom.xml +++ b/services/dlm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT dlm AWS Java SDK :: Services :: DLM diff --git a/services/docdb/pom.xml b/services/docdb/pom.xml index ed6614ef9f2e..9f787b84054b 100644 --- a/services/docdb/pom.xml +++ b/services/docdb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT docdb AWS Java SDK :: Services :: DocDB diff --git a/services/docdbelastic/pom.xml b/services/docdbelastic/pom.xml index 2bf2d1db3a5d..d74ded9f9228 100644 --- a/services/docdbelastic/pom.xml +++ b/services/docdbelastic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT docdbelastic AWS Java SDK :: Services :: Doc DB Elastic diff --git a/services/drs/pom.xml b/services/drs/pom.xml index 2464891b6759..7ff5d0f5ddd2 100644 --- a/services/drs/pom.xml +++ b/services/drs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT drs AWS Java SDK :: Services :: Drs diff --git a/services/dynamodb/pom.xml b/services/dynamodb/pom.xml index 54fd828446e9..75c0279aa7df 100644 --- a/services/dynamodb/pom.xml +++ b/services/dynamodb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT dynamodb AWS Java SDK :: Services :: Amazon DynamoDB diff --git a/services/ebs/pom.xml b/services/ebs/pom.xml index 75b6daae67e7..804624122452 100644 --- a/services/ebs/pom.xml +++ b/services/ebs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ebs AWS Java SDK :: Services :: EBS diff --git a/services/ec2/pom.xml b/services/ec2/pom.xml index 48d448384741..3e0d89d9cd88 100644 --- a/services/ec2/pom.xml +++ b/services/ec2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ec2 AWS Java SDK :: Services :: Amazon EC2 diff --git a/services/ec2instanceconnect/pom.xml b/services/ec2instanceconnect/pom.xml index 667605a13e15..af8aad5dbd73 100644 --- a/services/ec2instanceconnect/pom.xml +++ b/services/ec2instanceconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ec2instanceconnect AWS Java SDK :: Services :: EC2 Instance Connect diff --git a/services/ecr/pom.xml b/services/ecr/pom.xml index 73cabd52fd0a..b1f39b4b7a37 100644 --- a/services/ecr/pom.xml +++ b/services/ecr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ecr AWS Java SDK :: Services :: Amazon EC2 Container Registry diff --git a/services/ecrpublic/pom.xml b/services/ecrpublic/pom.xml index d9b77b892d45..83bf80fa2d17 100644 --- a/services/ecrpublic/pom.xml +++ b/services/ecrpublic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ecrpublic AWS Java SDK :: Services :: ECR PUBLIC diff --git a/services/ecs/pom.xml b/services/ecs/pom.xml index 1822bc8377d3..0fd135074cc6 100644 --- a/services/ecs/pom.xml +++ b/services/ecs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ecs AWS Java SDK :: Services :: Amazon EC2 Container Service diff --git a/services/efs/pom.xml b/services/efs/pom.xml index 155b80edf189..54c2207bb05a 100644 --- a/services/efs/pom.xml +++ b/services/efs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT efs AWS Java SDK :: Services :: Amazon Elastic File System diff --git a/services/eks/pom.xml b/services/eks/pom.xml index bf565fd743c7..64a19763397d 100644 --- a/services/eks/pom.xml +++ b/services/eks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT eks AWS Java SDK :: Services :: EKS diff --git a/services/eksauth/pom.xml b/services/eksauth/pom.xml index c246a5280129..e068b162c5bf 100644 --- a/services/eksauth/pom.xml +++ b/services/eksauth/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT eksauth AWS Java SDK :: Services :: EKS Auth diff --git a/services/elasticache/pom.xml b/services/elasticache/pom.xml index 3cd9513a8a17..0452347ae175 100644 --- a/services/elasticache/pom.xml +++ b/services/elasticache/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT elasticache AWS Java SDK :: Services :: Amazon ElastiCache diff --git a/services/elasticbeanstalk/pom.xml b/services/elasticbeanstalk/pom.xml index f8e1cb53d42b..50ce4f773fb4 100644 --- a/services/elasticbeanstalk/pom.xml +++ b/services/elasticbeanstalk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT elasticbeanstalk AWS Java SDK :: Services :: AWS Elastic Beanstalk diff --git a/services/elasticinference/pom.xml b/services/elasticinference/pom.xml index fc8a0a779126..d18bbddd8a94 100644 --- a/services/elasticinference/pom.xml +++ b/services/elasticinference/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT elasticinference AWS Java SDK :: Services :: Elastic Inference diff --git a/services/elasticloadbalancing/pom.xml b/services/elasticloadbalancing/pom.xml index ee87dc8eebb4..c433d3a3ad7f 100644 --- a/services/elasticloadbalancing/pom.xml +++ b/services/elasticloadbalancing/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT elasticloadbalancing AWS Java SDK :: Services :: Elastic Load Balancing diff --git a/services/elasticloadbalancingv2/pom.xml b/services/elasticloadbalancingv2/pom.xml index ad72a8d14071..87f7d0123fc0 100644 --- a/services/elasticloadbalancingv2/pom.xml +++ b/services/elasticloadbalancingv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT elasticloadbalancingv2 AWS Java SDK :: Services :: Elastic Load Balancing V2 diff --git a/services/elasticsearch/pom.xml b/services/elasticsearch/pom.xml index 486f08b5ea26..0fba3bd49c74 100644 --- a/services/elasticsearch/pom.xml +++ b/services/elasticsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT elasticsearch AWS Java SDK :: Services :: Amazon Elasticsearch Service diff --git a/services/elastictranscoder/pom.xml b/services/elastictranscoder/pom.xml index 374f9b82aaaf..ac029c515bb4 100644 --- a/services/elastictranscoder/pom.xml +++ b/services/elastictranscoder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT elastictranscoder AWS Java SDK :: Services :: Amazon Elastic Transcoder diff --git a/services/emr/pom.xml b/services/emr/pom.xml index b986fedf6cdb..c76b6d44bd7b 100644 --- a/services/emr/pom.xml +++ b/services/emr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT emr AWS Java SDK :: Services :: Amazon EMR diff --git a/services/emrcontainers/pom.xml b/services/emrcontainers/pom.xml index 8e89046929c6..2bdd351f1bb8 100644 --- a/services/emrcontainers/pom.xml +++ b/services/emrcontainers/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT emrcontainers AWS Java SDK :: Services :: EMR Containers diff --git a/services/emrserverless/pom.xml b/services/emrserverless/pom.xml index 7e2ed16d1568..2af68baada59 100644 --- a/services/emrserverless/pom.xml +++ b/services/emrserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT emrserverless AWS Java SDK :: Services :: EMR Serverless diff --git a/services/entityresolution/pom.xml b/services/entityresolution/pom.xml index d0aa93e2bed1..6565c7e7514c 100644 --- a/services/entityresolution/pom.xml +++ b/services/entityresolution/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT entityresolution AWS Java SDK :: Services :: Entity Resolution diff --git a/services/eventbridge/pom.xml b/services/eventbridge/pom.xml index 3637171a3d93..2d7a1b6b3694 100644 --- a/services/eventbridge/pom.xml +++ b/services/eventbridge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT eventbridge AWS Java SDK :: Services :: EventBridge diff --git a/services/evidently/pom.xml b/services/evidently/pom.xml index 4901d4601f25..369d1def1644 100644 --- a/services/evidently/pom.xml +++ b/services/evidently/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT evidently AWS Java SDK :: Services :: Evidently diff --git a/services/finspace/pom.xml b/services/finspace/pom.xml index eb8db8ca50df..1a7cce5705b5 100644 --- a/services/finspace/pom.xml +++ b/services/finspace/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT finspace AWS Java SDK :: Services :: Finspace diff --git a/services/finspacedata/pom.xml b/services/finspacedata/pom.xml index 61850e6505f7..a9cffb7974a0 100644 --- a/services/finspacedata/pom.xml +++ b/services/finspacedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT finspacedata AWS Java SDK :: Services :: Finspace Data diff --git a/services/firehose/pom.xml b/services/firehose/pom.xml index 1ffc9ce18cdd..db427c61d312 100644 --- a/services/firehose/pom.xml +++ b/services/firehose/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT firehose AWS Java SDK :: Services :: Amazon Kinesis Firehose diff --git a/services/fis/pom.xml b/services/fis/pom.xml index 8d2d52d6915a..cb7b903d2ffd 100644 --- a/services/fis/pom.xml +++ b/services/fis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT fis AWS Java SDK :: Services :: Fis diff --git a/services/fms/pom.xml b/services/fms/pom.xml index 426e0f4cb183..2532092429c6 100644 --- a/services/fms/pom.xml +++ b/services/fms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT fms AWS Java SDK :: Services :: FMS diff --git a/services/forecast/pom.xml b/services/forecast/pom.xml index 0ef08a816d98..2d63939975be 100644 --- a/services/forecast/pom.xml +++ b/services/forecast/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT forecast AWS Java SDK :: Services :: Forecast diff --git a/services/forecastquery/pom.xml b/services/forecastquery/pom.xml index 2a6c6b5153b6..03d76ed34c78 100644 --- a/services/forecastquery/pom.xml +++ b/services/forecastquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT forecastquery AWS Java SDK :: Services :: Forecastquery diff --git a/services/frauddetector/pom.xml b/services/frauddetector/pom.xml index 07e710696888..2703d8b5829c 100644 --- a/services/frauddetector/pom.xml +++ b/services/frauddetector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT frauddetector AWS Java SDK :: Services :: FraudDetector diff --git a/services/freetier/pom.xml b/services/freetier/pom.xml index 56d347f2a045..a25a765a17b0 100644 --- a/services/freetier/pom.xml +++ b/services/freetier/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT freetier AWS Java SDK :: Services :: Free Tier diff --git a/services/fsx/pom.xml b/services/fsx/pom.xml index 474b312b5c76..98ee5737efe2 100644 --- a/services/fsx/pom.xml +++ b/services/fsx/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT fsx AWS Java SDK :: Services :: FSx diff --git a/services/gamelift/pom.xml b/services/gamelift/pom.xml index cf96cf3178b8..8167671c8c1c 100644 --- a/services/gamelift/pom.xml +++ b/services/gamelift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT gamelift AWS Java SDK :: Services :: AWS GameLift diff --git a/services/glacier/pom.xml b/services/glacier/pom.xml index 4a05cc058c31..95e6627f1057 100644 --- a/services/glacier/pom.xml +++ b/services/glacier/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT glacier AWS Java SDK :: Services :: Amazon Glacier diff --git a/services/globalaccelerator/pom.xml b/services/globalaccelerator/pom.xml index a570f74b2837..62b1c7c9b0ba 100644 --- a/services/globalaccelerator/pom.xml +++ b/services/globalaccelerator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT globalaccelerator AWS Java SDK :: Services :: Global Accelerator diff --git a/services/glue/pom.xml b/services/glue/pom.xml index 696216fefcfb..663910e50a04 100644 --- a/services/glue/pom.xml +++ b/services/glue/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 glue diff --git a/services/grafana/pom.xml b/services/grafana/pom.xml index 70d183604717..392a5fe039ae 100644 --- a/services/grafana/pom.xml +++ b/services/grafana/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT grafana AWS Java SDK :: Services :: Grafana diff --git a/services/greengrass/pom.xml b/services/greengrass/pom.xml index bda97c7a0bbb..57923493d370 100644 --- a/services/greengrass/pom.xml +++ b/services/greengrass/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT greengrass AWS Java SDK :: Services :: AWS Greengrass diff --git a/services/greengrassv2/pom.xml b/services/greengrassv2/pom.xml index 878168475b1a..03f6029b90ca 100644 --- a/services/greengrassv2/pom.xml +++ b/services/greengrassv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT greengrassv2 AWS Java SDK :: Services :: Greengrass V2 diff --git a/services/groundstation/pom.xml b/services/groundstation/pom.xml index 7eaf1ed97ed4..33f71e2abd93 100644 --- a/services/groundstation/pom.xml +++ b/services/groundstation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT groundstation AWS Java SDK :: Services :: GroundStation diff --git a/services/guardduty/pom.xml b/services/guardduty/pom.xml index 81803bc55388..a213c2741558 100644 --- a/services/guardduty/pom.xml +++ b/services/guardduty/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 guardduty diff --git a/services/health/pom.xml b/services/health/pom.xml index ef61152dace6..4336a63f139e 100644 --- a/services/health/pom.xml +++ b/services/health/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT health AWS Java SDK :: Services :: AWS Health APIs and Notifications diff --git a/services/healthlake/pom.xml b/services/healthlake/pom.xml index 98c294dc8feb..2480bcf3d356 100644 --- a/services/healthlake/pom.xml +++ b/services/healthlake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT healthlake AWS Java SDK :: Services :: Health Lake diff --git a/services/iam/pom.xml b/services/iam/pom.xml index 382562eed152..480bcc0dd5fd 100644 --- a/services/iam/pom.xml +++ b/services/iam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT iam AWS Java SDK :: Services :: AWS IAM diff --git a/services/identitystore/pom.xml b/services/identitystore/pom.xml index ad628f5d41ad..70fe0c92749e 100644 --- a/services/identitystore/pom.xml +++ b/services/identitystore/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT identitystore AWS Java SDK :: Services :: Identitystore diff --git a/services/imagebuilder/pom.xml b/services/imagebuilder/pom.xml index 569e7f2a19f4..e6b993f2013f 100644 --- a/services/imagebuilder/pom.xml +++ b/services/imagebuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT imagebuilder AWS Java SDK :: Services :: Imagebuilder diff --git a/services/inspector/pom.xml b/services/inspector/pom.xml index bcc2b9dae4bf..2aeeb8ca5a96 100644 --- a/services/inspector/pom.xml +++ b/services/inspector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT inspector AWS Java SDK :: Services :: Amazon Inspector Service diff --git a/services/inspector2/pom.xml b/services/inspector2/pom.xml index 77ae94d467e4..2848aa31da74 100644 --- a/services/inspector2/pom.xml +++ b/services/inspector2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT inspector2 AWS Java SDK :: Services :: Inspector2 diff --git a/services/inspectorscan/pom.xml b/services/inspectorscan/pom.xml index e383676985cd..ff457568758d 100644 --- a/services/inspectorscan/pom.xml +++ b/services/inspectorscan/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT inspectorscan AWS Java SDK :: Services :: Inspector Scan diff --git a/services/internetmonitor/pom.xml b/services/internetmonitor/pom.xml index 386dca2f0e15..488ef878dba1 100644 --- a/services/internetmonitor/pom.xml +++ b/services/internetmonitor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT internetmonitor AWS Java SDK :: Services :: Internet Monitor diff --git a/services/iot/pom.xml b/services/iot/pom.xml index b0f496a1c4a3..df27ee30fdbd 100644 --- a/services/iot/pom.xml +++ b/services/iot/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT iot AWS Java SDK :: Services :: AWS IoT diff --git a/services/iot1clickdevices/pom.xml b/services/iot1clickdevices/pom.xml index e4f395c19c15..b5966489981f 100644 --- a/services/iot1clickdevices/pom.xml +++ b/services/iot1clickdevices/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT iot1clickdevices AWS Java SDK :: Services :: IoT 1Click Devices Service diff --git a/services/iot1clickprojects/pom.xml b/services/iot1clickprojects/pom.xml index baccfbd4aa76..e92a9ce25f22 100644 --- a/services/iot1clickprojects/pom.xml +++ b/services/iot1clickprojects/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT iot1clickprojects AWS Java SDK :: Services :: IoT 1Click Projects diff --git a/services/iotanalytics/pom.xml b/services/iotanalytics/pom.xml index d7e544a4a4dc..68b7177dcce3 100644 --- a/services/iotanalytics/pom.xml +++ b/services/iotanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT iotanalytics AWS Java SDK :: Services :: IoTAnalytics diff --git a/services/iotdataplane/pom.xml b/services/iotdataplane/pom.xml index 25fd5a55b597..c45d7d40f423 100644 --- a/services/iotdataplane/pom.xml +++ b/services/iotdataplane/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT iotdataplane AWS Java SDK :: Services :: AWS IoT Data Plane diff --git a/services/iotdeviceadvisor/pom.xml b/services/iotdeviceadvisor/pom.xml index bf8dcd00b46e..ca2675533213 100644 --- a/services/iotdeviceadvisor/pom.xml +++ b/services/iotdeviceadvisor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT iotdeviceadvisor AWS Java SDK :: Services :: Iot Device Advisor diff --git a/services/iotevents/pom.xml b/services/iotevents/pom.xml index 0684ba74b61d..fb93ec10ff59 100644 --- a/services/iotevents/pom.xml +++ b/services/iotevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT iotevents AWS Java SDK :: Services :: IoT Events diff --git a/services/ioteventsdata/pom.xml b/services/ioteventsdata/pom.xml index 037f4c1f6746..37b939019865 100644 --- a/services/ioteventsdata/pom.xml +++ b/services/ioteventsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ioteventsdata AWS Java SDK :: Services :: IoT Events Data diff --git a/services/iotfleethub/pom.xml b/services/iotfleethub/pom.xml index d31b8209e0b0..7cb79f9453c9 100644 --- a/services/iotfleethub/pom.xml +++ b/services/iotfleethub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT iotfleethub AWS Java SDK :: Services :: Io T Fleet Hub diff --git a/services/iotfleetwise/pom.xml b/services/iotfleetwise/pom.xml index 09409e332215..dc7245b05978 100644 --- a/services/iotfleetwise/pom.xml +++ b/services/iotfleetwise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT iotfleetwise AWS Java SDK :: Services :: Io T Fleet Wise diff --git a/services/iotjobsdataplane/pom.xml b/services/iotjobsdataplane/pom.xml index 70ace8518747..79a72491bce3 100644 --- a/services/iotjobsdataplane/pom.xml +++ b/services/iotjobsdataplane/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT iotjobsdataplane AWS Java SDK :: Services :: IoT Jobs Data Plane diff --git a/services/iotsecuretunneling/pom.xml b/services/iotsecuretunneling/pom.xml index a013ec618ceb..6b708cdc46dc 100644 --- a/services/iotsecuretunneling/pom.xml +++ b/services/iotsecuretunneling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT iotsecuretunneling AWS Java SDK :: Services :: IoTSecureTunneling diff --git a/services/iotsitewise/pom.xml b/services/iotsitewise/pom.xml index 5248689ca0f4..6b69fe2ed46d 100644 --- a/services/iotsitewise/pom.xml +++ b/services/iotsitewise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT iotsitewise AWS Java SDK :: Services :: Io T Site Wise diff --git a/services/iotthingsgraph/pom.xml b/services/iotthingsgraph/pom.xml index 593f6c0bc7aa..90243a38b0b1 100644 --- a/services/iotthingsgraph/pom.xml +++ b/services/iotthingsgraph/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT iotthingsgraph AWS Java SDK :: Services :: IoTThingsGraph diff --git a/services/iottwinmaker/pom.xml b/services/iottwinmaker/pom.xml index 91734ab3fb1e..9e9f868d8cf5 100644 --- a/services/iottwinmaker/pom.xml +++ b/services/iottwinmaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT iottwinmaker AWS Java SDK :: Services :: Io T Twin Maker diff --git a/services/iotwireless/pom.xml b/services/iotwireless/pom.xml index 9adc4cba4b70..2899dcf54e44 100644 --- a/services/iotwireless/pom.xml +++ b/services/iotwireless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT iotwireless AWS Java SDK :: Services :: IoT Wireless diff --git a/services/ivs/pom.xml b/services/ivs/pom.xml index 0f4bb17fbcaf..addf6c35a5f5 100644 --- a/services/ivs/pom.xml +++ b/services/ivs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ivs AWS Java SDK :: Services :: Ivs diff --git a/services/ivschat/pom.xml b/services/ivschat/pom.xml index cc60d4cebf42..4f50ab378978 100644 --- a/services/ivschat/pom.xml +++ b/services/ivschat/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ivschat AWS Java SDK :: Services :: Ivschat diff --git a/services/ivsrealtime/pom.xml b/services/ivsrealtime/pom.xml index d26b47e7eb8f..b7e96955f175 100644 --- a/services/ivsrealtime/pom.xml +++ b/services/ivsrealtime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ivsrealtime AWS Java SDK :: Services :: IVS Real Time diff --git a/services/kafka/pom.xml b/services/kafka/pom.xml index edf84b119ac9..9a30a5980947 100644 --- a/services/kafka/pom.xml +++ b/services/kafka/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT kafka AWS Java SDK :: Services :: Kafka diff --git a/services/kafkaconnect/pom.xml b/services/kafkaconnect/pom.xml index 5ffe347800b4..89a0a9155c52 100644 --- a/services/kafkaconnect/pom.xml +++ b/services/kafkaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT kafkaconnect AWS Java SDK :: Services :: Kafka Connect diff --git a/services/kendra/pom.xml b/services/kendra/pom.xml index 8c581852f5a5..52d701cb86ab 100644 --- a/services/kendra/pom.xml +++ b/services/kendra/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT kendra AWS Java SDK :: Services :: Kendra diff --git a/services/kendraranking/pom.xml b/services/kendraranking/pom.xml index 67f25363fd4e..64a1c97de00f 100644 --- a/services/kendraranking/pom.xml +++ b/services/kendraranking/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT kendraranking AWS Java SDK :: Services :: Kendra Ranking diff --git a/services/keyspaces/pom.xml b/services/keyspaces/pom.xml index 57d367469ee8..a00c7ec04ab3 100644 --- a/services/keyspaces/pom.xml +++ b/services/keyspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT keyspaces AWS Java SDK :: Services :: Keyspaces diff --git a/services/kinesis/pom.xml b/services/kinesis/pom.xml index 370399d842e1..a3f89f990438 100644 --- a/services/kinesis/pom.xml +++ b/services/kinesis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT kinesis AWS Java SDK :: Services :: Amazon Kinesis diff --git a/services/kinesisanalytics/pom.xml b/services/kinesisanalytics/pom.xml index e959812ad5b6..838c8e7f3ef8 100644 --- a/services/kinesisanalytics/pom.xml +++ b/services/kinesisanalytics/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT kinesisanalytics AWS Java SDK :: Services :: Amazon Kinesis Analytics diff --git a/services/kinesisanalyticsv2/pom.xml b/services/kinesisanalyticsv2/pom.xml index a8492aed2fe2..6da04dc3fd21 100644 --- a/services/kinesisanalyticsv2/pom.xml +++ b/services/kinesisanalyticsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT kinesisanalyticsv2 AWS Java SDK :: Services :: Kinesis Analytics V2 diff --git a/services/kinesisvideo/pom.xml b/services/kinesisvideo/pom.xml index 3d8e604d4ba1..31696d6e43e0 100644 --- a/services/kinesisvideo/pom.xml +++ b/services/kinesisvideo/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 kinesisvideo diff --git a/services/kinesisvideoarchivedmedia/pom.xml b/services/kinesisvideoarchivedmedia/pom.xml index 8cd37e1ec181..072c66dcbe0d 100644 --- a/services/kinesisvideoarchivedmedia/pom.xml +++ b/services/kinesisvideoarchivedmedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT kinesisvideoarchivedmedia AWS Java SDK :: Services :: Kinesis Video Archived Media diff --git a/services/kinesisvideomedia/pom.xml b/services/kinesisvideomedia/pom.xml index c9b544ade419..a26aff106d17 100644 --- a/services/kinesisvideomedia/pom.xml +++ b/services/kinesisvideomedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT kinesisvideomedia AWS Java SDK :: Services :: Kinesis Video Media diff --git a/services/kinesisvideosignaling/pom.xml b/services/kinesisvideosignaling/pom.xml index fd88f0ec3120..41a1f08ed6b4 100644 --- a/services/kinesisvideosignaling/pom.xml +++ b/services/kinesisvideosignaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT kinesisvideosignaling AWS Java SDK :: Services :: Kinesis Video Signaling diff --git a/services/kinesisvideowebrtcstorage/pom.xml b/services/kinesisvideowebrtcstorage/pom.xml index ff04bc263fc9..61e06fb00c9a 100644 --- a/services/kinesisvideowebrtcstorage/pom.xml +++ b/services/kinesisvideowebrtcstorage/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT kinesisvideowebrtcstorage AWS Java SDK :: Services :: Kinesis Video Web RTC Storage diff --git a/services/kms/pom.xml b/services/kms/pom.xml index 32c54b97aded..75e29138f140 100644 --- a/services/kms/pom.xml +++ b/services/kms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT kms AWS Java SDK :: Services :: AWS KMS diff --git a/services/lakeformation/pom.xml b/services/lakeformation/pom.xml index 4b9fe65efba3..4dadfffb3887 100644 --- a/services/lakeformation/pom.xml +++ b/services/lakeformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT lakeformation AWS Java SDK :: Services :: LakeFormation diff --git a/services/lambda/pom.xml b/services/lambda/pom.xml index 10b04822361f..52d17e94f091 100644 --- a/services/lambda/pom.xml +++ b/services/lambda/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT lambda AWS Java SDK :: Services :: AWS Lambda diff --git a/services/launchwizard/pom.xml b/services/launchwizard/pom.xml index 9e34a08c4d7f..aff4245acd86 100644 --- a/services/launchwizard/pom.xml +++ b/services/launchwizard/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT launchwizard AWS Java SDK :: Services :: Launch Wizard diff --git a/services/lexmodelbuilding/pom.xml b/services/lexmodelbuilding/pom.xml index a3f6596424a6..b138fcad8d37 100644 --- a/services/lexmodelbuilding/pom.xml +++ b/services/lexmodelbuilding/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT lexmodelbuilding AWS Java SDK :: Services :: Amazon Lex Model Building diff --git a/services/lexmodelsv2/pom.xml b/services/lexmodelsv2/pom.xml index b93ec7e6f3a3..de57d647d4ee 100644 --- a/services/lexmodelsv2/pom.xml +++ b/services/lexmodelsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT lexmodelsv2 AWS Java SDK :: Services :: Lex Models V2 diff --git a/services/lexruntime/pom.xml b/services/lexruntime/pom.xml index c4e740f7e05c..c92f5efda939 100644 --- a/services/lexruntime/pom.xml +++ b/services/lexruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT lexruntime AWS Java SDK :: Services :: Amazon Lex Runtime diff --git a/services/lexruntimev2/pom.xml b/services/lexruntimev2/pom.xml index 2121ce0d918e..424ebc1a3928 100644 --- a/services/lexruntimev2/pom.xml +++ b/services/lexruntimev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT lexruntimev2 AWS Java SDK :: Services :: Lex Runtime V2 diff --git a/services/licensemanager/pom.xml b/services/licensemanager/pom.xml index fcb3e6827f1f..b44e9f047fd7 100644 --- a/services/licensemanager/pom.xml +++ b/services/licensemanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT licensemanager AWS Java SDK :: Services :: License Manager diff --git a/services/licensemanagerlinuxsubscriptions/pom.xml b/services/licensemanagerlinuxsubscriptions/pom.xml index 1a647d98e1d3..bfaa45d88174 100644 --- a/services/licensemanagerlinuxsubscriptions/pom.xml +++ b/services/licensemanagerlinuxsubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT licensemanagerlinuxsubscriptions AWS Java SDK :: Services :: License Manager Linux Subscriptions diff --git a/services/licensemanagerusersubscriptions/pom.xml b/services/licensemanagerusersubscriptions/pom.xml index 737ccb8ae470..52b191819d78 100644 --- a/services/licensemanagerusersubscriptions/pom.xml +++ b/services/licensemanagerusersubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT licensemanagerusersubscriptions AWS Java SDK :: Services :: License Manager User Subscriptions diff --git a/services/lightsail/pom.xml b/services/lightsail/pom.xml index 582c5b9450df..0eb9b561ec10 100644 --- a/services/lightsail/pom.xml +++ b/services/lightsail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT lightsail AWS Java SDK :: Services :: Amazon Lightsail diff --git a/services/location/pom.xml b/services/location/pom.xml index d3d46b1e6f5a..576d3782ae3b 100644 --- a/services/location/pom.xml +++ b/services/location/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT location AWS Java SDK :: Services :: Location diff --git a/services/lookoutequipment/pom.xml b/services/lookoutequipment/pom.xml index a77024c98f7a..a3d1e22bdf8d 100644 --- a/services/lookoutequipment/pom.xml +++ b/services/lookoutequipment/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT lookoutequipment AWS Java SDK :: Services :: Lookout Equipment diff --git a/services/lookoutmetrics/pom.xml b/services/lookoutmetrics/pom.xml index 51a04313383b..cae618f21b5b 100644 --- a/services/lookoutmetrics/pom.xml +++ b/services/lookoutmetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT lookoutmetrics AWS Java SDK :: Services :: Lookout Metrics diff --git a/services/lookoutvision/pom.xml b/services/lookoutvision/pom.xml index 4b7d5e9b81e6..fe22a1eabeb3 100644 --- a/services/lookoutvision/pom.xml +++ b/services/lookoutvision/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT lookoutvision AWS Java SDK :: Services :: Lookout Vision diff --git a/services/m2/pom.xml b/services/m2/pom.xml index 8da4cfcd3689..6892b72933a9 100644 --- a/services/m2/pom.xml +++ b/services/m2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT m2 AWS Java SDK :: Services :: M2 diff --git a/services/machinelearning/pom.xml b/services/machinelearning/pom.xml index 23cbb0c4387f..c538c4901a1f 100644 --- a/services/machinelearning/pom.xml +++ b/services/machinelearning/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT machinelearning AWS Java SDK :: Services :: Amazon Machine Learning diff --git a/services/macie2/pom.xml b/services/macie2/pom.xml index 01b0b2c89ccd..6d2113570851 100644 --- a/services/macie2/pom.xml +++ b/services/macie2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT macie2 AWS Java SDK :: Services :: Macie2 diff --git a/services/mailmanager/pom.xml b/services/mailmanager/pom.xml index ac941e718f2d..fcc76e09a9c3 100644 --- a/services/mailmanager/pom.xml +++ b/services/mailmanager/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT mailmanager AWS Java SDK :: Services :: Mail Manager diff --git a/services/managedblockchain/pom.xml b/services/managedblockchain/pom.xml index c926bc124467..8c26a9679a61 100644 --- a/services/managedblockchain/pom.xml +++ b/services/managedblockchain/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT managedblockchain AWS Java SDK :: Services :: ManagedBlockchain diff --git a/services/managedblockchainquery/pom.xml b/services/managedblockchainquery/pom.xml index 5fbd079b82ba..daad02615147 100644 --- a/services/managedblockchainquery/pom.xml +++ b/services/managedblockchainquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT managedblockchainquery AWS Java SDK :: Services :: Managed Blockchain Query diff --git a/services/marketplaceagreement/pom.xml b/services/marketplaceagreement/pom.xml index 8a177c793a3d..07e1a81fe1a2 100644 --- a/services/marketplaceagreement/pom.xml +++ b/services/marketplaceagreement/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT marketplaceagreement AWS Java SDK :: Services :: Marketplace Agreement diff --git a/services/marketplacecatalog/pom.xml b/services/marketplacecatalog/pom.xml index c94abad40d82..b35d292e598f 100644 --- a/services/marketplacecatalog/pom.xml +++ b/services/marketplacecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT marketplacecatalog AWS Java SDK :: Services :: Marketplace Catalog diff --git a/services/marketplacecommerceanalytics/pom.xml b/services/marketplacecommerceanalytics/pom.xml index 1d3f7ab357c5..de77c0be963f 100644 --- a/services/marketplacecommerceanalytics/pom.xml +++ b/services/marketplacecommerceanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT marketplacecommerceanalytics AWS Java SDK :: Services :: AWS Marketplace Commerce Analytics diff --git a/services/marketplacedeployment/pom.xml b/services/marketplacedeployment/pom.xml index e206881e9dcb..e559924e98c5 100644 --- a/services/marketplacedeployment/pom.xml +++ b/services/marketplacedeployment/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT marketplacedeployment AWS Java SDK :: Services :: Marketplace Deployment diff --git a/services/marketplaceentitlement/pom.xml b/services/marketplaceentitlement/pom.xml index c36361f063de..34177d7bd962 100644 --- a/services/marketplaceentitlement/pom.xml +++ b/services/marketplaceentitlement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT marketplaceentitlement AWS Java SDK :: Services :: AWS Marketplace Entitlement diff --git a/services/marketplacemetering/pom.xml b/services/marketplacemetering/pom.xml index 9bf5f73821c9..cc3b513d0569 100644 --- a/services/marketplacemetering/pom.xml +++ b/services/marketplacemetering/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT marketplacemetering AWS Java SDK :: Services :: AWS Marketplace Metering Service diff --git a/services/mediaconnect/pom.xml b/services/mediaconnect/pom.xml index 620a6efb1593..2e237f4377e9 100644 --- a/services/mediaconnect/pom.xml +++ b/services/mediaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT mediaconnect AWS Java SDK :: Services :: MediaConnect diff --git a/services/mediaconvert/pom.xml b/services/mediaconvert/pom.xml index f5734ef3db19..4105d46f5d58 100644 --- a/services/mediaconvert/pom.xml +++ b/services/mediaconvert/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 mediaconvert diff --git a/services/medialive/pom.xml b/services/medialive/pom.xml index d0df30ba58b1..3c55627106f8 100644 --- a/services/medialive/pom.xml +++ b/services/medialive/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 medialive diff --git a/services/mediapackage/pom.xml b/services/mediapackage/pom.xml index 2ad77cfb7229..c39825d5b276 100644 --- a/services/mediapackage/pom.xml +++ b/services/mediapackage/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 mediapackage diff --git a/services/mediapackagev2/pom.xml b/services/mediapackagev2/pom.xml index a7b982b5a2d5..1ce6c845ca54 100644 --- a/services/mediapackagev2/pom.xml +++ b/services/mediapackagev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT mediapackagev2 AWS Java SDK :: Services :: Media Package V2 diff --git a/services/mediapackagevod/pom.xml b/services/mediapackagevod/pom.xml index 9ccfd0a6017d..81fcdb73cfb2 100644 --- a/services/mediapackagevod/pom.xml +++ b/services/mediapackagevod/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT mediapackagevod AWS Java SDK :: Services :: MediaPackage Vod diff --git a/services/mediastore/pom.xml b/services/mediastore/pom.xml index 68a105b43995..34ccdcce0447 100644 --- a/services/mediastore/pom.xml +++ b/services/mediastore/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 mediastore diff --git a/services/mediastoredata/pom.xml b/services/mediastoredata/pom.xml index c62f92bcdc7b..30d11c9c6b26 100644 --- a/services/mediastoredata/pom.xml +++ b/services/mediastoredata/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 mediastoredata diff --git a/services/mediatailor/pom.xml b/services/mediatailor/pom.xml index 8f780fef6415..7539517b9fbc 100644 --- a/services/mediatailor/pom.xml +++ b/services/mediatailor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT mediatailor AWS Java SDK :: Services :: MediaTailor diff --git a/services/medicalimaging/pom.xml b/services/medicalimaging/pom.xml index 6b7af55777a3..1164b4741a18 100644 --- a/services/medicalimaging/pom.xml +++ b/services/medicalimaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT medicalimaging AWS Java SDK :: Services :: Medical Imaging diff --git a/services/memorydb/pom.xml b/services/memorydb/pom.xml index f08445bafcf0..2400c161696e 100644 --- a/services/memorydb/pom.xml +++ b/services/memorydb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT memorydb AWS Java SDK :: Services :: Memory DB diff --git a/services/mgn/pom.xml b/services/mgn/pom.xml index da9b05ceca33..93dff7bb97b3 100644 --- a/services/mgn/pom.xml +++ b/services/mgn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT mgn AWS Java SDK :: Services :: Mgn diff --git a/services/migrationhub/pom.xml b/services/migrationhub/pom.xml index 50a9b7715f31..164cdf00db6a 100644 --- a/services/migrationhub/pom.xml +++ b/services/migrationhub/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 migrationhub diff --git a/services/migrationhubconfig/pom.xml b/services/migrationhubconfig/pom.xml index ca7db1eae035..7445fea9df56 100644 --- a/services/migrationhubconfig/pom.xml +++ b/services/migrationhubconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT migrationhubconfig AWS Java SDK :: Services :: MigrationHub Config diff --git a/services/migrationhuborchestrator/pom.xml b/services/migrationhuborchestrator/pom.xml index df1c2bc9a55a..b655d573829b 100644 --- a/services/migrationhuborchestrator/pom.xml +++ b/services/migrationhuborchestrator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT migrationhuborchestrator AWS Java SDK :: Services :: Migration Hub Orchestrator diff --git a/services/migrationhubrefactorspaces/pom.xml b/services/migrationhubrefactorspaces/pom.xml index 57c602305074..6878dd103a64 100644 --- a/services/migrationhubrefactorspaces/pom.xml +++ b/services/migrationhubrefactorspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT migrationhubrefactorspaces AWS Java SDK :: Services :: Migration Hub Refactor Spaces diff --git a/services/migrationhubstrategy/pom.xml b/services/migrationhubstrategy/pom.xml index 13f52f99fc7a..f93ed35b3b73 100644 --- a/services/migrationhubstrategy/pom.xml +++ b/services/migrationhubstrategy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT migrationhubstrategy AWS Java SDK :: Services :: Migration Hub Strategy diff --git a/services/mq/pom.xml b/services/mq/pom.xml index 464852b0d122..6be89ec45c93 100644 --- a/services/mq/pom.xml +++ b/services/mq/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 mq diff --git a/services/mturk/pom.xml b/services/mturk/pom.xml index 28cb972aeabb..d50b0ef1422b 100644 --- a/services/mturk/pom.xml +++ b/services/mturk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT mturk AWS Java SDK :: Services :: Amazon Mechanical Turk Requester diff --git a/services/mwaa/pom.xml b/services/mwaa/pom.xml index a47516544c31..40546ceb574a 100644 --- a/services/mwaa/pom.xml +++ b/services/mwaa/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT mwaa AWS Java SDK :: Services :: MWAA diff --git a/services/neptune/pom.xml b/services/neptune/pom.xml index fd393d0f6b48..bd081c21ebed 100644 --- a/services/neptune/pom.xml +++ b/services/neptune/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT neptune AWS Java SDK :: Services :: Neptune diff --git a/services/neptunedata/pom.xml b/services/neptunedata/pom.xml index 37bec5284704..4927afc2244e 100644 --- a/services/neptunedata/pom.xml +++ b/services/neptunedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT neptunedata AWS Java SDK :: Services :: Neptunedata diff --git a/services/neptunegraph/pom.xml b/services/neptunegraph/pom.xml index 10c95e7cac6e..0048d0e6daf4 100644 --- a/services/neptunegraph/pom.xml +++ b/services/neptunegraph/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT neptunegraph AWS Java SDK :: Services :: Neptune Graph diff --git a/services/networkfirewall/pom.xml b/services/networkfirewall/pom.xml index 17d553d050c1..c0d59ba41103 100644 --- a/services/networkfirewall/pom.xml +++ b/services/networkfirewall/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT networkfirewall AWS Java SDK :: Services :: Network Firewall diff --git a/services/networkmanager/pom.xml b/services/networkmanager/pom.xml index d8e15d1ea215..0723dec72ecf 100644 --- a/services/networkmanager/pom.xml +++ b/services/networkmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT networkmanager AWS Java SDK :: Services :: NetworkManager diff --git a/services/networkmonitor/pom.xml b/services/networkmonitor/pom.xml index 576bf269b90f..066740eb1ca0 100644 --- a/services/networkmonitor/pom.xml +++ b/services/networkmonitor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT networkmonitor AWS Java SDK :: Services :: Network Monitor diff --git a/services/nimble/pom.xml b/services/nimble/pom.xml index 61f9b7db8279..f5acfefff470 100644 --- a/services/nimble/pom.xml +++ b/services/nimble/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT nimble AWS Java SDK :: Services :: Nimble diff --git a/services/oam/pom.xml b/services/oam/pom.xml index 518d98325cca..85506a82d277 100644 --- a/services/oam/pom.xml +++ b/services/oam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT oam AWS Java SDK :: Services :: OAM diff --git a/services/omics/pom.xml b/services/omics/pom.xml index 284b2128242e..277d57381ff0 100644 --- a/services/omics/pom.xml +++ b/services/omics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT omics AWS Java SDK :: Services :: Omics diff --git a/services/opensearch/pom.xml b/services/opensearch/pom.xml index feefb212fb25..f61a468c65b3 100644 --- a/services/opensearch/pom.xml +++ b/services/opensearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT opensearch AWS Java SDK :: Services :: Open Search diff --git a/services/opensearchserverless/pom.xml b/services/opensearchserverless/pom.xml index a3d657e50ae3..b5e870401f11 100644 --- a/services/opensearchserverless/pom.xml +++ b/services/opensearchserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT opensearchserverless AWS Java SDK :: Services :: Open Search Serverless diff --git a/services/opsworks/pom.xml b/services/opsworks/pom.xml index a18dca7695dd..282809dc7816 100644 --- a/services/opsworks/pom.xml +++ b/services/opsworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT opsworks AWS Java SDK :: Services :: AWS OpsWorks diff --git a/services/opsworkscm/pom.xml b/services/opsworkscm/pom.xml index e6e51536b486..fd5f3cc0cc2e 100644 --- a/services/opsworkscm/pom.xml +++ b/services/opsworkscm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT opsworkscm AWS Java SDK :: Services :: AWS OpsWorks for Chef Automate diff --git a/services/organizations/pom.xml b/services/organizations/pom.xml index 1be038f679bd..00addfc5fa27 100644 --- a/services/organizations/pom.xml +++ b/services/organizations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT organizations AWS Java SDK :: Services :: AWS Organizations diff --git a/services/osis/pom.xml b/services/osis/pom.xml index 23dfa4a0611e..836e2dfe02ab 100644 --- a/services/osis/pom.xml +++ b/services/osis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT osis AWS Java SDK :: Services :: OSIS diff --git a/services/outposts/pom.xml b/services/outposts/pom.xml index 67f02f00d64c..968b8ae23a79 100644 --- a/services/outposts/pom.xml +++ b/services/outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT outposts AWS Java SDK :: Services :: Outposts diff --git a/services/panorama/pom.xml b/services/panorama/pom.xml index 0e2cdee1c959..ee74e83e0b21 100644 --- a/services/panorama/pom.xml +++ b/services/panorama/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT panorama AWS Java SDK :: Services :: Panorama diff --git a/services/paymentcryptography/pom.xml b/services/paymentcryptography/pom.xml index 7c85d757107b..32574d13c37c 100644 --- a/services/paymentcryptography/pom.xml +++ b/services/paymentcryptography/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT paymentcryptography AWS Java SDK :: Services :: Payment Cryptography diff --git a/services/paymentcryptographydata/pom.xml b/services/paymentcryptographydata/pom.xml index aa6f8f8eb8e9..ef1167cd34f6 100644 --- a/services/paymentcryptographydata/pom.xml +++ b/services/paymentcryptographydata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT paymentcryptographydata AWS Java SDK :: Services :: Payment Cryptography Data diff --git a/services/pcaconnectorad/pom.xml b/services/pcaconnectorad/pom.xml index d597db12cd62..a6505d5db470 100644 --- a/services/pcaconnectorad/pom.xml +++ b/services/pcaconnectorad/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT pcaconnectorad AWS Java SDK :: Services :: Pca Connector Ad diff --git a/services/pcaconnectorscep/pom.xml b/services/pcaconnectorscep/pom.xml index d43105c54c4f..c14f589eb1b5 100644 --- a/services/pcaconnectorscep/pom.xml +++ b/services/pcaconnectorscep/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT pcaconnectorscep AWS Java SDK :: Services :: Pca Connector Scep diff --git a/services/pcs/pom.xml b/services/pcs/pom.xml index a80b512863ab..77c1e5dccf72 100644 --- a/services/pcs/pom.xml +++ b/services/pcs/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT pcs AWS Java SDK :: Services :: PCS diff --git a/services/personalize/pom.xml b/services/personalize/pom.xml index 4d4e48db9c5e..98dd7abd009a 100644 --- a/services/personalize/pom.xml +++ b/services/personalize/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT personalize AWS Java SDK :: Services :: Personalize diff --git a/services/personalizeevents/pom.xml b/services/personalizeevents/pom.xml index 87919008b2ae..fae79bc936ec 100644 --- a/services/personalizeevents/pom.xml +++ b/services/personalizeevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT personalizeevents AWS Java SDK :: Services :: Personalize Events diff --git a/services/personalizeruntime/pom.xml b/services/personalizeruntime/pom.xml index 89b536754b3f..b05f60b3dade 100644 --- a/services/personalizeruntime/pom.xml +++ b/services/personalizeruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT personalizeruntime AWS Java SDK :: Services :: Personalize Runtime diff --git a/services/pi/pom.xml b/services/pi/pom.xml index 187a5dc40a19..c044851c8c54 100644 --- a/services/pi/pom.xml +++ b/services/pi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT pi AWS Java SDK :: Services :: PI diff --git a/services/pinpoint/pom.xml b/services/pinpoint/pom.xml index 00d356d47505..15aefcaf4b5d 100644 --- a/services/pinpoint/pom.xml +++ b/services/pinpoint/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT pinpoint AWS Java SDK :: Services :: Amazon Pinpoint diff --git a/services/pinpointemail/pom.xml b/services/pinpointemail/pom.xml index 5455173296a4..7f7c54ba3c71 100644 --- a/services/pinpointemail/pom.xml +++ b/services/pinpointemail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT pinpointemail AWS Java SDK :: Services :: Pinpoint Email diff --git a/services/pinpointsmsvoice/pom.xml b/services/pinpointsmsvoice/pom.xml index eb5cce811f48..62f35b758f76 100644 --- a/services/pinpointsmsvoice/pom.xml +++ b/services/pinpointsmsvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT pinpointsmsvoice AWS Java SDK :: Services :: Pinpoint SMS Voice diff --git a/services/pinpointsmsvoicev2/pom.xml b/services/pinpointsmsvoicev2/pom.xml index ab458575744c..774032304d74 100644 --- a/services/pinpointsmsvoicev2/pom.xml +++ b/services/pinpointsmsvoicev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT pinpointsmsvoicev2 AWS Java SDK :: Services :: Pinpoint SMS Voice V2 diff --git a/services/pipes/pom.xml b/services/pipes/pom.xml index 3544ea6c1f3e..650587348171 100644 --- a/services/pipes/pom.xml +++ b/services/pipes/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT pipes AWS Java SDK :: Services :: Pipes diff --git a/services/polly/pom.xml b/services/polly/pom.xml index fe087a6e37ee..fef4040cb964 100644 --- a/services/polly/pom.xml +++ b/services/polly/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT polly AWS Java SDK :: Services :: Amazon Polly diff --git a/services/pom.xml b/services/pom.xml index fdbe1c238355..3994f74d9e88 100644 --- a/services/pom.xml +++ b/services/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT services AWS Java SDK :: Services diff --git a/services/pricing/pom.xml b/services/pricing/pom.xml index c5dcd42b77f4..0f3dddafb53d 100644 --- a/services/pricing/pom.xml +++ b/services/pricing/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 pricing diff --git a/services/privatenetworks/pom.xml b/services/privatenetworks/pom.xml index 728df45f31da..77ba3931f4b2 100644 --- a/services/privatenetworks/pom.xml +++ b/services/privatenetworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT privatenetworks AWS Java SDK :: Services :: Private Networks diff --git a/services/proton/pom.xml b/services/proton/pom.xml index 0bae4785639a..ea13238d3991 100644 --- a/services/proton/pom.xml +++ b/services/proton/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT proton AWS Java SDK :: Services :: Proton diff --git a/services/qapps/pom.xml b/services/qapps/pom.xml index b981aab8d6ef..9d72ff92b45c 100644 --- a/services/qapps/pom.xml +++ b/services/qapps/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT qapps AWS Java SDK :: Services :: Q Apps diff --git a/services/qbusiness/pom.xml b/services/qbusiness/pom.xml index 156c3542e708..6ba50f0a8423 100644 --- a/services/qbusiness/pom.xml +++ b/services/qbusiness/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT qbusiness AWS Java SDK :: Services :: Q Business diff --git a/services/qconnect/pom.xml b/services/qconnect/pom.xml index 395263950327..88b8a8d2b5f7 100644 --- a/services/qconnect/pom.xml +++ b/services/qconnect/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT qconnect AWS Java SDK :: Services :: Q Connect diff --git a/services/qldb/pom.xml b/services/qldb/pom.xml index 87dde29e15eb..3747585bec86 100644 --- a/services/qldb/pom.xml +++ b/services/qldb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT qldb AWS Java SDK :: Services :: QLDB diff --git a/services/qldbsession/pom.xml b/services/qldbsession/pom.xml index 8b223dd1519a..1256d261777b 100644 --- a/services/qldbsession/pom.xml +++ b/services/qldbsession/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT qldbsession AWS Java SDK :: Services :: QLDB Session diff --git a/services/quicksight/pom.xml b/services/quicksight/pom.xml index 608ee8442ba4..9aac239df101 100644 --- a/services/quicksight/pom.xml +++ b/services/quicksight/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT quicksight AWS Java SDK :: Services :: QuickSight diff --git a/services/ram/pom.xml b/services/ram/pom.xml index 14da1b38a0d6..8022133693f4 100644 --- a/services/ram/pom.xml +++ b/services/ram/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ram AWS Java SDK :: Services :: RAM diff --git a/services/rbin/pom.xml b/services/rbin/pom.xml index 7dcb0708f24e..05ec9954f942 100644 --- a/services/rbin/pom.xml +++ b/services/rbin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT rbin AWS Java SDK :: Services :: Rbin diff --git a/services/rds/pom.xml b/services/rds/pom.xml index 87db4e7f5de4..f396d59a8e60 100644 --- a/services/rds/pom.xml +++ b/services/rds/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT rds AWS Java SDK :: Services :: Amazon RDS diff --git a/services/rdsdata/pom.xml b/services/rdsdata/pom.xml index 6c70ca61f547..9ffdad73f089 100644 --- a/services/rdsdata/pom.xml +++ b/services/rdsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT rdsdata AWS Java SDK :: Services :: RDS Data diff --git a/services/redshift/pom.xml b/services/redshift/pom.xml index 355085d4271b..e2c2f9cfd328 100644 --- a/services/redshift/pom.xml +++ b/services/redshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT redshift AWS Java SDK :: Services :: Amazon Redshift diff --git a/services/redshiftdata/pom.xml b/services/redshiftdata/pom.xml index 199db90fc3fc..cd1d4815bcf0 100644 --- a/services/redshiftdata/pom.xml +++ b/services/redshiftdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT redshiftdata AWS Java SDK :: Services :: Redshift Data diff --git a/services/redshiftserverless/pom.xml b/services/redshiftserverless/pom.xml index 8b9dc959db31..b4b36e111ba9 100644 --- a/services/redshiftserverless/pom.xml +++ b/services/redshiftserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT redshiftserverless AWS Java SDK :: Services :: Redshift Serverless diff --git a/services/rekognition/pom.xml b/services/rekognition/pom.xml index 8f4896fb4cf9..7f91e976a71c 100644 --- a/services/rekognition/pom.xml +++ b/services/rekognition/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT rekognition AWS Java SDK :: Services :: Amazon Rekognition diff --git a/services/repostspace/pom.xml b/services/repostspace/pom.xml index f15f7ea0a85d..1e1ae7e663de 100644 --- a/services/repostspace/pom.xml +++ b/services/repostspace/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT repostspace AWS Java SDK :: Services :: Repostspace diff --git a/services/resiliencehub/pom.xml b/services/resiliencehub/pom.xml index a439b8487b89..9d7b3bba276a 100644 --- a/services/resiliencehub/pom.xml +++ b/services/resiliencehub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT resiliencehub AWS Java SDK :: Services :: Resiliencehub diff --git a/services/resourceexplorer2/pom.xml b/services/resourceexplorer2/pom.xml index 803fe9cbd252..e3785a6abaee 100644 --- a/services/resourceexplorer2/pom.xml +++ b/services/resourceexplorer2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT resourceexplorer2 AWS Java SDK :: Services :: Resource Explorer 2 diff --git a/services/resourcegroups/pom.xml b/services/resourcegroups/pom.xml index c96577d8efd9..ea1b16ceb2a5 100644 --- a/services/resourcegroups/pom.xml +++ b/services/resourcegroups/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 resourcegroups diff --git a/services/resourcegroupstaggingapi/pom.xml b/services/resourcegroupstaggingapi/pom.xml index 099f0c4bdf48..4826ee8e23c8 100644 --- a/services/resourcegroupstaggingapi/pom.xml +++ b/services/resourcegroupstaggingapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT resourcegroupstaggingapi AWS Java SDK :: Services :: AWS Resource Groups Tagging API diff --git a/services/robomaker/pom.xml b/services/robomaker/pom.xml index 9c60e520490c..6b926736f2d6 100644 --- a/services/robomaker/pom.xml +++ b/services/robomaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT robomaker AWS Java SDK :: Services :: RoboMaker diff --git a/services/rolesanywhere/pom.xml b/services/rolesanywhere/pom.xml index b860ffaaf909..887767bde9f6 100644 --- a/services/rolesanywhere/pom.xml +++ b/services/rolesanywhere/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT rolesanywhere AWS Java SDK :: Services :: Roles Anywhere diff --git a/services/route53/pom.xml b/services/route53/pom.xml index 676484c4a15a..e86af980aaae 100644 --- a/services/route53/pom.xml +++ b/services/route53/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT route53 AWS Java SDK :: Services :: Amazon Route53 diff --git a/services/route53domains/pom.xml b/services/route53domains/pom.xml index 61d4f55ad995..cbb48ac26b91 100644 --- a/services/route53domains/pom.xml +++ b/services/route53domains/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT route53domains AWS Java SDK :: Services :: Amazon Route53 Domains diff --git a/services/route53profiles/pom.xml b/services/route53profiles/pom.xml index 8fbf78ae4898..0ef2549382a1 100644 --- a/services/route53profiles/pom.xml +++ b/services/route53profiles/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT route53profiles AWS Java SDK :: Services :: Route53 Profiles diff --git a/services/route53recoverycluster/pom.xml b/services/route53recoverycluster/pom.xml index dc19cff78fbe..19524b96da49 100644 --- a/services/route53recoverycluster/pom.xml +++ b/services/route53recoverycluster/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT route53recoverycluster AWS Java SDK :: Services :: Route53 Recovery Cluster diff --git a/services/route53recoverycontrolconfig/pom.xml b/services/route53recoverycontrolconfig/pom.xml index f4bb6898f905..2527e19632cb 100644 --- a/services/route53recoverycontrolconfig/pom.xml +++ b/services/route53recoverycontrolconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT route53recoverycontrolconfig AWS Java SDK :: Services :: Route53 Recovery Control Config diff --git a/services/route53recoveryreadiness/pom.xml b/services/route53recoveryreadiness/pom.xml index e192f0c3d156..3bc1d6d618ce 100644 --- a/services/route53recoveryreadiness/pom.xml +++ b/services/route53recoveryreadiness/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT route53recoveryreadiness AWS Java SDK :: Services :: Route53 Recovery Readiness diff --git a/services/route53resolver/pom.xml b/services/route53resolver/pom.xml index 797be0bbe3f0..0d2a9d756fa4 100644 --- a/services/route53resolver/pom.xml +++ b/services/route53resolver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT route53resolver AWS Java SDK :: Services :: Route53Resolver diff --git a/services/rum/pom.xml b/services/rum/pom.xml index b567e267ca6c..6caf36b3b779 100644 --- a/services/rum/pom.xml +++ b/services/rum/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT rum AWS Java SDK :: Services :: RUM diff --git a/services/s3/pom.xml b/services/s3/pom.xml index e26c10abda75..fb27d235325b 100644 --- a/services/s3/pom.xml +++ b/services/s3/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT s3 AWS Java SDK :: Services :: Amazon S3 diff --git a/services/s3control/pom.xml b/services/s3control/pom.xml index 0cba66ca9d0c..0849b437ecc0 100644 --- a/services/s3control/pom.xml +++ b/services/s3control/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT s3control AWS Java SDK :: Services :: Amazon S3 Control diff --git a/services/s3outposts/pom.xml b/services/s3outposts/pom.xml index 6d2ce4798865..186308ccb181 100644 --- a/services/s3outposts/pom.xml +++ b/services/s3outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT s3outposts AWS Java SDK :: Services :: S3 Outposts diff --git a/services/sagemaker/pom.xml b/services/sagemaker/pom.xml index 2b06869c45d5..5f78dedce020 100644 --- a/services/sagemaker/pom.xml +++ b/services/sagemaker/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 sagemaker diff --git a/services/sagemakera2iruntime/pom.xml b/services/sagemakera2iruntime/pom.xml index 9107c244d984..9f072ac12763 100644 --- a/services/sagemakera2iruntime/pom.xml +++ b/services/sagemakera2iruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT sagemakera2iruntime AWS Java SDK :: Services :: SageMaker A2I Runtime diff --git a/services/sagemakeredge/pom.xml b/services/sagemakeredge/pom.xml index fc0e81936f4d..0cae6c22e16f 100644 --- a/services/sagemakeredge/pom.xml +++ b/services/sagemakeredge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT sagemakeredge AWS Java SDK :: Services :: Sagemaker Edge diff --git a/services/sagemakerfeaturestoreruntime/pom.xml b/services/sagemakerfeaturestoreruntime/pom.xml index a29e42eea68a..bbdaadd29ca4 100644 --- a/services/sagemakerfeaturestoreruntime/pom.xml +++ b/services/sagemakerfeaturestoreruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT sagemakerfeaturestoreruntime AWS Java SDK :: Services :: Sage Maker Feature Store Runtime diff --git a/services/sagemakergeospatial/pom.xml b/services/sagemakergeospatial/pom.xml index d9dd6d24f5f2..7714e7f800be 100644 --- a/services/sagemakergeospatial/pom.xml +++ b/services/sagemakergeospatial/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT sagemakergeospatial AWS Java SDK :: Services :: Sage Maker Geospatial diff --git a/services/sagemakermetrics/pom.xml b/services/sagemakermetrics/pom.xml index 5457ba35f91c..48a2128d8423 100644 --- a/services/sagemakermetrics/pom.xml +++ b/services/sagemakermetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT sagemakermetrics AWS Java SDK :: Services :: Sage Maker Metrics diff --git a/services/sagemakerruntime/pom.xml b/services/sagemakerruntime/pom.xml index a71f29c00f1c..e01d89897fd8 100644 --- a/services/sagemakerruntime/pom.xml +++ b/services/sagemakerruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT sagemakerruntime AWS Java SDK :: Services :: SageMaker Runtime diff --git a/services/savingsplans/pom.xml b/services/savingsplans/pom.xml index 620ea134c7bf..b64857bd8118 100644 --- a/services/savingsplans/pom.xml +++ b/services/savingsplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT savingsplans AWS Java SDK :: Services :: Savingsplans diff --git a/services/scheduler/pom.xml b/services/scheduler/pom.xml index 184189b91b32..a946bf983138 100644 --- a/services/scheduler/pom.xml +++ b/services/scheduler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT scheduler AWS Java SDK :: Services :: Scheduler diff --git a/services/schemas/pom.xml b/services/schemas/pom.xml index 1670075d0679..d4e6ac26fecc 100644 --- a/services/schemas/pom.xml +++ b/services/schemas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT schemas AWS Java SDK :: Services :: Schemas diff --git a/services/secretsmanager/pom.xml b/services/secretsmanager/pom.xml index 62ca71857b76..ddfe64bd4a3f 100644 --- a/services/secretsmanager/pom.xml +++ b/services/secretsmanager/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT secretsmanager AWS Java SDK :: Services :: AWS Secrets Manager diff --git a/services/securityhub/pom.xml b/services/securityhub/pom.xml index 8e29649b57f0..0133a69a6181 100644 --- a/services/securityhub/pom.xml +++ b/services/securityhub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT securityhub AWS Java SDK :: Services :: SecurityHub diff --git a/services/securitylake/pom.xml b/services/securitylake/pom.xml index 4718d749b0cf..62d83e446f8d 100644 --- a/services/securitylake/pom.xml +++ b/services/securitylake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT securitylake AWS Java SDK :: Services :: Security Lake diff --git a/services/serverlessapplicationrepository/pom.xml b/services/serverlessapplicationrepository/pom.xml index f5c5f02578ba..1b6d3a9bef8d 100644 --- a/services/serverlessapplicationrepository/pom.xml +++ b/services/serverlessapplicationrepository/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 serverlessapplicationrepository diff --git a/services/servicecatalog/pom.xml b/services/servicecatalog/pom.xml index e5dbfdc6cb76..94f95e79ebb7 100644 --- a/services/servicecatalog/pom.xml +++ b/services/servicecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT servicecatalog AWS Java SDK :: Services :: AWS Service Catalog diff --git a/services/servicecatalogappregistry/pom.xml b/services/servicecatalogappregistry/pom.xml index 730161047f59..89195ebd9649 100644 --- a/services/servicecatalogappregistry/pom.xml +++ b/services/servicecatalogappregistry/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT servicecatalogappregistry AWS Java SDK :: Services :: Service Catalog App Registry diff --git a/services/servicediscovery/pom.xml b/services/servicediscovery/pom.xml index fafbd6a90324..5a3af42fa91a 100644 --- a/services/servicediscovery/pom.xml +++ b/services/servicediscovery/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 servicediscovery diff --git a/services/servicequotas/pom.xml b/services/servicequotas/pom.xml index a52547d446a3..d30f7d1b603f 100644 --- a/services/servicequotas/pom.xml +++ b/services/servicequotas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT servicequotas AWS Java SDK :: Services :: Service Quotas diff --git a/services/ses/pom.xml b/services/ses/pom.xml index 97de84a57b1c..6d87c0bac491 100644 --- a/services/ses/pom.xml +++ b/services/ses/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ses AWS Java SDK :: Services :: Amazon SES diff --git a/services/sesv2/pom.xml b/services/sesv2/pom.xml index a25eff8ae105..b9bf9cfe18c0 100644 --- a/services/sesv2/pom.xml +++ b/services/sesv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT sesv2 AWS Java SDK :: Services :: SESv2 diff --git a/services/sfn/pom.xml b/services/sfn/pom.xml index 2506b9915db0..54a4fc522b29 100644 --- a/services/sfn/pom.xml +++ b/services/sfn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT sfn AWS Java SDK :: Services :: AWS Step Functions diff --git a/services/shield/pom.xml b/services/shield/pom.xml index 42408366f902..0a2719b0d549 100644 --- a/services/shield/pom.xml +++ b/services/shield/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT shield AWS Java SDK :: Services :: AWS Shield diff --git a/services/signer/pom.xml b/services/signer/pom.xml index d3ab8549763c..6d1183aeb36d 100644 --- a/services/signer/pom.xml +++ b/services/signer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT signer AWS Java SDK :: Services :: Signer diff --git a/services/simspaceweaver/pom.xml b/services/simspaceweaver/pom.xml index 121349ef4182..743200e5c6d9 100644 --- a/services/simspaceweaver/pom.xml +++ b/services/simspaceweaver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT simspaceweaver AWS Java SDK :: Services :: Sim Space Weaver diff --git a/services/sms/pom.xml b/services/sms/pom.xml index a066faf9b892..883368f4e8b1 100644 --- a/services/sms/pom.xml +++ b/services/sms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT sms AWS Java SDK :: Services :: AWS Server Migration diff --git a/services/snowball/pom.xml b/services/snowball/pom.xml index 19387fb02868..5674c0429f67 100644 --- a/services/snowball/pom.xml +++ b/services/snowball/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT snowball AWS Java SDK :: Services :: Amazon Snowball diff --git a/services/snowdevicemanagement/pom.xml b/services/snowdevicemanagement/pom.xml index 953cc3855818..465054404a8c 100644 --- a/services/snowdevicemanagement/pom.xml +++ b/services/snowdevicemanagement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT snowdevicemanagement AWS Java SDK :: Services :: Snow Device Management diff --git a/services/sns/pom.xml b/services/sns/pom.xml index 85eecd0d2e04..5e7bc43953b1 100644 --- a/services/sns/pom.xml +++ b/services/sns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT sns AWS Java SDK :: Services :: Amazon SNS diff --git a/services/sqs/pom.xml b/services/sqs/pom.xml index 8e8adf8d4354..00f55724d9bf 100644 --- a/services/sqs/pom.xml +++ b/services/sqs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT sqs AWS Java SDK :: Services :: Amazon SQS diff --git a/services/ssm/pom.xml b/services/ssm/pom.xml index 7cabcc8b07dc..8dac1fb650bb 100644 --- a/services/ssm/pom.xml +++ b/services/ssm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ssm AWS Java SDK :: Services :: AWS Simple Systems Management (SSM) diff --git a/services/ssmcontacts/pom.xml b/services/ssmcontacts/pom.xml index 8dc363e9727c..e4b832e7223e 100644 --- a/services/ssmcontacts/pom.xml +++ b/services/ssmcontacts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ssmcontacts AWS Java SDK :: Services :: SSM Contacts diff --git a/services/ssmincidents/pom.xml b/services/ssmincidents/pom.xml index b8c17d9ecdba..d90548ff8209 100644 --- a/services/ssmincidents/pom.xml +++ b/services/ssmincidents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ssmincidents AWS Java SDK :: Services :: SSM Incidents diff --git a/services/ssmquicksetup/pom.xml b/services/ssmquicksetup/pom.xml index 8b1dd6ac5718..76bad38a41aa 100644 --- a/services/ssmquicksetup/pom.xml +++ b/services/ssmquicksetup/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ssmquicksetup AWS Java SDK :: Services :: SSM Quick Setup diff --git a/services/ssmsap/pom.xml b/services/ssmsap/pom.xml index bb8db3cefa1a..7a2f7db12777 100644 --- a/services/ssmsap/pom.xml +++ b/services/ssmsap/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ssmsap AWS Java SDK :: Services :: Ssm Sap diff --git a/services/sso/pom.xml b/services/sso/pom.xml index 4291111712db..27c03a7922eb 100644 --- a/services/sso/pom.xml +++ b/services/sso/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT sso AWS Java SDK :: Services :: SSO diff --git a/services/ssoadmin/pom.xml b/services/ssoadmin/pom.xml index eae6197b881b..6d9e0c5f580d 100644 --- a/services/ssoadmin/pom.xml +++ b/services/ssoadmin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ssoadmin AWS Java SDK :: Services :: SSO Admin diff --git a/services/ssooidc/pom.xml b/services/ssooidc/pom.xml index c8b4ea6e7b03..15dc3bd7aa9a 100644 --- a/services/ssooidc/pom.xml +++ b/services/ssooidc/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ssooidc AWS Java SDK :: Services :: SSO OIDC diff --git a/services/storagegateway/pom.xml b/services/storagegateway/pom.xml index 5c544a1c20a9..c7d10325d361 100644 --- a/services/storagegateway/pom.xml +++ b/services/storagegateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT storagegateway AWS Java SDK :: Services :: AWS Storage Gateway diff --git a/services/sts/pom.xml b/services/sts/pom.xml index a051ad6a3fcb..39f5bbbc3508 100644 --- a/services/sts/pom.xml +++ b/services/sts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT sts AWS Java SDK :: Services :: AWS STS diff --git a/services/supplychain/pom.xml b/services/supplychain/pom.xml index 491a712c0518..a6cd201fcf08 100644 --- a/services/supplychain/pom.xml +++ b/services/supplychain/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT supplychain AWS Java SDK :: Services :: Supply Chain diff --git a/services/support/pom.xml b/services/support/pom.xml index fde1d051fd60..a00c713f273a 100644 --- a/services/support/pom.xml +++ b/services/support/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT support AWS Java SDK :: Services :: AWS Support diff --git a/services/supportapp/pom.xml b/services/supportapp/pom.xml index 85c4f68a22bc..61eb76ff1684 100644 --- a/services/supportapp/pom.xml +++ b/services/supportapp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT supportapp AWS Java SDK :: Services :: Support App diff --git a/services/swf/pom.xml b/services/swf/pom.xml index 473880025cee..eee217e1023f 100644 --- a/services/swf/pom.xml +++ b/services/swf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT swf AWS Java SDK :: Services :: Amazon SWF diff --git a/services/synthetics/pom.xml b/services/synthetics/pom.xml index 848b54f204a9..646e37f245aa 100644 --- a/services/synthetics/pom.xml +++ b/services/synthetics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT synthetics AWS Java SDK :: Services :: Synthetics diff --git a/services/taxsettings/pom.xml b/services/taxsettings/pom.xml index ab541fa8a1df..6f308fb3b91a 100644 --- a/services/taxsettings/pom.xml +++ b/services/taxsettings/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT taxsettings AWS Java SDK :: Services :: Tax Settings diff --git a/services/textract/pom.xml b/services/textract/pom.xml index b42ddb5bef51..29dcf6f94937 100644 --- a/services/textract/pom.xml +++ b/services/textract/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT textract AWS Java SDK :: Services :: Textract diff --git a/services/timestreaminfluxdb/pom.xml b/services/timestreaminfluxdb/pom.xml index b73fcccb4e99..b53b8b33433c 100644 --- a/services/timestreaminfluxdb/pom.xml +++ b/services/timestreaminfluxdb/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT timestreaminfluxdb AWS Java SDK :: Services :: Timestream Influx DB diff --git a/services/timestreamquery/pom.xml b/services/timestreamquery/pom.xml index 100975636527..a45a55f1657f 100644 --- a/services/timestreamquery/pom.xml +++ b/services/timestreamquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT timestreamquery AWS Java SDK :: Services :: Timestream Query diff --git a/services/timestreamwrite/pom.xml b/services/timestreamwrite/pom.xml index 01c01a0c432e..26ba410753e2 100644 --- a/services/timestreamwrite/pom.xml +++ b/services/timestreamwrite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT timestreamwrite AWS Java SDK :: Services :: Timestream Write diff --git a/services/tnb/pom.xml b/services/tnb/pom.xml index f8d754733e04..aad0251455ec 100644 --- a/services/tnb/pom.xml +++ b/services/tnb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT tnb AWS Java SDK :: Services :: Tnb diff --git a/services/transcribe/pom.xml b/services/transcribe/pom.xml index fb104c61db64..9fc7e1b61f2b 100644 --- a/services/transcribe/pom.xml +++ b/services/transcribe/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT transcribe AWS Java SDK :: Services :: Transcribe diff --git a/services/transcribestreaming/pom.xml b/services/transcribestreaming/pom.xml index 4bd8f9a44756..d73d78a3aefa 100644 --- a/services/transcribestreaming/pom.xml +++ b/services/transcribestreaming/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT transcribestreaming AWS Java SDK :: Services :: AWS Transcribe Streaming diff --git a/services/transfer/pom.xml b/services/transfer/pom.xml index 45dfe0cdea0a..84eb6b5df584 100644 --- a/services/transfer/pom.xml +++ b/services/transfer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT transfer AWS Java SDK :: Services :: Transfer diff --git a/services/translate/pom.xml b/services/translate/pom.xml index 570ee645dc75..f1f0e8331e44 100644 --- a/services/translate/pom.xml +++ b/services/translate/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 translate diff --git a/services/trustedadvisor/pom.xml b/services/trustedadvisor/pom.xml index f658bf1ee499..a2d188dee3cc 100644 --- a/services/trustedadvisor/pom.xml +++ b/services/trustedadvisor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT trustedadvisor AWS Java SDK :: Services :: Trusted Advisor diff --git a/services/verifiedpermissions/pom.xml b/services/verifiedpermissions/pom.xml index f0d859a0693c..58959279d61c 100644 --- a/services/verifiedpermissions/pom.xml +++ b/services/verifiedpermissions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT verifiedpermissions AWS Java SDK :: Services :: Verified Permissions diff --git a/services/voiceid/pom.xml b/services/voiceid/pom.xml index 85471e49b57d..0dedd744a77e 100644 --- a/services/voiceid/pom.xml +++ b/services/voiceid/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT voiceid AWS Java SDK :: Services :: Voice ID diff --git a/services/vpclattice/pom.xml b/services/vpclattice/pom.xml index fbb8fce92b98..fa9b4f26b480 100644 --- a/services/vpclattice/pom.xml +++ b/services/vpclattice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT vpclattice AWS Java SDK :: Services :: VPC Lattice diff --git a/services/waf/pom.xml b/services/waf/pom.xml index f67176a38863..ecde02b067f8 100644 --- a/services/waf/pom.xml +++ b/services/waf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT waf AWS Java SDK :: Services :: AWS WAF diff --git a/services/wafv2/pom.xml b/services/wafv2/pom.xml index e4e0d4e0d1c5..02f6685db0bd 100644 --- a/services/wafv2/pom.xml +++ b/services/wafv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT wafv2 AWS Java SDK :: Services :: WAFV2 diff --git a/services/wellarchitected/pom.xml b/services/wellarchitected/pom.xml index 29cda9cac478..425dfbf67c84 100644 --- a/services/wellarchitected/pom.xml +++ b/services/wellarchitected/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT wellarchitected AWS Java SDK :: Services :: Well Architected diff --git a/services/wisdom/pom.xml b/services/wisdom/pom.xml index e5c7dcf4eb70..0ea8c2bdc6a5 100644 --- a/services/wisdom/pom.xml +++ b/services/wisdom/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT wisdom AWS Java SDK :: Services :: Wisdom diff --git a/services/workdocs/pom.xml b/services/workdocs/pom.xml index e70d67e176d3..4e644271e147 100644 --- a/services/workdocs/pom.xml +++ b/services/workdocs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT workdocs AWS Java SDK :: Services :: Amazon WorkDocs diff --git a/services/worklink/pom.xml b/services/worklink/pom.xml index 40f8be32949d..96f4af96a69b 100644 --- a/services/worklink/pom.xml +++ b/services/worklink/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT worklink AWS Java SDK :: Services :: WorkLink diff --git a/services/workmail/pom.xml b/services/workmail/pom.xml index f6a5961b1e98..15988ad61b3d 100644 --- a/services/workmail/pom.xml +++ b/services/workmail/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 workmail diff --git a/services/workmailmessageflow/pom.xml b/services/workmailmessageflow/pom.xml index 68bad17a6055..0ef0f1f0b1a0 100644 --- a/services/workmailmessageflow/pom.xml +++ b/services/workmailmessageflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT workmailmessageflow AWS Java SDK :: Services :: WorkMailMessageFlow diff --git a/services/workspaces/pom.xml b/services/workspaces/pom.xml index 8740e9405438..47125badbaf3 100644 --- a/services/workspaces/pom.xml +++ b/services/workspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT workspaces AWS Java SDK :: Services :: Amazon WorkSpaces diff --git a/services/workspacesthinclient/pom.xml b/services/workspacesthinclient/pom.xml index 226f728009dd..0bc8f8ba4cfb 100644 --- a/services/workspacesthinclient/pom.xml +++ b/services/workspacesthinclient/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT workspacesthinclient AWS Java SDK :: Services :: Work Spaces Thin Client diff --git a/services/workspacesweb/pom.xml b/services/workspacesweb/pom.xml index f7aa5792a926..04ba75571b0a 100644 --- a/services/workspacesweb/pom.xml +++ b/services/workspacesweb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT workspacesweb AWS Java SDK :: Services :: Work Spaces Web diff --git a/services/xray/pom.xml b/services/xray/pom.xml index 91feff4aa2a7..f48ae22c09e5 100644 --- a/services/xray/pom.xml +++ b/services/xray/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT xray AWS Java SDK :: Services :: AWS X-Ray diff --git a/test/auth-tests/pom.xml b/test/auth-tests/pom.xml index 269e757bce7c..1f111cfdc434 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/bundle-logging-bridge-binding-test/pom.xml b/test/bundle-logging-bridge-binding-test/pom.xml index 25c983577893..3d94f8ea5b6f 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/bundle-shading-tests/pom.xml b/test/bundle-shading-tests/pom.xml index a84535cee326..f0f70e7ede7e 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/codegen-generated-classes-test/pom.xml b/test/codegen-generated-classes-test/pom.xml index 6f583084f2a5..4b8c59f159b6 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ../../pom.xml diff --git a/test/crt-unavailable-tests/pom.xml b/test/crt-unavailable-tests/pom.xml index de14dc75a1ac..26bf6e13be03 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/http-client-tests/pom.xml b/test/http-client-tests/pom.xml index a674e7e23701..19b7f8dd9510 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ../../pom.xml http-client-tests diff --git a/test/module-path-tests/pom.xml b/test/module-path-tests/pom.xml index f0407bbd8136..05dc91a3e47c 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/old-client-version-compatibility-test/pom.xml b/test/old-client-version-compatibility-test/pom.xml index ea525ac4e0cb..c278ca9dbd3d 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ../../pom.xml diff --git a/test/protocol-tests-core/pom.xml b/test/protocol-tests-core/pom.xml index 31aab1125967..88e857d33e53 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/protocol-tests/pom.xml b/test/protocol-tests/pom.xml index d073fc63c86a..93f68a96683e 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/region-testing/pom.xml b/test/region-testing/pom.xml index 46098234c65b..9ff4b0d907ff 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/ruleset-testing-core/pom.xml b/test/ruleset-testing-core/pom.xml index 6f1b1c2451a6..f88d904ff426 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/s3-benchmarks/pom.xml b/test/s3-benchmarks/pom.xml index 194ea0d95189..31563854f3f0 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/sdk-benchmarks/pom.xml b/test/sdk-benchmarks/pom.xml index ba28496f1e18..2034e66cf444 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ../../pom.xml diff --git a/test/sdk-native-image-test/pom.xml b/test/sdk-native-image-test/pom.xml index 9390fde3a8e8..79c3a03936ca 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/service-test-utils/pom.xml b/test/service-test-utils/pom.xml index 33ed88373e7a..06efa330ac69 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ../../pom.xml service-test-utils diff --git a/test/stability-tests/pom.xml b/test/stability-tests/pom.xml index cc6e2615f711..8e92497eff0e 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/test-utils/pom.xml b/test/test-utils/pom.xml index f4182ef1f8fa..116e1d5cc3a1 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ../../pom.xml test-utils diff --git a/test/tests-coverage-reporting/pom.xml b/test/tests-coverage-reporting/pom.xml index 6d90ece2d94a..553c1700d303 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/v2-migration-tests/pom.xml b/test/v2-migration-tests/pom.xml index 980f4bc5e8f7..696b4fdede2a 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ../.. diff --git a/third-party/pom.xml b/third-party/pom.xml index 0ea43509ef2f..d9df31884c93 100644 --- a/third-party/pom.xml +++ b/third-party/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT third-party diff --git a/third-party/third-party-jackson-core/pom.xml b/third-party/third-party-jackson-core/pom.xml index 98d0da9df473..92830730aca5 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 diff --git a/third-party/third-party-jackson-dataformat-cbor/pom.xml b/third-party/third-party-jackson-dataformat-cbor/pom.xml index bb25f9cf62b7..b9c8a28678e8 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 diff --git a/third-party/third-party-slf4j-api/pom.xml b/third-party/third-party-slf4j-api/pom.xml index 8caf6c7e58a5..149d17fede81 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.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 diff --git a/utils/pom.xml b/utils/pom.xml index 23ca909fc891..0a26de96cd1f 100644 --- a/utils/pom.xml +++ b/utils/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT 4.0.0 diff --git a/v2-migration/pom.xml b/v2-migration/pom.xml index 80f18e541b4a..21dabdb3bff6 100644 --- a/v2-migration/pom.xml +++ b/v2-migration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.27.25-SNAPSHOT + 2.28.0-SNAPSHOT ../pom.xml From 7774dcc4532cafc02a7128c9762b7aa982dba5d5 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Thu, 12 Sep 2024 18:09:22 +0000 Subject: [PATCH 067/108] AWS Storage Gateway Update: The S3 File Gateway now supports DSSE-KMS encryption. A new parameter EncryptionType is added to these APIs: CreateSmbFileShare, CreateNfsFileShare, UpdateSmbFileShare, UpdateNfsFileShare, DescribeSmbFileShares, DescribeNfsFileShares. Also, in favor of EncryptionType, KmsEncrypted is deprecated. --- .../feature-AWSStorageGateway-5a53f4a.json | 6 ++ .../codegen-resources/service-2.json | 93 ++++++++++++++----- 2 files changed, 75 insertions(+), 24 deletions(-) create mode 100644 .changes/next-release/feature-AWSStorageGateway-5a53f4a.json diff --git a/.changes/next-release/feature-AWSStorageGateway-5a53f4a.json b/.changes/next-release/feature-AWSStorageGateway-5a53f4a.json new file mode 100644 index 000000000000..96bc7e70bbed --- /dev/null +++ b/.changes/next-release/feature-AWSStorageGateway-5a53f4a.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "AWS Storage Gateway", + "contributor": "", + "description": "The S3 File Gateway now supports DSSE-KMS encryption. A new parameter EncryptionType is added to these APIs: CreateSmbFileShare, CreateNfsFileShare, UpdateSmbFileShare, UpdateNfsFileShare, DescribeSmbFileShares, DescribeNfsFileShares. Also, in favor of EncryptionType, KmsEncrypted is deprecated." +} diff --git a/services/storagegateway/src/main/resources/codegen-resources/service-2.json b/services/storagegateway/src/main/resources/codegen-resources/service-2.json index 93da2d52d468..30ab09c11704 100644 --- a/services/storagegateway/src/main/resources/codegen-resources/service-2.json +++ b/services/storagegateway/src/main/resources/codegen-resources/service-2.json @@ -1952,13 +1952,19 @@ "shape":"GatewayARN", "documentation":"

The Amazon Resource Name (ARN) of the S3 File Gateway on which you want to create a file share.

" }, + "EncryptionType":{ + "shape":"EncryptionType", + "documentation":"

A value that specifies the type of server-side encryption that the file share will use for the data that it stores in Amazon S3.

We recommend using EncryptionType instead of KMSEncrypted to set the file share encryption method. You do not need to provide values for both parameters.

If values for both parameters exist in the same request, then the specified encryption methods must not conflict. For example, if EncryptionType is SseS3, then KMSEncrypted must be false. If EncryptionType is SseKms or DsseKms, then KMSEncrypted must be true.

" + }, "KMSEncrypted":{ "shape":"Boolean", - "documentation":"

Set to true to use Amazon S3 server-side encryption with your own KMS key, or false to use a key managed by Amazon S3. Optional.

Valid Values: true | false

" + "documentation":"

Optional. Set to true to use Amazon S3 server-side encryption with your own KMS key (SSE-KMS), or false to use a key managed by Amazon S3 (SSE-S3). To use dual-layer encryption (DSSE-KMS), set the EncryptionType parameter instead.

We recommend using EncryptionType instead of KMSEncrypted to set the file share encryption method. You do not need to provide values for both parameters.

If values for both parameters exist in the same request, then the specified encryption methods must not conflict. For example, if EncryptionType is SseS3, then KMSEncrypted must be false. If EncryptionType is SseKms or DsseKms, then KMSEncrypted must be true.

Valid Values: true | false

", + "deprecated":true, + "deprecatedMessage":"KMSEncrypted is deprecated, use EncryptionType instead." }, "KMSKey":{ "shape":"KMSKey", - "documentation":"

The Amazon Resource Name (ARN) of a symmetric customer master key (CMK) used for Amazon S3 server-side encryption. Storage Gateway does not support asymmetric CMKs. This value can only be set when KMSEncrypted is true. Optional.

" + "documentation":"

Optional. The Amazon Resource Name (ARN) of a symmetric customer master key (CMK) used for Amazon S3 server-side encryption. Storage Gateway does not support asymmetric CMKs. This value must be set if KMSEncrypted is true, or if EncryptionType is SseKms or DsseKms.

" }, "Role":{ "shape":"Role", @@ -2010,7 +2016,7 @@ }, "NotificationPolicy":{ "shape":"NotificationPolicy", - "documentation":"

The notification policy of the file share. SettlingTimeInSeconds controls the number of seconds to wait after the last point in time a client wrote to a file before generating an ObjectUploaded notification. Because clients can make many small writes to files, it's best to set this parameter for as long as possible to avoid generating multiple notifications for the same file in a small time period.

SettlingTimeInSeconds has no effect on the timing of the object uploading to Amazon S3, only the timing of the notification.

The following example sets NotificationPolicy on with SettlingTimeInSeconds set to 60.

{\\\"Upload\\\": {\\\"SettlingTimeInSeconds\\\": 60}}

The following example sets NotificationPolicy off.

{}

" + "documentation":"

The notification policy of the file share. SettlingTimeInSeconds controls the number of seconds to wait after the last point in time a client wrote to a file before generating an ObjectUploaded notification. Because clients can make many small writes to files, it's best to set this parameter for as long as possible to avoid generating multiple notifications for the same file in a small time period.

SettlingTimeInSeconds has no effect on the timing of the object uploading to Amazon S3, only the timing of the notification.

This setting is not meant to specify an exact time at which the notification will be sent. In some cases, the gateway might require more than the specified delay time to generate and send notifications.

The following example sets NotificationPolicy on with SettlingTimeInSeconds set to 60.

{\\\"Upload\\\": {\\\"SettlingTimeInSeconds\\\": 60}}

The following example sets NotificationPolicy off.

{}

" }, "VPCEndpointDNSName":{ "shape":"DNSHostName", @@ -2054,13 +2060,19 @@ "shape":"GatewayARN", "documentation":"

The ARN of the S3 File Gateway on which you want to create a file share.

" }, + "EncryptionType":{ + "shape":"EncryptionType", + "documentation":"

A value that specifies the type of server-side encryption that the file share will use for the data that it stores in Amazon S3.

We recommend using EncryptionType instead of KMSEncrypted to set the file share encryption method. You do not need to provide values for both parameters.

If values for both parameters exist in the same request, then the specified encryption methods must not conflict. For example, if EncryptionType is SseS3, then KMSEncrypted must be false. If EncryptionType is SseKms or DsseKms, then KMSEncrypted must be true.

" + }, "KMSEncrypted":{ "shape":"Boolean", - "documentation":"

Set to true to use Amazon S3 server-side encryption with your own KMS key, or false to use a key managed by Amazon S3. Optional.

Valid Values: true | false

" + "documentation":"

Optional. Set to true to use Amazon S3 server-side encryption with your own KMS key (SSE-KMS), or false to use a key managed by Amazon S3 (SSE-S3). To use dual-layer encryption (DSSE-KMS), set the EncryptionType parameter instead.

We recommend using EncryptionType instead of KMSEncrypted to set the file share encryption method. You do not need to provide values for both parameters.

If values for both parameters exist in the same request, then the specified encryption methods must not conflict. For example, if EncryptionType is SseS3, then KMSEncrypted must be false. If EncryptionType is SseKms or DsseKms, then KMSEncrypted must be true.

Valid Values: true | false

", + "deprecated":true, + "deprecatedMessage":"KMSEncrypted is deprecated, use EncryptionType instead." }, "KMSKey":{ "shape":"KMSKey", - "documentation":"

The Amazon Resource Name (ARN) of a symmetric customer master key (CMK) used for Amazon S3 server-side encryption. Storage Gateway does not support asymmetric CMKs. This value can only be set when KMSEncrypted is true. Optional.

" + "documentation":"

Optional. The Amazon Resource Name (ARN) of a symmetric customer master key (CMK) used for Amazon S3 server-side encryption. Storage Gateway does not support asymmetric CMKs. This value must be set if KMSEncrypted is true, or if EncryptionType is SseKms or DsseKms.

" }, "Role":{ "shape":"Role", @@ -2092,7 +2104,7 @@ }, "SMBACLEnabled":{ "shape":"Boolean", - "documentation":"

Set this value to true to enable access control list (ACL) on the SMB file share. Set it to false to map file and directory permissions to the POSIX permissions.

For more information, see Using Microsoft Windows ACLs to control access to an SMB file share in the Storage Gateway User Guide.

Valid Values: true | false

" + "documentation":"

Set this value to true to enable access control list (ACL) on the SMB file share. Set it to false to map file and directory permissions to the POSIX permissions.

For more information, see Using Windows ACLs to limit SMB file share access in the Amazon S3 File Gateway User Guide.

Valid Values: true | false

" }, "AccessBasedEnumeration":{ "shape":"Boolean", @@ -2136,7 +2148,7 @@ }, "NotificationPolicy":{ "shape":"NotificationPolicy", - "documentation":"

The notification policy of the file share. SettlingTimeInSeconds controls the number of seconds to wait after the last point in time a client wrote to a file before generating an ObjectUploaded notification. Because clients can make many small writes to files, it's best to set this parameter for as long as possible to avoid generating multiple notifications for the same file in a small time period.

SettlingTimeInSeconds has no effect on the timing of the object uploading to Amazon S3, only the timing of the notification.

The following example sets NotificationPolicy on with SettlingTimeInSeconds set to 60.

{\\\"Upload\\\": {\\\"SettlingTimeInSeconds\\\": 60}}

The following example sets NotificationPolicy off.

{}

" + "documentation":"

The notification policy of the file share. SettlingTimeInSeconds controls the number of seconds to wait after the last point in time a client wrote to a file before generating an ObjectUploaded notification. Because clients can make many small writes to files, it's best to set this parameter for as long as possible to avoid generating multiple notifications for the same file in a small time period.

SettlingTimeInSeconds has no effect on the timing of the object uploading to Amazon S3, only the timing of the notification.

This setting is not meant to specify an exact time at which the notification will be sent. In some cases, the gateway might require more than the specified delay time to generate and send notifications.

The following example sets NotificationPolicy on with SettlingTimeInSeconds set to 60.

{\\\"Upload\\\": {\\\"SettlingTimeInSeconds\\\": 60}}

The following example sets NotificationPolicy off.

{}

" }, "VPCEndpointDNSName":{ "shape":"DNSHostName", @@ -2997,7 +3009,7 @@ }, "SoftwareUpdatePreferences":{ "shape":"SoftwareUpdatePreferences", - "documentation":"

A set of variables indicating the software update preferences for the gateway.

Includes AutomaticUpdatePolicy field with the following inputs:

ALL_VERSIONS - Enables regular gateway maintenance updates.

EMERGENCY_VERSIONS_ONLY - Disables regular gateway maintenance updates.

" + "documentation":"

A set of variables indicating the software update preferences for the gateway.

Includes AutomaticUpdatePolicy parameter with the following inputs:

ALL_VERSIONS - Enables regular gateway maintenance updates.

EMERGENCY_VERSIONS_ONLY - Disables regular gateway maintenance updates. The gateway will still receive emergency version updates on rare occasions if necessary to remedy highly critical security or durability issues. You will be notified before an emergency version update is applied. These updates are applied during your gateway's scheduled maintenance window.

" } }, "documentation":"

A JSON object containing the following fields:

" @@ -3508,6 +3520,14 @@ "DoubleObject":{"type":"double"}, "Ec2InstanceId":{"type":"string"}, "Ec2InstanceRegion":{"type":"string"}, + "EncryptionType":{ + "type":"string", + "enum":[ + "SseS3", + "SseKms", + "DsseKms" + ] + }, "EndpointNetworkConfiguration":{ "type":"structure", "members":{ @@ -4016,7 +4036,7 @@ }, "KMSKey":{ "type":"string", - "documentation":"

The Amazon Resource Name (ARN) of a symmetric customer master key (CMK) used for Amazon S3 server-side encryption. Storage Gateway does not support asymmetric CMKs. This value can only be set when KMSEncrypted is true. Optional.

", + "documentation":"

Optional. The Amazon Resource Name (ARN) of a symmetric customer master key (CMK) used for Amazon S3 server-side encryption. Storage Gateway does not support asymmetric CMKs. This value must be set if KMSEncrypted is true, or if EncryptionType is SseKms or DsseKms.

", "max":2048, "min":7, "pattern":"(^arn:(aws(|-cn|-us-gov|-iso[A-Za-z0-9_-]*)):kms:([a-zA-Z0-9-]+):([0-9]+):(key|alias)/(\\S+)$)|(^alias/(\\S+)$)" @@ -4377,9 +4397,15 @@ "FileShareId":{"shape":"FileShareId"}, "FileShareStatus":{"shape":"FileShareStatus"}, "GatewayARN":{"shape":"GatewayARN"}, + "EncryptionType":{ + "shape":"EncryptionType", + "documentation":"

A value that specifies the type of server-side encryption that the file share will use for the data that it stores in Amazon S3.

We recommend using EncryptionType instead of KMSEncrypted to set the file share encryption method. You do not need to provide values for both parameters.

If values for both parameters exist in the same request, then the specified encryption methods must not conflict. For example, if EncryptionType is SseS3, then KMSEncrypted must be false. If EncryptionType is SseKms or DsseKms, then KMSEncrypted must be true.

" + }, "KMSEncrypted":{ "shape":"boolean", - "documentation":"

Set to true to use Amazon S3 server-side encryption with your own KMS key, or false to use a key managed by Amazon S3. Optional.

Valid Values: true | false

" + "documentation":"

Optional. Set to true to use Amazon S3 server-side encryption with your own KMS key (SSE-KMS), or false to use a key managed by Amazon S3 (SSE-S3). To use dual-layer encryption (DSSE-KMS), set the EncryptionType parameter instead.

We recommend using EncryptionType instead of KMSEncrypted to set the file share encryption method. You do not need to provide values for both parameters.

If values for both parameters exist in the same request, then the specified encryption methods must not conflict. For example, if EncryptionType is SseS3, then KMSEncrypted must be false. If EncryptionType is SseKms or DsseKms, then KMSEncrypted must be true.

Valid Values: true | false

", + "deprecated":true, + "deprecatedMessage":"KMSEncrypted is deprecated, use EncryptionType instead." }, "KMSKey":{"shape":"KMSKey"}, "Path":{"shape":"Path"}, @@ -4418,7 +4444,7 @@ }, "NotificationPolicy":{ "shape":"NotificationPolicy", - "documentation":"

The notification policy of the file share. SettlingTimeInSeconds controls the number of seconds to wait after the last point in time a client wrote to a file before generating an ObjectUploaded notification. Because clients can make many small writes to files, it's best to set this parameter for as long as possible to avoid generating multiple notifications for the same file in a small time period.

SettlingTimeInSeconds has no effect on the timing of the object uploading to Amazon S3, only the timing of the notification.

The following example sets NotificationPolicy on with SettlingTimeInSeconds set to 60.

{\\\"Upload\\\": {\\\"SettlingTimeInSeconds\\\": 60}}

The following example sets NotificationPolicy off.

{}

" + "documentation":"

The notification policy of the file share. SettlingTimeInSeconds controls the number of seconds to wait after the last point in time a client wrote to a file before generating an ObjectUploaded notification. Because clients can make many small writes to files, it's best to set this parameter for as long as possible to avoid generating multiple notifications for the same file in a small time period.

SettlingTimeInSeconds has no effect on the timing of the object uploading to Amazon S3, only the timing of the notification.

This setting is not meant to specify an exact time at which the notification will be sent. In some cases, the gateway might require more than the specified delay time to generate and send notifications.

The following example sets NotificationPolicy on with SettlingTimeInSeconds set to 60.

{\\\"Upload\\\": {\\\"SettlingTimeInSeconds\\\": 60}}

The following example sets NotificationPolicy off.

{}

" }, "VPCEndpointDNSName":{ "shape":"DNSHostName", @@ -4759,9 +4785,15 @@ "FileShareId":{"shape":"FileShareId"}, "FileShareStatus":{"shape":"FileShareStatus"}, "GatewayARN":{"shape":"GatewayARN"}, + "EncryptionType":{ + "shape":"EncryptionType", + "documentation":"

A value that specifies the type of server-side encryption that the file share will use for the data that it stores in Amazon S3.

We recommend using EncryptionType instead of KMSEncrypted to set the file share encryption method. You do not need to provide values for both parameters.

If values for both parameters exist in the same request, then the specified encryption methods must not conflict. For example, if EncryptionType is SseS3, then KMSEncrypted must be false. If EncryptionType is SseKms or DsseKms, then KMSEncrypted must be true.

" + }, "KMSEncrypted":{ "shape":"boolean", - "documentation":"

Set to true to use Amazon S3 server-side encryption with your own KMS key, or false to use a key managed by Amazon S3. Optional.

Valid Values: true | false

" + "documentation":"

Optional. Set to true to use Amazon S3 server-side encryption with your own KMS key (SSE-KMS), or false to use a key managed by Amazon S3 (SSE-S3). To use dual-layer encryption (DSSE-KMS), set the EncryptionType parameter instead.

We recommend using EncryptionType instead of KMSEncrypted to set the file share encryption method. You do not need to provide values for both parameters.

If values for both parameters exist in the same request, then the specified encryption methods must not conflict. For example, if EncryptionType is SseS3, then KMSEncrypted must be false. If EncryptionType is SseKms or DsseKms, then KMSEncrypted must be true.

Valid Values: true | false

", + "deprecated":true, + "deprecatedMessage":"KMSEncrypted is deprecated, use EncryptionType instead." }, "KMSKey":{"shape":"KMSKey"}, "Path":{ @@ -4789,7 +4821,7 @@ }, "SMBACLEnabled":{ "shape":"Boolean", - "documentation":"

If this value is set to true, it indicates that access control list (ACL) is enabled on the SMB file share. If it is set to false, it indicates that file and directory permissions are mapped to the POSIX permission.

For more information, see Using Microsoft Windows ACLs to control access to an SMB file share in the Storage Gateway User Guide.

" + "documentation":"

If this value is set to true, it indicates that access control list (ACL) is enabled on the SMB file share. If it is set to false, it indicates that file and directory permissions are mapped to the POSIX permission.

For more information, see Using Windows ACLs to limit SMB file share access in the Amazon S3 File Gateway User Guide.

" }, "AccessBasedEnumeration":{ "shape":"Boolean", @@ -4830,7 +4862,7 @@ }, "NotificationPolicy":{ "shape":"NotificationPolicy", - "documentation":"

The notification policy of the file share. SettlingTimeInSeconds controls the number of seconds to wait after the last point in time a client wrote to a file before generating an ObjectUploaded notification. Because clients can make many small writes to files, it's best to set this parameter for as long as possible to avoid generating multiple notifications for the same file in a small time period.

SettlingTimeInSeconds has no effect on the timing of the object uploading to Amazon S3, only the timing of the notification.

The following example sets NotificationPolicy on with SettlingTimeInSeconds set to 60.

{\\\"Upload\\\": {\\\"SettlingTimeInSeconds\\\": 60}}

The following example sets NotificationPolicy off.

{}

" + "documentation":"

The notification policy of the file share. SettlingTimeInSeconds controls the number of seconds to wait after the last point in time a client wrote to a file before generating an ObjectUploaded notification. Because clients can make many small writes to files, it's best to set this parameter for as long as possible to avoid generating multiple notifications for the same file in a small time period.

SettlingTimeInSeconds has no effect on the timing of the object uploading to Amazon S3, only the timing of the notification.

This setting is not meant to specify an exact time at which the notification will be sent. In some cases, the gateway might require more than the specified delay time to generate and send notifications.

The following example sets NotificationPolicy on with SettlingTimeInSeconds set to 60.

{\\\"Upload\\\": {\\\"SettlingTimeInSeconds\\\": 60}}

The following example sets NotificationPolicy off.

{}

" }, "VPCEndpointDNSName":{ "shape":"DNSHostName", @@ -4966,7 +4998,7 @@ "members":{ "AutomaticUpdatePolicy":{ "shape":"AutomaticUpdatePolicy", - "documentation":"

Indicates the automatic update policy for a gateway.

ALL_VERSIONS - Enables regular gateway maintenance updates.

EMERGENCY_VERSIONS_ONLY - Disables regular gateway maintenance updates.

" + "documentation":"

Indicates the automatic update policy for a gateway.

ALL_VERSIONS - Enables regular gateway maintenance updates.

EMERGENCY_VERSIONS_ONLY - Disables regular gateway maintenance updates. The gateway will still receive emergency version updates on rare occasions if necessary to remedy highly critical security or durability issues. You will be notified before an emergency version update is applied. These updates are applied during your gateway's scheduled maintenance window.

" } }, "documentation":"

A set of variables indicating the software update preferences for the gateway.

" @@ -5587,7 +5619,7 @@ }, "SoftwareUpdatePreferences":{ "shape":"SoftwareUpdatePreferences", - "documentation":"

A set of variables indicating the software update preferences for the gateway.

Includes AutomaticUpdatePolicy field with the following inputs:

ALL_VERSIONS - Enables regular gateway maintenance updates.

EMERGENCY_VERSIONS_ONLY - Disables regular gateway maintenance updates.

" + "documentation":"

A set of variables indicating the software update preferences for the gateway.

Includes AutomaticUpdatePolicy field with the following inputs:

ALL_VERSIONS - Enables regular gateway maintenance updates.

EMERGENCY_VERSIONS_ONLY - Disables regular gateway maintenance updates. The gateway will still receive emergency version updates on rare occasions if necessary to remedy highly critical security or durability issues. You will be notified before an emergency version update is applied. These updates are applied during your gateway's scheduled maintenance window.

" } }, "documentation":"

A JSON object containing the following fields:

" @@ -5607,13 +5639,19 @@ "shape":"FileShareARN", "documentation":"

The Amazon Resource Name (ARN) of the file share to be updated.

" }, + "EncryptionType":{ + "shape":"EncryptionType", + "documentation":"

A value that specifies the type of server-side encryption that the file share will use for the data that it stores in Amazon S3.

We recommend using EncryptionType instead of KMSEncrypted to set the file share encryption method. You do not need to provide values for both parameters.

If values for both parameters exist in the same request, then the specified encryption methods must not conflict. For example, if EncryptionType is SseS3, then KMSEncrypted must be false. If EncryptionType is SseKms or DsseKms, then KMSEncrypted must be true.

" + }, "KMSEncrypted":{ "shape":"Boolean", - "documentation":"

Set to true to use Amazon S3 server-side encryption with your own KMS key, or false to use a key managed by Amazon S3. Optional.

Valid Values: true | false

" + "documentation":"

Optional. Set to true to use Amazon S3 server-side encryption with your own KMS key (SSE-KMS), or false to use a key managed by Amazon S3 (SSE-S3). To use dual-layer encryption (DSSE-KMS), set the EncryptionType parameter instead.

We recommend using EncryptionType instead of KMSEncrypted to set the file share encryption method. You do not need to provide values for both parameters.

If values for both parameters exist in the same request, then the specified encryption methods must not conflict. For example, if EncryptionType is SseS3, then KMSEncrypted must be false. If EncryptionType is SseKms or DsseKms, then KMSEncrypted must be true.

Valid Values: true | false

", + "deprecated":true, + "deprecatedMessage":"KMSEncrypted is deprecated, use EncryptionType instead." }, "KMSKey":{ "shape":"KMSKey", - "documentation":"

The Amazon Resource Name (ARN) of a symmetric customer master key (CMK) used for Amazon S3 server-side encryption. Storage Gateway does not support asymmetric CMKs. This value can only be set when KMSEncrypted is true. Optional.

" + "documentation":"

Optional. The Amazon Resource Name (ARN) of a symmetric customer master key (CMK) used for Amazon S3 server-side encryption. Storage Gateway does not support asymmetric CMKs. This value must be set if KMSEncrypted is true, or if EncryptionType is SseKms or DsseKms.

" }, "NFSFileShareDefaults":{ "shape":"NFSFileShareDefaults", @@ -5657,7 +5695,7 @@ }, "NotificationPolicy":{ "shape":"NotificationPolicy", - "documentation":"

The notification policy of the file share. SettlingTimeInSeconds controls the number of seconds to wait after the last point in time a client wrote to a file before generating an ObjectUploaded notification. Because clients can make many small writes to files, it's best to set this parameter for as long as possible to avoid generating multiple notifications for the same file in a small time period.

SettlingTimeInSeconds has no effect on the timing of the object uploading to Amazon S3, only the timing of the notification.

The following example sets NotificationPolicy on with SettlingTimeInSeconds set to 60.

{\\\"Upload\\\": {\\\"SettlingTimeInSeconds\\\": 60}}

The following example sets NotificationPolicy off.

{}

" + "documentation":"

The notification policy of the file share. SettlingTimeInSeconds controls the number of seconds to wait after the last point in time a client wrote to a file before generating an ObjectUploaded notification. Because clients can make many small writes to files, it's best to set this parameter for as long as possible to avoid generating multiple notifications for the same file in a small time period.

SettlingTimeInSeconds has no effect on the timing of the object uploading to Amazon S3, only the timing of the notification.

This setting is not meant to specify an exact time at which the notification will be sent. In some cases, the gateway might require more than the specified delay time to generate and send notifications.

The following example sets NotificationPolicy on with SettlingTimeInSeconds set to 60.

{\\\"Upload\\\": {\\\"SettlingTimeInSeconds\\\": 60}}

The following example sets NotificationPolicy off.

{}

" }, "AuditDestinationARN":{ "shape":"AuditDestinationARN", @@ -5684,13 +5722,19 @@ "shape":"FileShareARN", "documentation":"

The Amazon Resource Name (ARN) of the SMB file share that you want to update.

" }, + "EncryptionType":{ + "shape":"EncryptionType", + "documentation":"

A value that specifies the type of server-side encryption that the file share will use for the data that it stores in Amazon S3.

We recommend using EncryptionType instead of KMSEncrypted to set the file share encryption method. You do not need to provide values for both parameters.

If values for both parameters exist in the same request, then the specified encryption methods must not conflict. For example, if EncryptionType is SseS3, then KMSEncrypted must be false. If EncryptionType is SseKms or DsseKms, then KMSEncrypted must be true.

" + }, "KMSEncrypted":{ "shape":"Boolean", - "documentation":"

Set to true to use Amazon S3 server-side encryption with your own KMS key, or false to use a key managed by Amazon S3. Optional.

Valid Values: true | false

" + "documentation":"

Optional. Set to true to use Amazon S3 server-side encryption with your own KMS key (SSE-KMS), or false to use a key managed by Amazon S3 (SSE-S3). To use dual-layer encryption (DSSE-KMS), set the EncryptionType parameter instead.

We recommend using EncryptionType instead of KMSEncrypted to set the file share encryption method. You do not need to provide values for both parameters.

If values for both parameters exist in the same request, then the specified encryption methods must not conflict. For example, if EncryptionType is SseS3, then KMSEncrypted must be false. If EncryptionType is SseKms or DsseKms, then KMSEncrypted must be true.

Valid Values: true | false

", + "deprecated":true, + "deprecatedMessage":"KMSEncrypted is deprecated, use EncryptionType instead." }, "KMSKey":{ "shape":"KMSKey", - "documentation":"

The Amazon Resource Name (ARN) of a symmetric customer master key (CMK) used for Amazon S3 server-side encryption. Storage Gateway does not support asymmetric CMKs. This value can only be set when KMSEncrypted is true. Optional.

" + "documentation":"

Optional. The Amazon Resource Name (ARN) of a symmetric customer master key (CMK) used for Amazon S3 server-side encryption. Storage Gateway does not support asymmetric CMKs. This value must be set if KMSEncrypted is true, or if EncryptionType is SseKms or DsseKms.

" }, "DefaultStorageClass":{ "shape":"StorageClass", @@ -5714,7 +5758,7 @@ }, "SMBACLEnabled":{ "shape":"Boolean", - "documentation":"

Set this value to true to enable access control list (ACL) on the SMB file share. Set it to false to map file and directory permissions to the POSIX permissions.

For more information, see Using Microsoft Windows ACLs to control access to an SMB file share in the Storage Gateway User Guide.

Valid Values: true | false

" + "documentation":"

Set this value to true to enable access control list (ACL) on the SMB file share. Set it to false to map file and directory permissions to the POSIX permissions.

For more information, see Using Windows ACLs to limit SMB file share access in the Amazon S3 File Gateway User Guide.

Valid Values: true | false

" }, "AccessBasedEnumeration":{ "shape":"Boolean", @@ -5750,7 +5794,7 @@ }, "NotificationPolicy":{ "shape":"NotificationPolicy", - "documentation":"

The notification policy of the file share. SettlingTimeInSeconds controls the number of seconds to wait after the last point in time a client wrote to a file before generating an ObjectUploaded notification. Because clients can make many small writes to files, it's best to set this parameter for as long as possible to avoid generating multiple notifications for the same file in a small time period.

SettlingTimeInSeconds has no effect on the timing of the object uploading to Amazon S3, only the timing of the notification.

The following example sets NotificationPolicy on with SettlingTimeInSeconds set to 60.

{\\\"Upload\\\": {\\\"SettlingTimeInSeconds\\\": 60}}

The following example sets NotificationPolicy off.

{}

" + "documentation":"

The notification policy of the file share. SettlingTimeInSeconds controls the number of seconds to wait after the last point in time a client wrote to a file before generating an ObjectUploaded notification. Because clients can make many small writes to files, it's best to set this parameter for as long as possible to avoid generating multiple notifications for the same file in a small time period.

SettlingTimeInSeconds has no effect on the timing of the object uploading to Amazon S3, only the timing of the notification.

This setting is not meant to specify an exact time at which the notification will be sent. In some cases, the gateway might require more than the specified delay time to generate and send notifications.

The following example sets NotificationPolicy on with SettlingTimeInSeconds set to 60.

{\\\"Upload\\\": {\\\"SettlingTimeInSeconds\\\": 60}}

The following example sets NotificationPolicy off.

{}

" }, "OplocksEnabled":{ "shape":"Boolean", @@ -5953,7 +5997,8 @@ "VolumeARN":{ "type":"string", "max":500, - "min":50 + "min":50, + "pattern":"arn:(aws(|-cn|-us-gov|-iso[A-Za-z0-9_-]*)):storagegateway:[a-z\\-0-9]+:[0-9]+:gateway\\/(.+)\\/volume\\/vol-(\\S+)" }, "VolumeARNs":{ "type":"list", From 8b22173eeaf752524878cb950acc81e2aceb75a4 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Thu, 12 Sep 2024 18:09:28 +0000 Subject: [PATCH 068/108] AWS Glue Update: AWS Glue is introducing two new optimizers for Apache Iceberg tables: snapshot retention and orphan file deletion. Customers can enable these optimizers and customize their configurations to perform daily maintenance tasks on their Iceberg tables based on their specific requirements. --- .../next-release/feature-AWSGlue-b4d8416.json | 6 + .../codegen-resources/paginators-1.json | 3 +- .../codegen-resources/service-2.json | 225 +++++++++++++++++- 3 files changed, 221 insertions(+), 13 deletions(-) create mode 100644 .changes/next-release/feature-AWSGlue-b4d8416.json diff --git a/.changes/next-release/feature-AWSGlue-b4d8416.json b/.changes/next-release/feature-AWSGlue-b4d8416.json new file mode 100644 index 000000000000..0ab2893f45c7 --- /dev/null +++ b/.changes/next-release/feature-AWSGlue-b4d8416.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "AWS Glue", + "contributor": "", + "description": "AWS Glue is introducing two new optimizers for Apache Iceberg tables: snapshot retention and orphan file deletion. Customers can enable these optimizers and customize their configurations to perform daily maintenance tasks on their Iceberg tables based on their specific requirements." +} diff --git a/services/glue/src/main/resources/codegen-resources/paginators-1.json b/services/glue/src/main/resources/codegen-resources/paginators-1.json index 18913544feab..937a81248413 100644 --- a/services/glue/src/main/resources/codegen-resources/paginators-1.json +++ b/services/glue/src/main/resources/codegen-resources/paginators-1.json @@ -199,7 +199,8 @@ "ListTableOptimizerRuns": { "input_token": "NextToken", "limit_key": "MaxResults", - "output_token": "NextToken" + "output_token": "NextToken", + "result_key": "TableOptimizerRuns" }, "ListTriggers": { "input_token": "NextToken", diff --git a/services/glue/src/main/resources/codegen-resources/service-2.json b/services/glue/src/main/resources/codegen-resources/service-2.json index 74b9922f8fc2..e66a37a051a0 100644 --- a/services/glue/src/main/resources/codegen-resources/service-2.json +++ b/services/glue/src/main/resources/codegen-resources/service-2.json @@ -216,7 +216,11 @@ "input":{"shape":"BatchGetTableOptimizerRequest"}, "output":{"shape":"BatchGetTableOptimizerResponse"}, "errors":[ - {"shape":"InternalServiceException"} + {"shape":"EntityNotFoundException"}, + {"shape":"InvalidInputException"}, + {"shape":"AccessDeniedException"}, + {"shape":"InternalServiceException"}, + {"shape":"ThrottlingException"} ], "documentation":"

Returns the configuration for the specified table optimizers.

" }, @@ -717,10 +721,12 @@ "output":{"shape":"CreateTableOptimizerResponse"}, "errors":[ {"shape":"EntityNotFoundException"}, + {"shape":"ValidationException"}, {"shape":"InvalidInputException"}, {"shape":"AccessDeniedException"}, {"shape":"AlreadyExistsException"}, - {"shape":"InternalServiceException"} + {"shape":"InternalServiceException"}, + {"shape":"ThrottlingException"} ], "documentation":"

Creates a new table optimizer for a specific function. compaction is the only currently supported optimizer type.

" }, @@ -1152,7 +1158,8 @@ {"shape":"EntityNotFoundException"}, {"shape":"InvalidInputException"}, {"shape":"AccessDeniedException"}, - {"shape":"InternalServiceException"} + {"shape":"InternalServiceException"}, + {"shape":"ThrottlingException"} ], "documentation":"

Deletes an optimizer and all associated metadata for a table. The optimization will no longer be performed on the table.

" }, @@ -2111,7 +2118,8 @@ {"shape":"EntityNotFoundException"}, {"shape":"InvalidInputException"}, {"shape":"AccessDeniedException"}, - {"shape":"InternalServiceException"} + {"shape":"InternalServiceException"}, + {"shape":"ThrottlingException"} ], "documentation":"

Returns the configuration of all optimizers associated with a specified table.

" }, @@ -2707,7 +2715,9 @@ {"shape":"EntityNotFoundException"}, {"shape":"AccessDeniedException"}, {"shape":"InvalidInputException"}, - {"shape":"InternalServiceException"} + {"shape":"ValidationException"}, + {"shape":"InternalServiceException"}, + {"shape":"ThrottlingException"} ], "documentation":"

Lists the history of previous optimizer runs for a specific table.

" }, @@ -3643,7 +3653,10 @@ {"shape":"EntityNotFoundException"}, {"shape":"InvalidInputException"}, {"shape":"AccessDeniedException"}, - {"shape":"InternalServiceException"} + {"shape":"ValidationException"}, + {"shape":"InternalServiceException"}, + {"shape":"ThrottlingException"}, + {"shape":"ConcurrentModificationException"} ], "documentation":"

Updates the configuration for an existing table optimizer.

" }, @@ -4931,7 +4944,7 @@ }, "tableOptimizer":{ "shape":"TableOptimizer", - "documentation":"

A TableOptimizer object that contains details on the configuration and last run of a table optimzer.

" + "documentation":"

A TableOptimizer object that contains details on the configuration and last run of a table optimizer.

" } }, "documentation":"

Contains details for one of the table optimizers returned by the BatchGetTableOptimizer operation.

" @@ -6432,6 +6445,16 @@ "min":1, "pattern":"[\\u0020-\\uD7FF\\uE000-\\uFFFD\\uD800\\uDC00-\\uDBFF\\uDFFF\\t]*" }, + "CompactionMetrics":{ + "type":"structure", + "members":{ + "IcebergMetrics":{ + "shape":"IcebergCompactionMetrics", + "documentation":"

A structure containing the Iceberg compaction metrics for the optimizer run.

" + } + }, + "documentation":"

A structure that contains compaction metrics for the optimizer run.

" + }, "Comparator":{ "type":"string", "enum":[ @@ -14253,6 +14276,28 @@ "type":"string", "pattern":"^arn:aws(-(cn|us-gov|iso(-[bef])?))?:iam::[0-9]{12}:role/.+" }, + "IcebergCompactionMetrics":{ + "type":"structure", + "members":{ + "NumberOfBytesCompacted":{ + "shape":"metricCounts", + "documentation":"

The number of bytes removed by the compaction job run.

" + }, + "NumberOfFilesCompacted":{ + "shape":"metricCounts", + "documentation":"

The number of files removed by the compaction job run.

" + }, + "NumberOfDpus":{ + "shape":"dpuCounts", + "documentation":"

The number of DPU hours consumed by the job.

" + }, + "JobDurationInHour":{ + "shape":"dpuDurationInHour", + "documentation":"

The duration of the job in hours.

" + } + }, + "documentation":"

Compaction metrics for Iceberg for the optimizer run.

" + }, "IcebergInput":{ "type":"structure", "required":["MetadataOperation"], @@ -14268,6 +14313,82 @@ }, "documentation":"

A structure that defines an Apache Iceberg metadata table to create in the catalog.

" }, + "IcebergOrphanFileDeletionConfiguration":{ + "type":"structure", + "members":{ + "orphanFileRetentionPeriodInDays":{ + "shape":"NullableInteger", + "documentation":"

The number of days that orphan files should be retained before file deletion. If an input is not provided, the default value 3 will be used.

" + }, + "location":{ + "shape":"MessageString", + "documentation":"

Specifies a directory in which to look for files (defaults to the table's location). You may choose a sub-directory rather than the top-level table location.

" + } + }, + "documentation":"

The configuration for an Iceberg orphan file deletion optimizer.

" + }, + "IcebergOrphanFileDeletionMetrics":{ + "type":"structure", + "members":{ + "NumberOfOrphanFilesDeleted":{ + "shape":"metricCounts", + "documentation":"

The number of orphan files deleted by the orphan file deletion job run.

" + }, + "NumberOfDpus":{ + "shape":"dpuCounts", + "documentation":"

The number of DPU hours consumed by the job.

" + }, + "JobDurationInHour":{ + "shape":"dpuDurationInHour", + "documentation":"

The duration of the job in hours.

" + } + }, + "documentation":"

Orphan file deletion metrics for Iceberg for the optimizer run.

" + }, + "IcebergRetentionConfiguration":{ + "type":"structure", + "members":{ + "snapshotRetentionPeriodInDays":{ + "shape":"NullableInteger", + "documentation":"

The number of days to retain the Iceberg snapshots. If an input is not provided, the corresponding Iceberg table configuration field will be used or if not present, the default value 5 will be used.

" + }, + "numberOfSnapshotsToRetain":{ + "shape":"NullableInteger", + "documentation":"

The number of Iceberg snapshots to retain within the retention period. If an input is not provided, the corresponding Iceberg table configuration field will be used or if not present, the default value 1 will be used.

" + }, + "cleanExpiredFiles":{ + "shape":"NullableBoolean", + "documentation":"

If set to false, snapshots are only deleted from table metadata, and the underlying data and metadata files are not deleted.

" + } + }, + "documentation":"

The configuration for an Iceberg snapshot retention optimizer.

" + }, + "IcebergRetentionMetrics":{ + "type":"structure", + "members":{ + "NumberOfDataFilesDeleted":{ + "shape":"metricCounts", + "documentation":"

The number of data files deleted by the retention job run.

" + }, + "NumberOfManifestFilesDeleted":{ + "shape":"metricCounts", + "documentation":"

The number of manifest files deleted by the retention job run.

" + }, + "NumberOfManifestListsDeleted":{ + "shape":"metricCounts", + "documentation":"

The number of manifest lists deleted by the retention job run.

" + }, + "NumberOfDpus":{ + "shape":"dpuCounts", + "documentation":"

The number of DPU hours consumed by the job.

" + }, + "JobDurationInHour":{ + "shape":"dpuDurationInHour", + "documentation":"

The duration of the job in hours.

" + } + }, + "documentation":"

Snapshot retention metrics for Iceberg for the optimizer run.

" + }, "IcebergTarget":{ "type":"structure", "members":{ @@ -17283,6 +17404,26 @@ "type":"list", "member":{"shape":"Order"} }, + "OrphanFileDeletionConfiguration":{ + "type":"structure", + "members":{ + "icebergConfiguration":{ + "shape":"IcebergOrphanFileDeletionConfiguration", + "documentation":"

The configuration for an Iceberg orphan file deletion optimizer.

" + } + }, + "documentation":"

The configuration for an orphan file deletion optimizer.

" + }, + "OrphanFileDeletionMetrics":{ + "type":"structure", + "members":{ + "IcebergMetrics":{ + "shape":"IcebergOrphanFileDeletionMetrics", + "documentation":"

A structure containing the Iceberg orphan file deletion metrics for the optimizer run.

" + } + }, + "documentation":"

A structure that contains orphan file deletion metrics for the optimizer run.

" + }, "OtherMetadataValueList":{ "type":"list", "member":{"shape":"OtherMetadataValueListItem"} @@ -18593,6 +18734,26 @@ } } }, + "RetentionConfiguration":{ + "type":"structure", + "members":{ + "icebergConfiguration":{ + "shape":"IcebergRetentionConfiguration", + "documentation":"

The configuration for an Iceberg snapshot retention optimizer.

" + } + }, + "documentation":"

The configuration for a snapshot retention optimizer.

" + }, + "RetentionMetrics":{ + "type":"structure", + "members":{ + "IcebergMetrics":{ + "shape":"IcebergRetentionMetrics", + "documentation":"

A structure containing the Iceberg retention metrics for the optimizer run.

" + } + }, + "documentation":"

A structure that contains retention metrics for the optimizer run.

" + }, "Role":{"type":"string"}, "RoleArn":{ "type":"string", @@ -18641,7 +18802,7 @@ "documentation":"

The duration of the job in hours.

" } }, - "documentation":"

Metrics for the optimizer run.

" + "documentation":"

Metrics for the optimizer run.

This structure is deprecated. See the individual metric members for compaction, retention, and orphan file deletion.

" }, "RunStatementRequest":{ "type":"structure", @@ -21558,7 +21719,7 @@ "members":{ "type":{ "shape":"TableOptimizerType", - "documentation":"

The type of table optimizer. Currently, the only valid value is compaction.

" + "documentation":"

The type of table optimizer. The valid values are:

  • compaction: for managing compaction with a table optimizer.

  • retention: for managing the retention of snapshot with a table optimizer.

  • orphan_file_deletion: for managing the deletion of orphan files with a table optimizer.

" }, "configuration":{ "shape":"TableOptimizerConfiguration", @@ -21580,7 +21741,15 @@ }, "enabled":{ "shape":"NullableBoolean", - "documentation":"

Whether table optimization is enabled.

" + "documentation":"

Whether table optimization is enabled.

" + }, + "retentionConfiguration":{ + "shape":"RetentionConfiguration", + "documentation":"

The configuration for a snapshot retention optimizer.

" + }, + "orphanFileDeletionConfiguration":{ + "shape":"OrphanFileDeletionConfiguration", + "documentation":"

The configuration for an orphan file deletion optimizer.

" } }, "documentation":"

Contains details on the configuration of a table optimizer. You pass this configuration when creating or updating a table optimizer.

" @@ -21611,11 +21780,25 @@ }, "metrics":{ "shape":"RunMetrics", - "documentation":"

A RunMetrics object containing metrics for the optimizer run.

" + "documentation":"

A RunMetrics object containing metrics for the optimizer run.

This member is deprecated. See the individual metric members for compaction, retention, and orphan file deletion.

", + "deprecated":true, + "deprecatedMessage":"Metrics has been replaced by optimizer type specific metrics such as IcebergCompactionMetrics" }, "error":{ "shape":"MessageString", "documentation":"

An error that occured during the optimizer run.

" + }, + "compactionMetrics":{ + "shape":"CompactionMetrics", + "documentation":"

A CompactionMetrics object containing metrics for the optimizer run.

" + }, + "retentionMetrics":{ + "shape":"RetentionMetrics", + "documentation":"

A RetentionMetrics object containing metrics for the optimizer run.

" + }, + "orphanFileDeletionMetrics":{ + "shape":"OrphanFileDeletionMetrics", + "documentation":"

An OrphanFileDeletionMetrics object containing metrics for the optimizer run.

" } }, "documentation":"

Contains details for a table optimizer run.

" @@ -21627,7 +21810,11 @@ }, "TableOptimizerType":{ "type":"string", - "enum":["compaction"] + "enum":[ + "compaction", + "retention", + "orphan_file_deletion" + ] }, "TablePrefix":{ "type":"string", @@ -21920,6 +22107,17 @@ "FIND_MATCHES" ] }, + "ThrottlingException":{ + "type":"structure", + "members":{ + "Message":{ + "shape":"MessageString", + "documentation":"

A message describing the problem.

" + } + }, + "documentation":"

The throttling threshhold was exceeded.

", + "exception":true + }, "Timeout":{ "type":"integer", "box":true, @@ -23902,6 +24100,9 @@ "min":1 }, "double":{"type":"double"}, + "dpuCounts":{"type":"integer"}, + "dpuDurationInHour":{"type":"double"}, + "metricCounts":{"type":"long"}, "tableNameString":{ "type":"string", "min":1 From fda567f3291e72a096fc327f1ea89385781c4612 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Thu, 12 Sep 2024 18:09:33 +0000 Subject: [PATCH 069/108] Amazon Relational Database Service Update: This release adds support for the os-upgrade pending maintenance action for Amazon Aurora DB clusters. --- ...re-AmazonRelationalDatabaseService-fa666e3.json | 6 ++++++ .../resources/codegen-resources/service-2.json | 14 +++++++------- 2 files changed, 13 insertions(+), 7 deletions(-) create mode 100644 .changes/next-release/feature-AmazonRelationalDatabaseService-fa666e3.json diff --git a/.changes/next-release/feature-AmazonRelationalDatabaseService-fa666e3.json b/.changes/next-release/feature-AmazonRelationalDatabaseService-fa666e3.json new file mode 100644 index 000000000000..edc4346e8cc5 --- /dev/null +++ b/.changes/next-release/feature-AmazonRelationalDatabaseService-fa666e3.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Amazon Relational Database Service", + "contributor": "", + "description": "This release adds support for the os-upgrade pending maintenance action for Amazon Aurora DB clusters." +} diff --git a/services/rds/src/main/resources/codegen-resources/service-2.json b/services/rds/src/main/resources/codegen-resources/service-2.json index b9ec58a6d4a4..e21f1c0a861f 100644 --- a/services/rds/src/main/resources/codegen-resources/service-2.json +++ b/services/rds/src/main/resources/codegen-resources/service-2.json @@ -3208,7 +3208,7 @@ }, "ApplyAction":{ "shape":"String", - "documentation":"

The pending maintenance action to apply to this resource.

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

" + "documentation":"

The pending maintenance action to apply to this resource.

Valid Values:

  • ca-certificate-rotation

  • db-upgrade

  • hardware-maintenance

  • os-upgrade

  • system-update

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

" }, "OptInType":{ "shape":"String", @@ -3732,7 +3732,7 @@ }, "ConnectionBorrowTimeout":{ "shape":"IntegerOptional", - "documentation":"

The number of seconds for a proxy to wait for a connection to become available in the connection pool. This setting only applies when the proxy has opened its maximum number of connections and all connections are busy with client sessions. For an unlimited wait time, specify 0.

Default: 120

Constraints:

  • Must be between 0 and 3600.

" + "documentation":"

The number of seconds for a proxy to wait for a connection to become available in the connection pool. This setting only applies when the proxy has opened its maximum number of connections and all connections are busy with client sessions.

Default: 120

Constraints:

  • Must be between 0 and 3600.

" }, "SessionPinningFilters":{ "shape":"StringList", @@ -4423,7 +4423,7 @@ }, "Engine":{ "shape":"String", - "documentation":"

The database engine to use for this DB instance.

Not every database engine is available in every Amazon Web Services Region.

Valid Values:

  • aurora-mysql (for Aurora MySQL DB instances)

  • aurora-postgresql (for Aurora PostgreSQL DB instances)

  • custom-oracle-ee (for RDS Custom for Oracle DB instances)

  • custom-oracle-ee-cdb (for RDS Custom for Oracle DB instances)

  • custom-oracle-se2 (for RDS Custom for Oracle DB instances)

  • custom-oracle-se2-cdb (for RDS Custom for Oracle DB instances)

  • custom-sqlserver-ee (for RDS Custom for SQL Server DB instances)

  • custom-sqlserver-se (for RDS Custom for SQL Server DB instances)

  • custom-sqlserver-web (for RDS Custom for SQL Server DB instances)

  • db2-ae

  • db2-se

  • mariadb

  • mysql

  • oracle-ee

  • oracle-ee-cdb

  • oracle-se2

  • oracle-se2-cdb

  • postgres

  • sqlserver-ee

  • sqlserver-se

  • sqlserver-ex

  • sqlserver-web

" + "documentation":"

The database engine to use for this DB instance.

Not every database engine is available in every Amazon Web Services Region.

Valid Values:

  • aurora-mysql (for Aurora MySQL DB instances)

  • aurora-postgresql (for Aurora PostgreSQL DB instances)

  • custom-oracle-ee (for RDS Custom for Oracle DB instances)

  • custom-oracle-ee-cdb (for RDS Custom for Oracle DB instances)

  • custom-oracle-se2 (for RDS Custom for Oracle DB instances)

  • custom-oracle-se2-cdb (for RDS Custom for Oracle DB instances)

  • custom-sqlserver-ee (for RDS Custom for SQL Server DB instances)

  • custom-sqlserver-se (for RDS Custom for SQL Server DB instances)

  • custom-sqlserver-web (for RDS Custom for SQL Server DB instances)

  • custom-sqlserver-dev (for RDS Custom for SQL Server DB instances)

  • db2-ae

  • db2-se

  • mariadb

  • mysql

  • oracle-ee

  • oracle-ee-cdb

  • oracle-se2

  • oracle-se2-cdb

  • postgres

  • sqlserver-ee

  • sqlserver-se

  • sqlserver-ex

  • sqlserver-web

" }, "MasterUsername":{ "shape":"String", @@ -4447,7 +4447,7 @@ }, "DBSubnetGroupName":{ "shape":"String", - "documentation":"

A DB subnet group to associate with this DB instance.

Constraints:

  • Must match the name of an existing DB subnet group.

  • Must not be default.

Example: mydbsubnetgroup

" + "documentation":"

A DB subnet group to associate with this DB instance.

Constraints:

  • Must match the name of an existing DB subnet group.

Example: mydbsubnetgroup

" }, "PreferredMaintenanceWindow":{ "shape":"String", @@ -4739,7 +4739,7 @@ }, "PreSignedUrl":{ "shape":"String", - "documentation":"

When you are creating a read replica from one Amazon Web Services GovCloud (US) Region to another or from one China Amazon Web Services Region to another, the URL that contains a Signature Version 4 signed request for the CreateDBInstanceReadReplica API operation in the source Amazon Web Services Region that contains the source DB instance.

This setting applies only to Amazon Web Services GovCloud (US) Regions and China Amazon Web Services Regions. It's ignored in other Amazon Web Services Regions.

This setting applies only when replicating from a source DB instance. Source DB clusters aren't supported in Amazon Web Services GovCloud (US) Regions and China Amazon Web Services Regions.

You must specify this parameter when you create an encrypted read replica from another Amazon Web Services Region by using the Amazon RDS API. Don't specify PreSignedUrl when you are creating an encrypted read replica in the same Amazon Web Services Region.

The presigned URL must be a valid request for the CreateDBInstanceReadReplica API operation that can run in the source Amazon Web Services Region that contains the encrypted source DB instance. The presigned URL request must contain the following parameter values:

  • DestinationRegion - The Amazon Web Services Region that the encrypted read replica is created in. This Amazon Web Services Region is the same one where the CreateDBInstanceReadReplica operation is called that contains this presigned URL.

    For example, if you create an encrypted DB instance in the us-west-1 Amazon Web Services Region, from a source DB instance in the us-east-2 Amazon Web Services Region, then you call the CreateDBInstanceReadReplica operation in the us-east-1 Amazon Web Services Region and provide a presigned URL that contains a call to the CreateDBInstanceReadReplica operation in the us-west-2 Amazon Web Services Region. For this example, the DestinationRegion in the presigned URL must be set to the us-east-1 Amazon Web Services Region.

  • KmsKeyId - The KMS key identifier for the key to use to encrypt the read replica in the destination Amazon Web Services Region. This is the same identifier for both the CreateDBInstanceReadReplica operation that is called in the destination Amazon Web Services Region, and the operation contained in the presigned URL.

  • SourceDBInstanceIdentifier - The DB instance identifier for the encrypted DB instance to be replicated. This identifier must be in the Amazon Resource Name (ARN) format for the source Amazon Web Services Region. For example, if you are creating an encrypted read replica from a DB instance in the us-west-2 Amazon Web Services Region, then your SourceDBInstanceIdentifier looks like the following example: arn:aws:rds:us-west-2:123456789012:instance:mysql-instance1-20161115.

To learn how to generate a Signature Version 4 signed request, see Authenticating Requests: Using Query Parameters (Amazon Web Services Signature Version 4) and Signature Version 4 Signing Process.

If you are using an Amazon Web Services SDK tool or the CLI, you can specify SourceRegion (or --source-region for the CLI) instead of specifying PreSignedUrl manually. Specifying SourceRegion autogenerates a presigned URL that is a valid request for the operation that can run in the source Amazon Web Services Region.

SourceRegion isn't supported for SQL Server, because Amazon RDS for SQL Server doesn't support cross-Region read replicas.

This setting doesn't apply to RDS Custom DB instances.

" + "documentation":"

When you are creating a read replica from one Amazon Web Services GovCloud (US) Region to another or from one China Amazon Web Services Region to another, the URL that contains a Signature Version 4 signed request for the CreateDBInstanceReadReplica API operation in the source Amazon Web Services Region that contains the source DB instance.

This setting applies only to Amazon Web Services GovCloud (US) Regions and China Amazon Web Services Regions. It's ignored in other Amazon Web Services Regions.

This setting applies only when replicating from a source DB instance. Source DB clusters aren't supported in Amazon Web Services GovCloud (US) Regions and China Amazon Web Services Regions.

You must specify this parameter when you create an encrypted read replica from another Amazon Web Services Region by using the Amazon RDS API. Don't specify PreSignedUrl when you are creating an encrypted read replica in the same Amazon Web Services Region.

The presigned URL must be a valid request for the CreateDBInstanceReadReplica API operation that can run in the source Amazon Web Services Region that contains the encrypted source DB instance. The presigned URL request must contain the following parameter values:

  • DestinationRegion - The Amazon Web Services Region that the encrypted read replica is created in. This Amazon Web Services Region is the same one where the CreateDBInstanceReadReplica operation is called that contains this presigned URL.

    For example, if you create an encrypted DB instance in the us-west-1 Amazon Web Services Region, from a source DB instance in the us-east-2 Amazon Web Services Region, then you call the CreateDBInstanceReadReplica operation in the us-east-1 Amazon Web Services Region and provide a presigned URL that contains a call to the CreateDBInstanceReadReplica operation in the us-west-2 Amazon Web Services Region. For this example, the DestinationRegion in the presigned URL must be set to the us-east-1 Amazon Web Services Region.

  • KmsKeyId - The KMS key identifier for the key to use to encrypt the read replica in the destination Amazon Web Services Region. This is the same identifier for both the CreateDBInstanceReadReplica operation that is called in the destination Amazon Web Services Region, and the operation contained in the presigned URL.

  • SourceDBInstanceIdentifier - The DB instance identifier for the encrypted DB instance to be replicated. This identifier must be in the Amazon Resource Name (ARN) format for the source Amazon Web Services Region. For example, if you are creating an encrypted read replica from a DB instance in the us-west-2 Amazon Web Services Region, then your SourceDBInstanceIdentifier looks like the following example: arn:aws:rds:us-west-2:123456789012:instance:mysql-instance1-20161115.

To learn how to generate a Signature Version 4 signed request, see Authenticating Requests: Using Query Parameters (Amazon Web Services Signature Version 4) and Signature Version 4 Signing Process.

If you are using an Amazon Web Services SDK tool or the CLI, you can specify SourceRegion (or --source-region for the CLI) instead of specifying PreSignedUrl manually. Specifying SourceRegion autogenerates a presigned URL that is a valid request for the operation that can run in the source Amazon Web Services Region.

This setting doesn't apply to RDS Custom DB instances.

" }, "EnableIAMDatabaseAuthentication":{ "shape":"BooleanOptional", @@ -7473,7 +7473,7 @@ }, "ParameterApplyStatus":{ "shape":"String", - "documentation":"

The status of parameter updates.

" + "documentation":"

The status of parameter updates. Valid values are:

  • applying: The parameter group change is being applied to the database.

  • failed-to-apply: The parameter group is in an invalid state.

  • in-sync: The parameter group change is synchronized with the database.

  • pending-database-upgrade: The parameter group change will be applied after the DB instance is upgraded.

  • pending-reboot: The parameter group change will be applied after the DB instance reboots.

" } }, "documentation":"

The status of the DB parameter group.

This data type is used as a response element in the following actions:

  • CreateDBInstance

  • CreateDBInstanceReadReplica

  • DeleteDBInstance

  • ModifyDBInstance

  • RebootDBInstance

  • RestoreDBInstanceFromDBSnapshot

" @@ -13805,7 +13805,7 @@ "members":{ "Action":{ "shape":"String", - "documentation":"

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

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

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

" + "documentation":"

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

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

Valid Values:

  • ca-certificate-rotation

  • db-upgrade

  • hardware-maintenance

  • os-upgrade

  • system-update

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

" }, "AutoAppliedAfterDate":{ "shape":"TStamp", From 2a0ee7405ba3b46c54c6baff8800cee8b02bf2b0 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Thu, 12 Sep 2024 18:09:37 +0000 Subject: [PATCH 070/108] Amazon EMR Update: Update APIs to allow modification of ODCR options, allocation strategy, and InstanceTypeConfigs on running InstanceFleet clusters. --- .../feature-AmazonEMR-16296ae.json | 6 +++++ .../codegen-resources/service-2.json | 27 +++++++++++++------ 2 files changed, 25 insertions(+), 8 deletions(-) create mode 100644 .changes/next-release/feature-AmazonEMR-16296ae.json diff --git a/.changes/next-release/feature-AmazonEMR-16296ae.json b/.changes/next-release/feature-AmazonEMR-16296ae.json new file mode 100644 index 000000000000..1d213f7e542c --- /dev/null +++ b/.changes/next-release/feature-AmazonEMR-16296ae.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Amazon EMR", + "contributor": "", + "description": "Update APIs to allow modification of ODCR options, allocation strategy, and InstanceTypeConfigs on running InstanceFleet clusters." +} diff --git a/services/emr/src/main/resources/codegen-resources/service-2.json b/services/emr/src/main/resources/codegen-resources/service-2.json index 13c67608d3cf..4e2d790a1533 100644 --- a/services/emr/src/main/resources/codegen-resources/service-2.json +++ b/services/emr/src/main/resources/codegen-resources/service-2.json @@ -2529,6 +2529,10 @@ "ResizeSpecifications":{ "shape":"InstanceFleetResizingSpecifications", "documentation":"

The resize specification for the instance fleet.

" + }, + "InstanceTypeConfigs":{ + "shape":"InstanceTypeConfigList", + "documentation":"

An array of InstanceTypeConfig objects that specify how Amazon EMR provisions Amazon EC2 instances when it fulfills On-Demand and Spot capacities. For more information, see InstanceTypeConfig.

" } }, "documentation":"

Configuration parameters for an instance fleet modification request.

The instance fleet configuration is available only in Amazon EMR releases 4.8.0 and later, excluding 5.0.x versions.

" @@ -2538,25 +2542,25 @@ "members":{ "SpotSpecification":{ "shape":"SpotProvisioningSpecification", - "documentation":"

The launch specification for Spot instances in the fleet, which determines the defined duration, provisioning timeout behavior, and allocation strategy.

" + "documentation":"

The launch specification for Spot instances in the fleet, which determines the allocation strategy, defined duration, and provisioning timeout behavior.

" }, "OnDemandSpecification":{ "shape":"OnDemandProvisioningSpecification", - "documentation":"

The launch specification for On-Demand Instances in the instance fleet, which determines the allocation strategy.

The instance fleet configuration is available only in Amazon EMR releases 4.8.0 and later, excluding 5.0.x versions. On-Demand Instances allocation strategy is available in Amazon EMR releases 5.12.1 and later.

" + "documentation":"

The launch specification for On-Demand Instances in the instance fleet, which determines the allocation strategy and capacity reservation options.

The instance fleet configuration is available only in Amazon EMR releases 4.8.0 and later, excluding 5.0.x versions. On-Demand Instances allocation strategy is available in Amazon EMR releases 5.12.1 and later.

" } }, - "documentation":"

The launch specification for Spot Instances in the fleet, which determines the defined duration, provisioning timeout behavior, and allocation strategy.

The instance fleet configuration is available only in Amazon EMR releases 4.8.0 and later, excluding 5.0.x versions. On-Demand and Spot instance allocation strategies are available in Amazon EMR releases 5.12.1 and later.

" + "documentation":"

The launch specification for On-Demand and Spot Instances in the fleet.

The instance fleet configuration is available only in Amazon EMR releases 4.8.0 and later, excluding 5.0.x versions. On-Demand and Spot instance allocation strategies are available in Amazon EMR releases 5.12.1 and later.

" }, "InstanceFleetResizingSpecifications":{ "type":"structure", "members":{ "SpotResizeSpecification":{ "shape":"SpotResizingSpecification", - "documentation":"

The resize specification for Spot Instances in the instance fleet, which contains the resize timeout period.

" + "documentation":"

The resize specification for Spot Instances in the instance fleet, which contains the allocation strategy and the resize timeout period.

" }, "OnDemandResizeSpecification":{ "shape":"OnDemandResizingSpecification", - "documentation":"

The resize specification for On-Demand Instances in the instance fleet, which contains the resize timeout period.

" + "documentation":"

The resize specification for On-Demand Instances in the instance fleet, which contains the allocation strategy, capacity reservation options, and the resize timeout period.

" } }, "documentation":"

The resize specification for On-Demand and Spot Instances in the fleet.

" @@ -4249,12 +4253,16 @@ }, "OnDemandResizingSpecification":{ "type":"structure", - "required":["TimeoutDurationMinutes"], "members":{ "TimeoutDurationMinutes":{ "shape":"WholeNumber", "documentation":"

On-Demand resize timeout in minutes. If On-Demand Instances are not provisioned within this time, the resize workflow stops. The minimum value is 5 minutes, and the maximum value is 10,080 minutes (7 days). The timeout applies to all resize workflows on the Instance Fleet. The resize could be triggered by Amazon EMR Managed Scaling or by the customer (via Amazon EMR Console, Amazon EMR CLI modify-instance-fleet or Amazon EMR SDK ModifyInstanceFleet API) or by Amazon EMR due to Amazon EC2 Spot Reclamation.

" - } + }, + "AllocationStrategy":{ + "shape":"OnDemandProvisioningAllocationStrategy", + "documentation":"

Specifies the allocation strategy to use to launch On-Demand instances during a resize. The default is lowest-price.

" + }, + "CapacityReservationOptions":{"shape":"OnDemandCapacityReservationOptions"} }, "documentation":"

The resize specification for On-Demand Instances in the instance fleet, which contains the resize timeout period.

" }, @@ -5063,11 +5071,14 @@ }, "SpotResizingSpecification":{ "type":"structure", - "required":["TimeoutDurationMinutes"], "members":{ "TimeoutDurationMinutes":{ "shape":"WholeNumber", "documentation":"

Spot resize timeout in minutes. If Spot Instances are not provisioned within this time, the resize workflow will stop provisioning of Spot instances. Minimum value is 5 minutes and maximum value is 10,080 minutes (7 days). The timeout applies to all resize workflows on the Instance Fleet. The resize could be triggered by Amazon EMR Managed Scaling or by the customer (via Amazon EMR Console, Amazon EMR CLI modify-instance-fleet or Amazon EMR SDK ModifyInstanceFleet API) or by Amazon EMR due to Amazon EC2 Spot Reclamation.

" + }, + "AllocationStrategy":{ + "shape":"SpotProvisioningAllocationStrategy", + "documentation":"

Specifies the allocation strategy to use to launch Spot instances during a resize. If you run Amazon EMR releases 6.9.0 or higher, the default is price-capacity-optimized. If you run Amazon EMR releases 6.8.0 or lower, the default is capacity-optimized.

" } }, "documentation":"

The resize specification for Spot Instances in the instance fleet, which contains the resize timeout period.

" From b35258117f37dd9527adcda722201e995b65bfc3 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Thu, 12 Sep 2024 18:09:38 +0000 Subject: [PATCH 071/108] Amazon Cognito Identity Provider Update: Added email MFA option to user pools with advanced security features. --- ...AmazonCognitoIdentityProvider-91ce820.json | 6 + .../codegen-resources/service-2.json | 143 +++++++++++++----- 2 files changed, 109 insertions(+), 40 deletions(-) create mode 100644 .changes/next-release/feature-AmazonCognitoIdentityProvider-91ce820.json diff --git a/.changes/next-release/feature-AmazonCognitoIdentityProvider-91ce820.json b/.changes/next-release/feature-AmazonCognitoIdentityProvider-91ce820.json new file mode 100644 index 000000000000..0b97c482250e --- /dev/null +++ b/.changes/next-release/feature-AmazonCognitoIdentityProvider-91ce820.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Amazon Cognito Identity Provider", + "contributor": "", + "description": "Added email MFA option to user pools with advanced security features." +} diff --git a/services/cognitoidentityprovider/src/main/resources/codegen-resources/service-2.json b/services/cognitoidentityprovider/src/main/resources/codegen-resources/service-2.json index 7606573db6b9..626d023cb4c2 100644 --- a/services/cognitoidentityprovider/src/main/resources/codegen-resources/service-2.json +++ b/services/cognitoidentityprovider/src/main/resources/codegen-resources/service-2.json @@ -98,7 +98,7 @@ {"shape":"UnsupportedUserStateException"}, {"shape":"InternalErrorException"} ], - "documentation":"

Creates a new user in the specified user pool.

If MessageAction isn't set, the default is to send a welcome message via email or phone (SMS).

This action might generate an SMS text message. Starting June 1, 2021, US telecom carriers require you to register an origination phone number before you can send SMS messages to US phone numbers. If you use SMS text messages in Amazon Cognito, you must register a phone number with Amazon Pinpoint. Amazon Cognito uses the registered number automatically. Otherwise, Amazon Cognito users who must receive SMS messages might not be able to sign up, activate their accounts, or sign in.

If you have never used SMS text messages with Amazon Cognito or any other Amazon Web Services service, Amazon Simple Notification Service might place your account in the SMS sandbox. In sandbox mode , you can send messages only to verified phone numbers. After you test your app while in the sandbox environment, you can move out of the sandbox and into production. For more information, see SMS message settings for Amazon Cognito user pools in the Amazon Cognito Developer Guide.

This message is based on a template that you configured in your call to create or update a user pool. This template includes your custom sign-up instructions and placeholders for user name and temporary password.

Alternatively, you can call AdminCreateUser with SUPPRESS for the MessageAction parameter, and Amazon Cognito won't send any email.

In either case, the user will be in the FORCE_CHANGE_PASSWORD state until they sign in and change their password.

Amazon Cognito evaluates Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you must use IAM credentials to authorize requests, and you must grant yourself the corresponding IAM permission in a policy.

Learn more

" + "documentation":"

Creates a new user in the specified user pool.

If MessageAction isn't set, the default is to send a welcome message via email or phone (SMS).

This action might generate an SMS text message. Starting June 1, 2021, US telecom carriers require you to register an origination phone number before you can send SMS messages to US phone numbers. If you use SMS text messages in Amazon Cognito, you must register a phone number with Amazon Pinpoint. Amazon Cognito uses the registered number automatically. Otherwise, Amazon Cognito users who must receive SMS messages might not be able to sign up, activate their accounts, or sign in.

If you have never used SMS text messages with Amazon Cognito or any other Amazon Web Servicesservice, Amazon Simple Notification Service might place your account in the SMS sandbox. In sandbox mode , you can send messages only to verified phone numbers. After you test your app while in the sandbox environment, you can move out of the sandbox and into production. For more information, see SMS message settings for Amazon Cognito user pools in the Amazon Cognito Developer Guide.

This message is based on a template that you configured in your call to create or update a user pool. This template includes your custom sign-up instructions and placeholders for user name and temporary password.

Alternatively, you can call AdminCreateUser with SUPPRESS for the MessageAction parameter, and Amazon Cognito won't send any email.

In either case, the user will be in the FORCE_CHANGE_PASSWORD state until they sign in and change their password.

Amazon Cognito evaluates Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you must use IAM credentials to authorize requests, and you must grant yourself the corresponding IAM permission in a policy.

Learn more

" }, "AdminDeleteUser":{ "name":"AdminDeleteUser", @@ -264,12 +264,13 @@ {"shape":"InvalidLambdaResponseException"}, {"shape":"MFAMethodNotFoundException"}, {"shape":"InvalidSmsRoleAccessPolicyException"}, + {"shape":"InvalidEmailRoleAccessPolicyException"}, {"shape":"InvalidSmsRoleTrustRelationshipException"}, {"shape":"PasswordResetRequiredException"}, {"shape":"UserNotFoundException"}, {"shape":"UserNotConfirmedException"} ], - "documentation":"

Initiates the authentication flow, as an administrator.

This action might generate an SMS text message. Starting June 1, 2021, US telecom carriers require you to register an origination phone number before you can send SMS messages to US phone numbers. If you use SMS text messages in Amazon Cognito, you must register a phone number with Amazon Pinpoint. Amazon Cognito uses the registered number automatically. Otherwise, Amazon Cognito users who must receive SMS messages might not be able to sign up, activate their accounts, or sign in.

If you have never used SMS text messages with Amazon Cognito or any other Amazon Web Services service, Amazon Simple Notification Service might place your account in the SMS sandbox. In sandbox mode , you can send messages only to verified phone numbers. After you test your app while in the sandbox environment, you can move out of the sandbox and into production. For more information, see SMS message settings for Amazon Cognito user pools in the Amazon Cognito Developer Guide.

Amazon Cognito evaluates Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you must use IAM credentials to authorize requests, and you must grant yourself the corresponding IAM permission in a policy.

Learn more

" + "documentation":"

Initiates the authentication flow, as an administrator.

This action might generate an SMS text message. Starting June 1, 2021, US telecom carriers require you to register an origination phone number before you can send SMS messages to US phone numbers. If you use SMS text messages in Amazon Cognito, you must register a phone number with Amazon Pinpoint. Amazon Cognito uses the registered number automatically. Otherwise, Amazon Cognito users who must receive SMS messages might not be able to sign up, activate their accounts, or sign in.

If you have never used SMS text messages with Amazon Cognito or any other Amazon Web Servicesservice, Amazon Simple Notification Service might place your account in the SMS sandbox. In sandbox mode , you can send messages only to verified phone numbers. After you test your app while in the sandbox environment, you can move out of the sandbox and into production. For more information, see SMS message settings for Amazon Cognito user pools in the Amazon Cognito Developer Guide.

Amazon Cognito evaluates Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you must use IAM credentials to authorize requests, and you must grant yourself the corresponding IAM permission in a policy.

Learn more

" }, "AdminLinkProviderForUser":{ "name":"AdminLinkProviderForUser", @@ -386,7 +387,7 @@ {"shape":"InvalidSmsRoleTrustRelationshipException"}, {"shape":"InternalErrorException"} ], - "documentation":"

Resets the specified user's password in a user pool as an administrator. Works on any user.

To use this API operation, your user pool must have self-service account recovery configured. Use AdminSetUserPassword if you manage passwords as an administrator.

This action might generate an SMS text message. Starting June 1, 2021, US telecom carriers require you to register an origination phone number before you can send SMS messages to US phone numbers. If you use SMS text messages in Amazon Cognito, you must register a phone number with Amazon Pinpoint. Amazon Cognito uses the registered number automatically. Otherwise, Amazon Cognito users who must receive SMS messages might not be able to sign up, activate their accounts, or sign in.

If you have never used SMS text messages with Amazon Cognito or any other Amazon Web Services service, Amazon Simple Notification Service might place your account in the SMS sandbox. In sandbox mode , you can send messages only to verified phone numbers. After you test your app while in the sandbox environment, you can move out of the sandbox and into production. For more information, see SMS message settings for Amazon Cognito user pools in the Amazon Cognito Developer Guide.

Deactivates a user's password, requiring them to change it. If a user tries to sign in after the API is called, Amazon Cognito responds with a PasswordResetRequiredException error. Your app must then perform the actions that reset your user's password: the forgot-password flow. In addition, if the user pool has phone verification selected and a verified phone number exists for the user, or if email verification is selected and a verified email exists for the user, calling this API will also result in sending a message to the end user with the code to change their password.

Amazon Cognito evaluates Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you must use IAM credentials to authorize requests, and you must grant yourself the corresponding IAM permission in a policy.

Learn more

" + "documentation":"

Resets the specified user's password in a user pool as an administrator. Works on any user.

To use this API operation, your user pool must have self-service account recovery configured. Use AdminSetUserPassword if you manage passwords as an administrator.

This action might generate an SMS text message. Starting June 1, 2021, US telecom carriers require you to register an origination phone number before you can send SMS messages to US phone numbers. If you use SMS text messages in Amazon Cognito, you must register a phone number with Amazon Pinpoint. Amazon Cognito uses the registered number automatically. Otherwise, Amazon Cognito users who must receive SMS messages might not be able to sign up, activate their accounts, or sign in.

If you have never used SMS text messages with Amazon Cognito or any other Amazon Web Servicesservice, Amazon Simple Notification Service might place your account in the SMS sandbox. In sandbox mode , you can send messages only to verified phone numbers. After you test your app while in the sandbox environment, you can move out of the sandbox and into production. For more information, see SMS message settings for Amazon Cognito user pools in the Amazon Cognito Developer Guide.

Deactivates a user's password, requiring them to change it. If a user tries to sign in after the API is called, Amazon Cognito responds with a PasswordResetRequiredException error. Your app must then perform the actions that reset your user's password: the forgot-password flow. In addition, if the user pool has phone verification selected and a verified phone number exists for the user, or if email verification is selected and a verified email exists for the user, calling this API will also result in sending a message to the end user with the code to change their password.

Amazon Cognito evaluates Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you must use IAM credentials to authorize requests, and you must grant yourself the corresponding IAM permission in a policy.

Learn more

" }, "AdminRespondToAuthChallenge":{ "name":"AdminRespondToAuthChallenge", @@ -411,6 +412,7 @@ {"shape":"InvalidUserPoolConfigurationException"}, {"shape":"InternalErrorException"}, {"shape":"MFAMethodNotFoundException"}, + {"shape":"InvalidEmailRoleAccessPolicyException"}, {"shape":"InvalidSmsRoleAccessPolicyException"}, {"shape":"InvalidSmsRoleTrustRelationshipException"}, {"shape":"AliasExistsException"}, @@ -419,7 +421,7 @@ {"shape":"UserNotConfirmedException"}, {"shape":"SoftwareTokenMFANotFoundException"} ], - "documentation":"

Some API operations in a user pool generate a challenge, like a prompt for an MFA code, for device authentication that bypasses MFA, or for a custom authentication challenge. An AdminRespondToAuthChallenge API request provides the answer to that challenge, like a code or a secure remote password (SRP). The parameters of a response to an authentication challenge vary with the type of challenge.

For more information about custom authentication challenges, see Custom authentication challenge Lambda triggers.

This action might generate an SMS text message. Starting June 1, 2021, US telecom carriers require you to register an origination phone number before you can send SMS messages to US phone numbers. If you use SMS text messages in Amazon Cognito, you must register a phone number with Amazon Pinpoint. Amazon Cognito uses the registered number automatically. Otherwise, Amazon Cognito users who must receive SMS messages might not be able to sign up, activate their accounts, or sign in.

If you have never used SMS text messages with Amazon Cognito or any other Amazon Web Services service, Amazon Simple Notification Service might place your account in the SMS sandbox. In sandbox mode , you can send messages only to verified phone numbers. After you test your app while in the sandbox environment, you can move out of the sandbox and into production. For more information, see SMS message settings for Amazon Cognito user pools in the Amazon Cognito Developer Guide.

Amazon Cognito evaluates Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you must use IAM credentials to authorize requests, and you must grant yourself the corresponding IAM permission in a policy.

Learn more

" + "documentation":"

Some API operations in a user pool generate a challenge, like a prompt for an MFA code, for device authentication that bypasses MFA, or for a custom authentication challenge. An AdminRespondToAuthChallenge API request provides the answer to that challenge, like a code or a secure remote password (SRP). The parameters of a response to an authentication challenge vary with the type of challenge.

For more information about custom authentication challenges, see Custom authentication challenge Lambda triggers.

This action might generate an SMS text message. Starting June 1, 2021, US telecom carriers require you to register an origination phone number before you can send SMS messages to US phone numbers. If you use SMS text messages in Amazon Cognito, you must register a phone number with Amazon Pinpoint. Amazon Cognito uses the registered number automatically. Otherwise, Amazon Cognito users who must receive SMS messages might not be able to sign up, activate their accounts, or sign in.

If you have never used SMS text messages with Amazon Cognito or any other Amazon Web Servicesservice, Amazon Simple Notification Service might place your account in the SMS sandbox. In sandbox mode , you can send messages only to verified phone numbers. After you test your app while in the sandbox environment, you can move out of the sandbox and into production. For more information, see SMS message settings for Amazon Cognito user pools in the Amazon Cognito Developer Guide.

Amazon Cognito evaluates Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you must use IAM credentials to authorize requests, and you must grant yourself the corresponding IAM permission in a policy.

Learn more

" }, "AdminSetUserMFAPreference":{ "name":"AdminSetUserMFAPreference", @@ -438,7 +440,7 @@ {"shape":"UserNotConfirmedException"}, {"shape":"InternalErrorException"} ], - "documentation":"

The user's multi-factor authentication (MFA) preference, including which MFA options are activated, and if any are preferred. Only one factor can be set as preferred. The preferred MFA factor will be used to authenticate a user if multiple factors are activated. If multiple options are activated and no preference is set, a challenge to choose an MFA option will be returned during sign-in.

Amazon Cognito evaluates Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you must use IAM credentials to authorize requests, and you must grant yourself the corresponding IAM permission in a policy.

Learn more

" + "documentation":"

Sets the user's multi-factor authentication (MFA) preference, including which MFA options are activated, and if any are preferred. Only one factor can be set as preferred. The preferred MFA factor will be used to authenticate a user if multiple factors are activated. If multiple options are activated and no preference is set, a challenge to choose an MFA option will be returned during sign-in.

Amazon Cognito evaluates Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you must use IAM credentials to authorize requests, and you must grant yourself the corresponding IAM permission in a policy.

Learn more

" }, "AdminSetUserPassword":{ "name":"AdminSetUserPassword", @@ -538,7 +540,7 @@ {"shape":"InvalidEmailRoleAccessPolicyException"}, {"shape":"InvalidSmsRoleTrustRelationshipException"} ], - "documentation":"

This action might generate an SMS text message. Starting June 1, 2021, US telecom carriers require you to register an origination phone number before you can send SMS messages to US phone numbers. If you use SMS text messages in Amazon Cognito, you must register a phone number with Amazon Pinpoint. Amazon Cognito uses the registered number automatically. Otherwise, Amazon Cognito users who must receive SMS messages might not be able to sign up, activate their accounts, or sign in.

If you have never used SMS text messages with Amazon Cognito or any other Amazon Web Services service, Amazon Simple Notification Service might place your account in the SMS sandbox. In sandbox mode , you can send messages only to verified phone numbers. After you test your app while in the sandbox environment, you can move out of the sandbox and into production. For more information, see SMS message settings for Amazon Cognito user pools in the Amazon Cognito Developer Guide.

Updates the specified user's attributes, including developer attributes, as an administrator. Works on any user. To delete an attribute from your user, submit the attribute in your API request with a blank value.

For custom attributes, you must prepend the custom: prefix to the attribute name.

In addition to updating user attributes, this API can also be used to mark phone and email as verified.

Amazon Cognito evaluates Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you must use IAM credentials to authorize requests, and you must grant yourself the corresponding IAM permission in a policy.

Learn more

" + "documentation":"

This action might generate an SMS text message. Starting June 1, 2021, US telecom carriers require you to register an origination phone number before you can send SMS messages to US phone numbers. If you use SMS text messages in Amazon Cognito, you must register a phone number with Amazon Pinpoint. Amazon Cognito uses the registered number automatically. Otherwise, Amazon Cognito users who must receive SMS messages might not be able to sign up, activate their accounts, or sign in.

If you have never used SMS text messages with Amazon Cognito or any other Amazon Web Servicesservice, Amazon Simple Notification Service might place your account in the SMS sandbox. In sandbox mode , you can send messages only to verified phone numbers. After you test your app while in the sandbox environment, you can move out of the sandbox and into production. For more information, see SMS message settings for Amazon Cognito user pools in the Amazon Cognito Developer Guide.

Updates the specified user's attributes, including developer attributes, as an administrator. Works on any user. To delete an attribute from your user, submit the attribute in your API request with a blank value.

For custom attributes, you must prepend the custom: prefix to the attribute name.

In addition to updating user attributes, this API can also be used to mark phone and email as verified.

Amazon Cognito evaluates Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you must use IAM credentials to authorize requests, and you must grant yourself the corresponding IAM permission in a policy.

Learn more

" }, "AdminUserGlobalSignOut":{ "name":"AdminUserGlobalSignOut", @@ -786,7 +788,7 @@ {"shape":"UserPoolTaggingException"}, {"shape":"InternalErrorException"} ], - "documentation":"

This action might generate an SMS text message. Starting June 1, 2021, US telecom carriers require you to register an origination phone number before you can send SMS messages to US phone numbers. If you use SMS text messages in Amazon Cognito, you must register a phone number with Amazon Pinpoint. Amazon Cognito uses the registered number automatically. Otherwise, Amazon Cognito users who must receive SMS messages might not be able to sign up, activate their accounts, or sign in.

If you have never used SMS text messages with Amazon Cognito or any other Amazon Web Services service, Amazon Simple Notification Service might place your account in the SMS sandbox. In sandbox mode , you can send messages only to verified phone numbers. After you test your app while in the sandbox environment, you can move out of the sandbox and into production. For more information, see SMS message settings for Amazon Cognito user pools in the Amazon Cognito Developer Guide.

Creates a new Amazon Cognito user pool and sets the password policy for the pool.

If you don't provide a value for an attribute, Amazon Cognito sets it to its default value.

Amazon Cognito evaluates Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you must use IAM credentials to authorize requests, and you must grant yourself the corresponding IAM permission in a policy.

Learn more

" + "documentation":"

This action might generate an SMS text message. Starting June 1, 2021, US telecom carriers require you to register an origination phone number before you can send SMS messages to US phone numbers. If you use SMS text messages in Amazon Cognito, you must register a phone number with Amazon Pinpoint. Amazon Cognito uses the registered number automatically. Otherwise, Amazon Cognito users who must receive SMS messages might not be able to sign up, activate their accounts, or sign in.

If you have never used SMS text messages with Amazon Cognito or any other Amazon Web Servicesservice, Amazon Simple Notification Service might place your account in the SMS sandbox. In sandbox mode , you can send messages only to verified phone numbers. After you test your app while in the sandbox environment, you can move out of the sandbox and into production. For more information, see SMS message settings for Amazon Cognito user pools in the Amazon Cognito Developer Guide.

Creates a new Amazon Cognito user pool and sets the password policy for the pool.

If you don't provide a value for an attribute, Amazon Cognito sets it to its default value.

Amazon Cognito evaluates Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you must use IAM credentials to authorize requests, and you must grant yourself the corresponding IAM permission in a policy.

Learn more

" }, "CreateUserPoolClient":{ "name":"CreateUserPoolClient", @@ -1138,7 +1140,7 @@ {"shape":"InternalErrorException"}, {"shape":"ForbiddenException"} ], - "documentation":"

Calling this API causes a message to be sent to the end user with a confirmation code that is required to change the user's password. For the Username parameter, you can use the username or user alias. The method used to send the confirmation code is sent according to the specified AccountRecoverySetting. For more information, see Recovering User Accounts in the Amazon Cognito Developer Guide. To use the confirmation code for resetting the password, call ConfirmForgotPassword.

If neither a verified phone number nor a verified email exists, this API returns InvalidParameterException. If your app client has a client secret and you don't provide a SECRET_HASH parameter, this API returns NotAuthorizedException.

To use this API operation, your user pool must have self-service account recovery configured. Use AdminSetUserPassword if you manage passwords as an administrator.

Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see Using the Amazon Cognito user pools API and user pool endpoints.

This action might generate an SMS text message. Starting June 1, 2021, US telecom carriers require you to register an origination phone number before you can send SMS messages to US phone numbers. If you use SMS text messages in Amazon Cognito, you must register a phone number with Amazon Pinpoint. Amazon Cognito uses the registered number automatically. Otherwise, Amazon Cognito users who must receive SMS messages might not be able to sign up, activate their accounts, or sign in.

If you have never used SMS text messages with Amazon Cognito or any other Amazon Web Services service, Amazon Simple Notification Service might place your account in the SMS sandbox. In sandbox mode , you can send messages only to verified phone numbers. After you test your app while in the sandbox environment, you can move out of the sandbox and into production. For more information, see SMS message settings for Amazon Cognito user pools in the Amazon Cognito Developer Guide.

", + "documentation":"

Calling this API causes a message to be sent to the end user with a confirmation code that is required to change the user's password. For the Username parameter, you can use the username or user alias. The method used to send the confirmation code is sent according to the specified AccountRecoverySetting. For more information, see Recovering User Accounts in the Amazon Cognito Developer Guide. To use the confirmation code for resetting the password, call ConfirmForgotPassword.

If neither a verified phone number nor a verified email exists, this API returns InvalidParameterException. If your app client has a client secret and you don't provide a SECRET_HASH parameter, this API returns NotAuthorizedException.

To use this API operation, your user pool must have self-service account recovery configured. Use AdminSetUserPassword if you manage passwords as an administrator.

Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see Using the Amazon Cognito user pools API and user pool endpoints.

This action might generate an SMS text message. Starting June 1, 2021, US telecom carriers require you to register an origination phone number before you can send SMS messages to US phone numbers. If you use SMS text messages in Amazon Cognito, you must register a phone number with Amazon Pinpoint. Amazon Cognito uses the registered number automatically. Otherwise, Amazon Cognito users who must receive SMS messages might not be able to sign up, activate their accounts, or sign in.

If you have never used SMS text messages with Amazon Cognito or any other Amazon Web Servicesservice, Amazon Simple Notification Service might place your account in the SMS sandbox. In sandbox mode , you can send messages only to verified phone numbers. After you test your app while in the sandbox environment, you can move out of the sandbox and into production. For more information, see SMS message settings for Amazon Cognito user pools in the Amazon Cognito Developer Guide.

", "authtype":"none", "auth":["smithy.api#noAuth"] }, @@ -1316,7 +1318,7 @@ {"shape":"InternalErrorException"}, {"shape":"ForbiddenException"} ], - "documentation":"

Generates a user attribute verification code for the specified attribute name. Sends a message to a user with a code that they must return in a VerifyUserAttribute request.

Authorize this action with a signed-in user's access token. It must include the scope aws.cognito.signin.user.admin.

Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see Using the Amazon Cognito user pools API and user pool endpoints.

This action might generate an SMS text message. Starting June 1, 2021, US telecom carriers require you to register an origination phone number before you can send SMS messages to US phone numbers. If you use SMS text messages in Amazon Cognito, you must register a phone number with Amazon Pinpoint. Amazon Cognito uses the registered number automatically. Otherwise, Amazon Cognito users who must receive SMS messages might not be able to sign up, activate their accounts, or sign in.

If you have never used SMS text messages with Amazon Cognito or any other Amazon Web Services service, Amazon Simple Notification Service might place your account in the SMS sandbox. In sandbox mode , you can send messages only to verified phone numbers. After you test your app while in the sandbox environment, you can move out of the sandbox and into production. For more information, see SMS message settings for Amazon Cognito user pools in the Amazon Cognito Developer Guide.

", + "documentation":"

Generates a user attribute verification code for the specified attribute name. Sends a message to a user with a code that they must return in a VerifyUserAttribute request.

Authorize this action with a signed-in user's access token. It must include the scope aws.cognito.signin.user.admin.

Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see Using the Amazon Cognito user pools API and user pool endpoints.

This action might generate an SMS text message. Starting June 1, 2021, US telecom carriers require you to register an origination phone number before you can send SMS messages to US phone numbers. If you use SMS text messages in Amazon Cognito, you must register a phone number with Amazon Pinpoint. Amazon Cognito uses the registered number automatically. Otherwise, Amazon Cognito users who must receive SMS messages might not be able to sign up, activate their accounts, or sign in.

If you have never used SMS text messages with Amazon Cognito or any other Amazon Web Servicesservice, Amazon Simple Notification Service might place your account in the SMS sandbox. In sandbox mode , you can send messages only to verified phone numbers. After you test your app while in the sandbox environment, you can move out of the sandbox and into production. For more information, see SMS message settings for Amazon Cognito user pools in the Amazon Cognito Developer Guide.

", "authtype":"none", "auth":["smithy.api#noAuth"] }, @@ -1381,10 +1383,11 @@ {"shape":"UserNotConfirmedException"}, {"shape":"InternalErrorException"}, {"shape":"InvalidSmsRoleAccessPolicyException"}, + {"shape":"InvalidEmailRoleAccessPolicyException"}, {"shape":"InvalidSmsRoleTrustRelationshipException"}, {"shape":"ForbiddenException"} ], - "documentation":"

Initiates sign-in for a user in the Amazon Cognito user directory. You can't sign in a user with a federated IdP with InitiateAuth. For more information, see Adding user pool sign-in through a third party.

Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see Using the Amazon Cognito user pools API and user pool endpoints.

This action might generate an SMS text message. Starting June 1, 2021, US telecom carriers require you to register an origination phone number before you can send SMS messages to US phone numbers. If you use SMS text messages in Amazon Cognito, you must register a phone number with Amazon Pinpoint. Amazon Cognito uses the registered number automatically. Otherwise, Amazon Cognito users who must receive SMS messages might not be able to sign up, activate their accounts, or sign in.

If you have never used SMS text messages with Amazon Cognito or any other Amazon Web Services service, Amazon Simple Notification Service might place your account in the SMS sandbox. In sandbox mode , you can send messages only to verified phone numbers. After you test your app while in the sandbox environment, you can move out of the sandbox and into production. For more information, see SMS message settings for Amazon Cognito user pools in the Amazon Cognito Developer Guide.

", + "documentation":"

Initiates sign-in for a user in the Amazon Cognito user directory. You can't sign in a user with a federated IdP with InitiateAuth. For more information, see Adding user pool sign-in through a third party.

Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see Using the Amazon Cognito user pools API and user pool endpoints.

This action might generate an SMS text message. Starting June 1, 2021, US telecom carriers require you to register an origination phone number before you can send SMS messages to US phone numbers. If you use SMS text messages in Amazon Cognito, you must register a phone number with Amazon Pinpoint. Amazon Cognito uses the registered number automatically. Otherwise, Amazon Cognito users who must receive SMS messages might not be able to sign up, activate their accounts, or sign in.

If you have never used SMS text messages with Amazon Cognito or any other Amazon Web Servicesservice, Amazon Simple Notification Service might place your account in the SMS sandbox. In sandbox mode , you can send messages only to verified phone numbers. After you test your app while in the sandbox environment, you can move out of the sandbox and into production. For more information, see SMS message settings for Amazon Cognito user pools in the Amazon Cognito Developer Guide.

", "authtype":"none", "auth":["smithy.api#noAuth"] }, @@ -1589,7 +1592,7 @@ {"shape":"InternalErrorException"}, {"shape":"ForbiddenException"} ], - "documentation":"

Resends the confirmation (for confirmation of registration) to a specific user in the user pool.

Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see Using the Amazon Cognito user pools API and user pool endpoints.

This action might generate an SMS text message. Starting June 1, 2021, US telecom carriers require you to register an origination phone number before you can send SMS messages to US phone numbers. If you use SMS text messages in Amazon Cognito, you must register a phone number with Amazon Pinpoint. Amazon Cognito uses the registered number automatically. Otherwise, Amazon Cognito users who must receive SMS messages might not be able to sign up, activate their accounts, or sign in.

If you have never used SMS text messages with Amazon Cognito or any other Amazon Web Services service, Amazon Simple Notification Service might place your account in the SMS sandbox. In sandbox mode , you can send messages only to verified phone numbers. After you test your app while in the sandbox environment, you can move out of the sandbox and into production. For more information, see SMS message settings for Amazon Cognito user pools in the Amazon Cognito Developer Guide.

", + "documentation":"

Resends the confirmation (for confirmation of registration) to a specific user in the user pool.

Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see Using the Amazon Cognito user pools API and user pool endpoints.

This action might generate an SMS text message. Starting June 1, 2021, US telecom carriers require you to register an origination phone number before you can send SMS messages to US phone numbers. If you use SMS text messages in Amazon Cognito, you must register a phone number with Amazon Pinpoint. Amazon Cognito uses the registered number automatically. Otherwise, Amazon Cognito users who must receive SMS messages might not be able to sign up, activate their accounts, or sign in.

If you have never used SMS text messages with Amazon Cognito or any other Amazon Web Servicesservice, Amazon Simple Notification Service might place your account in the SMS sandbox. In sandbox mode , you can send messages only to verified phone numbers. After you test your app while in the sandbox environment, you can move out of the sandbox and into production. For more information, see SMS message settings for Amazon Cognito user pools in the Amazon Cognito Developer Guide.

", "authtype":"none", "auth":["smithy.api#noAuth"] }, @@ -1620,12 +1623,13 @@ {"shape":"UserNotConfirmedException"}, {"shape":"InvalidSmsRoleAccessPolicyException"}, {"shape":"InvalidSmsRoleTrustRelationshipException"}, + {"shape":"InvalidEmailRoleAccessPolicyException"}, {"shape":"AliasExistsException"}, {"shape":"InternalErrorException"}, {"shape":"SoftwareTokenMFANotFoundException"}, {"shape":"ForbiddenException"} ], - "documentation":"

Some API operations in a user pool generate a challenge, like a prompt for an MFA code, for device authentication that bypasses MFA, or for a custom authentication challenge. A RespondToAuthChallenge API request provides the answer to that challenge, like a code or a secure remote password (SRP). The parameters of a response to an authentication challenge vary with the type of challenge.

For more information about custom authentication challenges, see Custom authentication challenge Lambda triggers.

Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see Using the Amazon Cognito user pools API and user pool endpoints.

This action might generate an SMS text message. Starting June 1, 2021, US telecom carriers require you to register an origination phone number before you can send SMS messages to US phone numbers. If you use SMS text messages in Amazon Cognito, you must register a phone number with Amazon Pinpoint. Amazon Cognito uses the registered number automatically. Otherwise, Amazon Cognito users who must receive SMS messages might not be able to sign up, activate their accounts, or sign in.

If you have never used SMS text messages with Amazon Cognito or any other Amazon Web Services service, Amazon Simple Notification Service might place your account in the SMS sandbox. In sandbox mode , you can send messages only to verified phone numbers. After you test your app while in the sandbox environment, you can move out of the sandbox and into production. For more information, see SMS message settings for Amazon Cognito user pools in the Amazon Cognito Developer Guide.

", + "documentation":"

Some API operations in a user pool generate a challenge, like a prompt for an MFA code, for device authentication that bypasses MFA, or for a custom authentication challenge. A RespondToAuthChallenge API request provides the answer to that challenge, like a code or a secure remote password (SRP). The parameters of a response to an authentication challenge vary with the type of challenge.

For more information about custom authentication challenges, see Custom authentication challenge Lambda triggers.

Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see Using the Amazon Cognito user pools API and user pool endpoints.

This action might generate an SMS text message. Starting June 1, 2021, US telecom carriers require you to register an origination phone number before you can send SMS messages to US phone numbers. If you use SMS text messages in Amazon Cognito, you must register a phone number with Amazon Pinpoint. Amazon Cognito uses the registered number automatically. Otherwise, Amazon Cognito users who must receive SMS messages might not be able to sign up, activate their accounts, or sign in.

If you have never used SMS text messages with Amazon Cognito or any other Amazon Web Servicesservice, Amazon Simple Notification Service might place your account in the SMS sandbox. In sandbox mode , you can send messages only to verified phone numbers. After you test your app while in the sandbox environment, you can move out of the sandbox and into production. For more information, see SMS message settings for Amazon Cognito user pools in the Amazon Cognito Developer Guide.

", "authtype":"none", "auth":["smithy.api#noAuth"] }, @@ -1744,7 +1748,7 @@ {"shape":"NotAuthorizedException"}, {"shape":"InternalErrorException"} ], - "documentation":"

Sets the user pool multi-factor authentication (MFA) configuration.

This action might generate an SMS text message. Starting June 1, 2021, US telecom carriers require you to register an origination phone number before you can send SMS messages to US phone numbers. If you use SMS text messages in Amazon Cognito, you must register a phone number with Amazon Pinpoint. Amazon Cognito uses the registered number automatically. Otherwise, Amazon Cognito users who must receive SMS messages might not be able to sign up, activate their accounts, or sign in.

If you have never used SMS text messages with Amazon Cognito or any other Amazon Web Services service, Amazon Simple Notification Service might place your account in the SMS sandbox. In sandbox mode , you can send messages only to verified phone numbers. After you test your app while in the sandbox environment, you can move out of the sandbox and into production. For more information, see SMS message settings for Amazon Cognito user pools in the Amazon Cognito Developer Guide.

" + "documentation":"

Sets the user pool multi-factor authentication (MFA) configuration.

This action might generate an SMS text message. Starting June 1, 2021, US telecom carriers require you to register an origination phone number before you can send SMS messages to US phone numbers. If you use SMS text messages in Amazon Cognito, you must register a phone number with Amazon Pinpoint. Amazon Cognito uses the registered number automatically. Otherwise, Amazon Cognito users who must receive SMS messages might not be able to sign up, activate their accounts, or sign in.

If you have never used SMS text messages with Amazon Cognito or any other Amazon Web Servicesservice, Amazon Simple Notification Service might place your account in the SMS sandbox. In sandbox mode , you can send messages only to verified phone numbers. After you test your app while in the sandbox environment, you can move out of the sandbox and into production. For more information, see SMS message settings for Amazon Cognito user pools in the Amazon Cognito Developer Guide.

" }, "SetUserSettings":{ "name":"SetUserSettings", @@ -1794,7 +1798,7 @@ {"shape":"CodeDeliveryFailureException"}, {"shape":"ForbiddenException"} ], - "documentation":"

Registers the user in the specified user pool and creates a user name, password, and user attributes.

Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see Using the Amazon Cognito user pools API and user pool endpoints.

This action might generate an SMS text message. Starting June 1, 2021, US telecom carriers require you to register an origination phone number before you can send SMS messages to US phone numbers. If you use SMS text messages in Amazon Cognito, you must register a phone number with Amazon Pinpoint. Amazon Cognito uses the registered number automatically. Otherwise, Amazon Cognito users who must receive SMS messages might not be able to sign up, activate their accounts, or sign in.

If you have never used SMS text messages with Amazon Cognito or any other Amazon Web Services service, Amazon Simple Notification Service might place your account in the SMS sandbox. In sandbox mode , you can send messages only to verified phone numbers. After you test your app while in the sandbox environment, you can move out of the sandbox and into production. For more information, see SMS message settings for Amazon Cognito user pools in the Amazon Cognito Developer Guide.

", + "documentation":"

Registers the user in the specified user pool and creates a user name, password, and user attributes.

Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see Using the Amazon Cognito user pools API and user pool endpoints.

This action might generate an SMS text message. Starting June 1, 2021, US telecom carriers require you to register an origination phone number before you can send SMS messages to US phone numbers. If you use SMS text messages in Amazon Cognito, you must register a phone number with Amazon Pinpoint. Amazon Cognito uses the registered number automatically. Otherwise, Amazon Cognito users who must receive SMS messages might not be able to sign up, activate their accounts, or sign in.

If you have never used SMS text messages with Amazon Cognito or any other Amazon Web Servicesservice, Amazon Simple Notification Service might place your account in the SMS sandbox. In sandbox mode , you can send messages only to verified phone numbers. After you test your app while in the sandbox environment, you can move out of the sandbox and into production. For more information, see SMS message settings for Amazon Cognito user pools in the Amazon Cognito Developer Guide.

", "authtype":"none", "auth":["smithy.api#noAuth"] }, @@ -1995,7 +1999,7 @@ {"shape":"InternalErrorException"}, {"shape":"ForbiddenException"} ], - "documentation":"

With this operation, your users can update one or more of their attributes with their own credentials. You authorize this API request with the user's access token. To delete an attribute from your user, submit the attribute in your API request with a blank value. Custom attribute values in this request must include the custom: prefix.

Authorize this action with a signed-in user's access token. It must include the scope aws.cognito.signin.user.admin.

Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see Using the Amazon Cognito user pools API and user pool endpoints.

This action might generate an SMS text message. Starting June 1, 2021, US telecom carriers require you to register an origination phone number before you can send SMS messages to US phone numbers. If you use SMS text messages in Amazon Cognito, you must register a phone number with Amazon Pinpoint. Amazon Cognito uses the registered number automatically. Otherwise, Amazon Cognito users who must receive SMS messages might not be able to sign up, activate their accounts, or sign in.

If you have never used SMS text messages with Amazon Cognito or any other Amazon Web Services service, Amazon Simple Notification Service might place your account in the SMS sandbox. In sandbox mode , you can send messages only to verified phone numbers. After you test your app while in the sandbox environment, you can move out of the sandbox and into production. For more information, see SMS message settings for Amazon Cognito user pools in the Amazon Cognito Developer Guide.

", + "documentation":"

With this operation, your users can update one or more of their attributes with their own credentials. You authorize this API request with the user's access token. To delete an attribute from your user, submit the attribute in your API request with a blank value. Custom attribute values in this request must include the custom: prefix.

Authorize this action with a signed-in user's access token. It must include the scope aws.cognito.signin.user.admin.

Amazon Cognito doesn't evaluate Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you can't use IAM credentials to authorize requests, and you can't grant IAM permissions in policies. For more information about authorization models in Amazon Cognito, see Using the Amazon Cognito user pools API and user pool endpoints.

This action might generate an SMS text message. Starting June 1, 2021, US telecom carriers require you to register an origination phone number before you can send SMS messages to US phone numbers. If you use SMS text messages in Amazon Cognito, you must register a phone number with Amazon Pinpoint. Amazon Cognito uses the registered number automatically. Otherwise, Amazon Cognito users who must receive SMS messages might not be able to sign up, activate their accounts, or sign in.

If you have never used SMS text messages with Amazon Cognito or any other Amazon Web Servicesservice, Amazon Simple Notification Service might place your account in the SMS sandbox. In sandbox mode , you can send messages only to verified phone numbers. After you test your app while in the sandbox environment, you can move out of the sandbox and into production. For more information, see SMS message settings for Amazon Cognito user pools in the Amazon Cognito Developer Guide.

", "authtype":"none", "auth":["smithy.api#noAuth"] }, @@ -2020,7 +2024,7 @@ {"shape":"UserPoolTaggingException"}, {"shape":"InvalidEmailRoleAccessPolicyException"} ], - "documentation":"

This action might generate an SMS text message. Starting June 1, 2021, US telecom carriers require you to register an origination phone number before you can send SMS messages to US phone numbers. If you use SMS text messages in Amazon Cognito, you must register a phone number with Amazon Pinpoint. Amazon Cognito uses the registered number automatically. Otherwise, Amazon Cognito users who must receive SMS messages might not be able to sign up, activate their accounts, or sign in.

If you have never used SMS text messages with Amazon Cognito or any other Amazon Web Services service, Amazon Simple Notification Service might place your account in the SMS sandbox. In sandbox mode , you can send messages only to verified phone numbers. After you test your app while in the sandbox environment, you can move out of the sandbox and into production. For more information, see SMS message settings for Amazon Cognito user pools in the Amazon Cognito Developer Guide.

Updates the specified user pool with the specified attributes. You can get a list of the current user pool settings using DescribeUserPool.

If you don't provide a value for an attribute, Amazon Cognito sets it to its default value.

Amazon Cognito evaluates Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you must use IAM credentials to authorize requests, and you must grant yourself the corresponding IAM permission in a policy.

Learn more

" + "documentation":"

This action might generate an SMS text message. Starting June 1, 2021, US telecom carriers require you to register an origination phone number before you can send SMS messages to US phone numbers. If you use SMS text messages in Amazon Cognito, you must register a phone number with Amazon Pinpoint. Amazon Cognito uses the registered number automatically. Otherwise, Amazon Cognito users who must receive SMS messages might not be able to sign up, activate their accounts, or sign in.

If you have never used SMS text messages with Amazon Cognito or any other Amazon Web Servicesservice, Amazon Simple Notification Service might place your account in the SMS sandbox. In sandbox mode , you can send messages only to verified phone numbers. After you test your app while in the sandbox environment, you can move out of the sandbox and into production. For more information, see SMS message settings for Amazon Cognito user pools in the Amazon Cognito Developer Guide.

Updates the specified user pool with the specified attributes. You can get a list of the current user pool settings using DescribeUserPool.

If you don't provide a value for an attribute, Amazon Cognito sets it to its default value.

Amazon Cognito evaluates Identity and Access Management (IAM) policies in requests for this API operation. For this operation, you must use IAM credentials to authorize requests, and you must grant yourself the corresponding IAM permission in a policy.

Learn more

" }, "UpdateUserPoolClient":{ "name":"UpdateUserPoolClient", @@ -2580,7 +2584,7 @@ }, "UserMFASettingList":{ "shape":"UserMFASettingListType", - "documentation":"

The MFA options that are activated for the user. The possible values in this list are SMS_MFA and SOFTWARE_TOKEN_MFA.

" + "documentation":"

The MFA options that are activated for the user. The possible values in this list are SMS_MFA, EMAIL_OTP, and SOFTWARE_TOKEN_MFA.

" } }, "documentation":"

Represents the response from the server from the request to get the specified user as an administrator.

" @@ -2629,7 +2633,7 @@ "members":{ "ChallengeName":{ "shape":"ChallengeNameType", - "documentation":"

The name of the challenge that you're responding to with this call. This is returned in the AdminInitiateAuth response if you must pass another challenge.

  • MFA_SETUP: If MFA is required, users who don't have at least one of the MFA methods set up are presented with an MFA_SETUP challenge. The user must set up at least one MFA type to continue to authenticate.

  • SELECT_MFA_TYPE: Selects the MFA type. Valid MFA options are SMS_MFA for text SMS MFA, and SOFTWARE_TOKEN_MFA for time-based one-time password (TOTP) software token MFA.

  • SMS_MFA: Next challenge is to supply an SMS_MFA_CODE, delivered via SMS.

  • PASSWORD_VERIFIER: Next challenge is to supply PASSWORD_CLAIM_SIGNATURE, PASSWORD_CLAIM_SECRET_BLOCK, and TIMESTAMP after the client-side SRP calculations.

  • CUSTOM_CHALLENGE: This is returned if your custom authentication flow determines that the user should pass another challenge before tokens are issued.

  • DEVICE_SRP_AUTH: If device tracking was activated in your user pool and the previous challenges were passed, this challenge is returned so that Amazon Cognito can start tracking this device.

  • DEVICE_PASSWORD_VERIFIER: Similar to PASSWORD_VERIFIER, but for devices only.

  • ADMIN_NO_SRP_AUTH: This is returned if you must authenticate with USERNAME and PASSWORD directly. An app client must be enabled to use this flow.

  • NEW_PASSWORD_REQUIRED: For users who are required to change their passwords after successful first login. Respond to this challenge with NEW_PASSWORD and any required attributes that Amazon Cognito returned in the requiredAttributes parameter. You can also set values for attributes that aren't required by your user pool and that your app client can write. For more information, see AdminRespondToAuthChallenge.

    In a NEW_PASSWORD_REQUIRED challenge response, you can't modify a required attribute that already has a value. In AdminRespondToAuthChallenge, set a value for any keys that Amazon Cognito returned in the requiredAttributes parameter, then use the AdminUpdateUserAttributes API operation to modify the value of any additional attributes.

  • MFA_SETUP: For users who are required to set up an MFA factor before they can sign in. The MFA types activated for the user pool will be listed in the challenge parameters MFAS_CAN_SETUP value.

    To set up software token MFA, use the session returned here from InitiateAuth as an input to AssociateSoftwareToken, and use the session returned by VerifySoftwareToken as an input to RespondToAuthChallenge with challenge name MFA_SETUP to complete sign-in. To set up SMS MFA, users will need help from an administrator to add a phone number to their account and then call InitiateAuth again to restart sign-in.

" + "documentation":"

The name of the challenge that you're responding to with this call. This is returned in the AdminInitiateAuth response if you must pass another challenge.

  • MFA_SETUP: If MFA is required, users who don't have at least one of the MFA methods set up are presented with an MFA_SETUP challenge. The user must set up at least one MFA type to continue to authenticate.

  • SELECT_MFA_TYPE: Selects the MFA type. Valid MFA options are SMS_MFA for SMS message MFA, EMAIL_OTP for email message MFA, and SOFTWARE_TOKEN_MFA for time-based one-time password (TOTP) software token MFA.

  • SMS_MFA: Next challenge is to supply an SMS_MFA_CODEthat your user pool delivered in an SMS message.

  • EMAIL_OTP: Next challenge is to supply an EMAIL_OTP_CODE that your user pool delivered in an email message.

  • PASSWORD_VERIFIER: Next challenge is to supply PASSWORD_CLAIM_SIGNATURE, PASSWORD_CLAIM_SECRET_BLOCK, and TIMESTAMP after the client-side SRP calculations.

  • CUSTOM_CHALLENGE: This is returned if your custom authentication flow determines that the user should pass another challenge before tokens are issued.

  • DEVICE_SRP_AUTH: If device tracking was activated in your user pool and the previous challenges were passed, this challenge is returned so that Amazon Cognito can start tracking this device.

  • DEVICE_PASSWORD_VERIFIER: Similar to PASSWORD_VERIFIER, but for devices only.

  • ADMIN_NO_SRP_AUTH: This is returned if you must authenticate with USERNAME and PASSWORD directly. An app client must be enabled to use this flow.

  • NEW_PASSWORD_REQUIRED: For users who are required to change their passwords after successful first login. Respond to this challenge with NEW_PASSWORD and any required attributes that Amazon Cognito returned in the requiredAttributes parameter. You can also set values for attributes that aren't required by your user pool and that your app client can write. For more information, see AdminRespondToAuthChallenge.

    In a NEW_PASSWORD_REQUIRED challenge response, you can't modify a required attribute that already has a value. In AdminRespondToAuthChallenge, set a value for any keys that Amazon Cognito returned in the requiredAttributes parameter, then use the AdminUpdateUserAttributes API operation to modify the value of any additional attributes.

  • MFA_SETUP: For users who are required to set up an MFA factor before they can sign in. The MFA types activated for the user pool will be listed in the challenge parameters MFAS_CAN_SETUP value.

    To set up software token MFA, use the session returned here from InitiateAuth as an input to AssociateSoftwareToken, and use the session returned by VerifySoftwareToken as an input to RespondToAuthChallenge with challenge name MFA_SETUP to complete sign-in. To set up SMS MFA, users will need help from an administrator to add a phone number to their account and then call InitiateAuth again to restart sign-in.

" }, "Session":{ "shape":"SessionType", @@ -2861,7 +2865,7 @@ }, "ChallengeResponses":{ "shape":"ChallengeResponsesType", - "documentation":"

The responses to the challenge that you received in the previous request. Each challenge has its own required response parameters. The following examples are partial JSON request bodies that highlight challenge-response parameters.

You must provide a SECRET_HASH parameter in all challenge responses to an app client that has a client secret.

SMS_MFA

\"ChallengeName\": \"SMS_MFA\", \"ChallengeResponses\": {\"SMS_MFA_CODE\": \"[SMS_code]\", \"USERNAME\": \"[username]\"}

PASSWORD_VERIFIER

\"ChallengeName\": \"PASSWORD_VERIFIER\", \"ChallengeResponses\": {\"PASSWORD_CLAIM_SIGNATURE\": \"[claim_signature]\", \"PASSWORD_CLAIM_SECRET_BLOCK\": \"[secret_block]\", \"TIMESTAMP\": [timestamp], \"USERNAME\": \"[username]\"}

Add \"DEVICE_KEY\" when you sign in with a remembered device.

CUSTOM_CHALLENGE

\"ChallengeName\": \"CUSTOM_CHALLENGE\", \"ChallengeResponses\": {\"USERNAME\": \"[username]\", \"ANSWER\": \"[challenge_answer]\"}

Add \"DEVICE_KEY\" when you sign in with a remembered device.

NEW_PASSWORD_REQUIRED

\"ChallengeName\": \"NEW_PASSWORD_REQUIRED\", \"ChallengeResponses\": {\"NEW_PASSWORD\": \"[new_password]\", \"USERNAME\": \"[username]\"}

To set any required attributes that InitiateAuth returned in an requiredAttributes parameter, add \"userAttributes.[attribute_name]\": \"[attribute_value]\". This parameter can also set values for writable attributes that aren't required by your user pool.

In a NEW_PASSWORD_REQUIRED challenge response, you can't modify a required attribute that already has a value. In RespondToAuthChallenge, set a value for any keys that Amazon Cognito returned in the requiredAttributes parameter, then use the UpdateUserAttributes API operation to modify the value of any additional attributes.

SOFTWARE_TOKEN_MFA

\"ChallengeName\": \"SOFTWARE_TOKEN_MFA\", \"ChallengeResponses\": {\"USERNAME\": \"[username]\", \"SOFTWARE_TOKEN_MFA_CODE\": [authenticator_code]}

DEVICE_SRP_AUTH

\"ChallengeName\": \"DEVICE_SRP_AUTH\", \"ChallengeResponses\": {\"USERNAME\": \"[username]\", \"DEVICE_KEY\": \"[device_key]\", \"SRP_A\": \"[srp_a]\"}

DEVICE_PASSWORD_VERIFIER

\"ChallengeName\": \"DEVICE_PASSWORD_VERIFIER\", \"ChallengeResponses\": {\"DEVICE_KEY\": \"[device_key]\", \"PASSWORD_CLAIM_SIGNATURE\": \"[claim_signature]\", \"PASSWORD_CLAIM_SECRET_BLOCK\": \"[secret_block]\", \"TIMESTAMP\": [timestamp], \"USERNAME\": \"[username]\"}

MFA_SETUP

\"ChallengeName\": \"MFA_SETUP\", \"ChallengeResponses\": {\"USERNAME\": \"[username]\"}, \"SESSION\": \"[Session ID from VerifySoftwareToken]\"

SELECT_MFA_TYPE

\"ChallengeName\": \"SELECT_MFA_TYPE\", \"ChallengeResponses\": {\"USERNAME\": \"[username]\", \"ANSWER\": \"[SMS_MFA or SOFTWARE_TOKEN_MFA]\"}

For more information about SECRET_HASH, see Computing secret hash values. For information about DEVICE_KEY, see Working with user devices in your user pool.

" + "documentation":"

The responses to the challenge that you received in the previous request. Each challenge has its own required response parameters. The following examples are partial JSON request bodies that highlight challenge-response parameters.

You must provide a SECRET_HASH parameter in all challenge responses to an app client that has a client secret.

SMS_MFA

\"ChallengeName\": \"SMS_MFA\", \"ChallengeResponses\": {\"SMS_MFA_CODE\": \"[code]\", \"USERNAME\": \"[username]\"}

EMAIL_OTP

\"ChallengeName\": \"EMAIL_OTP\", \"ChallengeResponses\": {\"EMAIL_OTP_CODE\": \"[code]\", \"USERNAME\": \"[username]\"}

PASSWORD_VERIFIER

This challenge response is part of the SRP flow. Amazon Cognito requires that your application respond to this challenge within a few seconds. When the response time exceeds this period, your user pool returns a NotAuthorizedException error.

\"ChallengeName\": \"PASSWORD_VERIFIER\", \"ChallengeResponses\": {\"PASSWORD_CLAIM_SIGNATURE\": \"[claim_signature]\", \"PASSWORD_CLAIM_SECRET_BLOCK\": \"[secret_block]\", \"TIMESTAMP\": [timestamp], \"USERNAME\": \"[username]\"}

Add \"DEVICE_KEY\" when you sign in with a remembered device.

CUSTOM_CHALLENGE

\"ChallengeName\": \"CUSTOM_CHALLENGE\", \"ChallengeResponses\": {\"USERNAME\": \"[username]\", \"ANSWER\": \"[challenge_answer]\"}

Add \"DEVICE_KEY\" when you sign in with a remembered device.

NEW_PASSWORD_REQUIRED

\"ChallengeName\": \"NEW_PASSWORD_REQUIRED\", \"ChallengeResponses\": {\"NEW_PASSWORD\": \"[new_password]\", \"USERNAME\": \"[username]\"}

To set any required attributes that InitiateAuth returned in an requiredAttributes parameter, add \"userAttributes.[attribute_name]\": \"[attribute_value]\". This parameter can also set values for writable attributes that aren't required by your user pool.

In a NEW_PASSWORD_REQUIRED challenge response, you can't modify a required attribute that already has a value. In RespondToAuthChallenge, set a value for any keys that Amazon Cognito returned in the requiredAttributes parameter, then use the UpdateUserAttributes API operation to modify the value of any additional attributes.

SOFTWARE_TOKEN_MFA

\"ChallengeName\": \"SOFTWARE_TOKEN_MFA\", \"ChallengeResponses\": {\"USERNAME\": \"[username]\", \"SOFTWARE_TOKEN_MFA_CODE\": [authenticator_code]}

DEVICE_SRP_AUTH

\"ChallengeName\": \"DEVICE_SRP_AUTH\", \"ChallengeResponses\": {\"USERNAME\": \"[username]\", \"DEVICE_KEY\": \"[device_key]\", \"SRP_A\": \"[srp_a]\"}

DEVICE_PASSWORD_VERIFIER

\"ChallengeName\": \"DEVICE_PASSWORD_VERIFIER\", \"ChallengeResponses\": {\"DEVICE_KEY\": \"[device_key]\", \"PASSWORD_CLAIM_SIGNATURE\": \"[claim_signature]\", \"PASSWORD_CLAIM_SECRET_BLOCK\": \"[secret_block]\", \"TIMESTAMP\": [timestamp], \"USERNAME\": \"[username]\"}

MFA_SETUP

\"ChallengeName\": \"MFA_SETUP\", \"ChallengeResponses\": {\"USERNAME\": \"[username]\"}, \"SESSION\": \"[Session ID from VerifySoftwareToken]\"

SELECT_MFA_TYPE

\"ChallengeName\": \"SELECT_MFA_TYPE\", \"ChallengeResponses\": {\"USERNAME\": \"[username]\", \"ANSWER\": \"[SMS_MFA or SOFTWARE_TOKEN_MFA]\"}

For more information about SECRET_HASH, see Computing secret hash values. For information about DEVICE_KEY, see Working with user devices in your user pool.

" }, "Session":{ "shape":"SessionType", @@ -2913,11 +2917,15 @@ "members":{ "SMSMfaSettings":{ "shape":"SMSMfaSettingsType", - "documentation":"

The SMS text message MFA settings.

" + "documentation":"

User preferences for SMS message MFA. Activates or deactivates SMS MFA and sets it as the preferred MFA method when multiple methods are available.

" }, "SoftwareTokenMfaSettings":{ "shape":"SoftwareTokenMfaSettingsType", - "documentation":"

The time-based one-time password software token MFA settings.

" + "documentation":"

User preferences for time-based one-time password (TOTP) MFA. Activates or deactivates TOTP MFA and sets it as the preferred MFA method when multiple methods are available.

" + }, + "EmailMfaSettings":{ + "shape":"EmailMfaSettingsType", + "documentation":"

User preferences for email message MFA. Activates or deactivates email MFA and sets it as the preferred MFA method when multiple methods are available. To activate this setting, advanced security features must be active in your user pool.

" }, "Username":{ "shape":"UsernameType", @@ -2925,7 +2933,7 @@ }, "UserPoolId":{ "shape":"UserPoolIdType", - "documentation":"

The user pool ID.

" + "documentation":"

The ID of the user pool where you want to set a user's MFA preferences.

" } } }, @@ -3413,6 +3421,7 @@ "type":"string", "enum":[ "SMS_MFA", + "EMAIL_OTP", "SOFTWARE_TOKEN_MFA", "SELECT_MFA_TYPE", "MFA_SETUP", @@ -3989,7 +3998,7 @@ }, "ReadAttributes":{ "shape":"ClientPermissionListType", - "documentation":"

The list of user attributes that you want your app client to have read-only access to. After your user authenticates in your app, their access token authorizes them to read their own attribute value for any attribute in this list. An example of this kind of activity is when your user selects a link to view their profile information. Your app makes a GetUser API request to retrieve and display your user's profile data.

When you don't specify the ReadAttributes for your app client, your app can read the values of email_verified, phone_number_verified, and the Standard attributes of your user pool. When your user pool has read access to these default attributes, ReadAttributes doesn't return any information. Amazon Cognito only populates ReadAttributes in the API response if you have specified your own custom set of read attributes.

" + "documentation":"

The list of user attributes that you want your app client to have read access to. After your user authenticates in your app, their access token authorizes them to read their own attribute value for any attribute in this list. An example of this kind of activity is when your user selects a link to view their profile information. Your app makes a GetUser API request to retrieve and display your user's profile data.

When you don't specify the ReadAttributes for your app client, your app can read the values of email_verified, phone_number_verified, and the Standard attributes of your user pool. When your user pool app client has read access to these default attributes, ReadAttributes doesn't return any information. Amazon Cognito only populates ReadAttributes in the API response if you have specified your own custom set of read attributes.

" }, "WriteAttributes":{ "shape":"ClientPermissionListType", @@ -4780,6 +4789,44 @@ }, "documentation":"

The email configuration of your user pool. The email configuration type sets your preferred sending method, Amazon Web Services Region, and sender for messages from your user pool.

Amazon Cognito can send email messages with Amazon Simple Email Service resources in the Amazon Web Services Region where you created your user pool, and in alternate Regions in some cases. For more information on the supported Regions, see Email settings for Amazon Cognito user pools.

" }, + "EmailMfaConfigType":{ + "type":"structure", + "members":{ + "Message":{ + "shape":"EmailMfaMessageType", + "documentation":"

The template for the email message that your user pool sends to users with an MFA code. The message must contain the {####} placeholder. In the message, Amazon Cognito replaces this placeholder with the code. If you don't provide this parameter, Amazon Cognito sends messages in the default format.

" + }, + "Subject":{ + "shape":"EmailMfaSubjectType", + "documentation":"

The subject of the email message that your user pool sends to users with an MFA code.

" + } + }, + "documentation":"

Sets or shows user pool email message configuration for MFA. Includes the subject and body of the email message template for MFA messages. To activate this setting, advanced security features must be active in your user pool.

" + }, + "EmailMfaMessageType":{ + "type":"string", + "max":20000, + "min":6, + "pattern":"[\\p{L}\\p{M}\\p{S}\\p{N}\\p{P}\\s*]*\\{####\\}[\\p{L}\\p{M}\\p{S}\\p{N}\\p{P}\\s*]*" + }, + "EmailMfaSettingsType":{ + "type":"structure", + "members":{ + "Enabled":{ + "shape":"BooleanType", + "documentation":"

Specifies whether email message MFA is active for a user. When the value of this parameter is Enabled, the user will be prompted for MFA during all sign-in attempts, unless device tracking is turned on and the device has been trusted.

" + }, + "PreferredMfa":{ + "shape":"BooleanType", + "documentation":"

Specifies whether email message MFA is the user's preferred method.

" + } + }, + "documentation":"

User preferences for multi-factor authentication with email messages. Activates or deactivates email MFA and sets it as the preferred MFA method when multiple methods are available. To activate this setting, advanced security features must be active in your user pool.

" + }, + "EmailMfaSubjectType":{ + "type":"string", + "pattern":"[\\p{L}\\p{M}\\p{S}\\p{N}\\p{P}\\s]+" + }, "EmailNotificationBodyType":{ "type":"string", "max":20000, @@ -5272,11 +5319,15 @@ "members":{ "SmsMfaConfiguration":{ "shape":"SmsMfaConfigType", - "documentation":"

The SMS text message multi-factor authentication (MFA) configuration.

" + "documentation":"

Shows user pool SMS message configuration for MFA. Includes the message template and the SMS message sending configuration for Amazon SNS.

" }, "SoftwareTokenMfaConfiguration":{ "shape":"SoftwareTokenMfaConfigType", - "documentation":"

The software token multi-factor authentication (MFA) configuration.

" + "documentation":"

Shows user pool configuration for time-based one-time password (TOTP) MFA. Includes TOTP enabled or disabled state.

" + }, + "EmailMfaConfiguration":{ + "shape":"EmailMfaConfigType", + "documentation":"

Shows user pool email message configuration for MFA. Includes the subject and body of the email message template for MFA messages. To activate this setting, advanced security features must be active in your user pool.

" }, "MfaConfiguration":{ "shape":"UserPoolMfaType", @@ -5320,7 +5371,7 @@ }, "UserMFASettingList":{ "shape":"UserMFASettingListType", - "documentation":"

The MFA options that are activated for the user. The possible values in this list are SMS_MFA and SOFTWARE_TOKEN_MFA.

" + "documentation":"

The MFA options that are activated for the user. The possible values in this list are SMS_MFA, EMAIL_OTP, and SOFTWARE_TOKEN_MFA.

" } }, "documentation":"

Represents the response from the server from the request to get information about the user.

" @@ -5527,7 +5578,7 @@ "members":{ "ChallengeName":{ "shape":"ChallengeNameType", - "documentation":"

The name of the challenge that you're responding to with this call. This name is returned in the InitiateAuth response if you must pass another challenge.

Valid values include the following:

All of the following challenges require USERNAME and SECRET_HASH (if applicable) in the parameters.

  • SMS_MFA: Next challenge is to supply an SMS_MFA_CODE, delivered via SMS.

  • PASSWORD_VERIFIER: Next challenge is to supply PASSWORD_CLAIM_SIGNATURE, PASSWORD_CLAIM_SECRET_BLOCK, and TIMESTAMP after the client-side SRP calculations.

  • CUSTOM_CHALLENGE: This is returned if your custom authentication flow determines that the user should pass another challenge before tokens are issued.

  • DEVICE_SRP_AUTH: If device tracking was activated on your user pool and the previous challenges were passed, this challenge is returned so that Amazon Cognito can start tracking this device.

  • DEVICE_PASSWORD_VERIFIER: Similar to PASSWORD_VERIFIER, but for devices only.

  • NEW_PASSWORD_REQUIRED: For users who are required to change their passwords after successful first login.

    Respond to this challenge with NEW_PASSWORD and any required attributes that Amazon Cognito returned in the requiredAttributes parameter. You can also set values for attributes that aren't required by your user pool and that your app client can write. For more information, see RespondToAuthChallenge.

    In a NEW_PASSWORD_REQUIRED challenge response, you can't modify a required attribute that already has a value. In RespondToAuthChallenge, set a value for any keys that Amazon Cognito returned in the requiredAttributes parameter, then use the UpdateUserAttributes API operation to modify the value of any additional attributes.

  • MFA_SETUP: For users who are required to setup an MFA factor before they can sign in. The MFA types activated for the user pool will be listed in the challenge parameters MFAS_CAN_SETUP value.

    To set up software token MFA, use the session returned here from InitiateAuth as an input to AssociateSoftwareToken. Use the session returned by VerifySoftwareToken as an input to RespondToAuthChallenge with challenge name MFA_SETUP to complete sign-in. To set up SMS MFA, an administrator should help the user to add a phone number to their account, and then the user should call InitiateAuth again to restart sign-in.

" + "documentation":"

The name of the challenge that you're responding to with this call. This name is returned in the InitiateAuth response if you must pass another challenge.

Valid values include the following:

All of the following challenges require USERNAME and SECRET_HASH (if applicable) in the parameters.

  • SMS_MFA: Next challenge is to supply an SMS_MFA_CODEthat your user pool delivered in an SMS message.

  • EMAIL_OTP: Next challenge is to supply an EMAIL_OTP_CODE that your user pool delivered in an email message.

  • PASSWORD_VERIFIER: Next challenge is to supply PASSWORD_CLAIM_SIGNATURE, PASSWORD_CLAIM_SECRET_BLOCK, and TIMESTAMP after the client-side SRP calculations.

  • CUSTOM_CHALLENGE: This is returned if your custom authentication flow determines that the user should pass another challenge before tokens are issued.

  • DEVICE_SRP_AUTH: If device tracking was activated on your user pool and the previous challenges were passed, this challenge is returned so that Amazon Cognito can start tracking this device.

  • DEVICE_PASSWORD_VERIFIER: Similar to PASSWORD_VERIFIER, but for devices only.

  • NEW_PASSWORD_REQUIRED: For users who are required to change their passwords after successful first login.

    Respond to this challenge with NEW_PASSWORD and any required attributes that Amazon Cognito returned in the requiredAttributes parameter. You can also set values for attributes that aren't required by your user pool and that your app client can write. For more information, see RespondToAuthChallenge.

    In a NEW_PASSWORD_REQUIRED challenge response, you can't modify a required attribute that already has a value. In RespondToAuthChallenge, set a value for any keys that Amazon Cognito returned in the requiredAttributes parameter, then use the UpdateUserAttributes API operation to modify the value of any additional attributes.

  • MFA_SETUP: For users who are required to setup an MFA factor before they can sign in. The MFA types activated for the user pool will be listed in the challenge parameters MFAS_CAN_SETUP value.

    To set up software token MFA, use the session returned here from InitiateAuth as an input to AssociateSoftwareToken. Use the session returned by VerifySoftwareToken as an input to RespondToAuthChallenge with challenge name MFA_SETUP to complete sign-in. To set up SMS MFA, an administrator should help the user to add a phone number to their account, and then the user should call InitiateAuth again to restart sign-in.

" }, "Session":{ "shape":"SessionType", @@ -6690,7 +6741,7 @@ }, "ChallengeResponses":{ "shape":"ChallengeResponsesType", - "documentation":"

The responses to the challenge that you received in the previous request. Each challenge has its own required response parameters. The following examples are partial JSON request bodies that highlight challenge-response parameters.

You must provide a SECRET_HASH parameter in all challenge responses to an app client that has a client secret.

SMS_MFA

\"ChallengeName\": \"SMS_MFA\", \"ChallengeResponses\": {\"SMS_MFA_CODE\": \"[SMS_code]\", \"USERNAME\": \"[username]\"}

PASSWORD_VERIFIER

\"ChallengeName\": \"PASSWORD_VERIFIER\", \"ChallengeResponses\": {\"PASSWORD_CLAIM_SIGNATURE\": \"[claim_signature]\", \"PASSWORD_CLAIM_SECRET_BLOCK\": \"[secret_block]\", \"TIMESTAMP\": [timestamp], \"USERNAME\": \"[username]\"}

Add \"DEVICE_KEY\" when you sign in with a remembered device.

CUSTOM_CHALLENGE

\"ChallengeName\": \"CUSTOM_CHALLENGE\", \"ChallengeResponses\": {\"USERNAME\": \"[username]\", \"ANSWER\": \"[challenge_answer]\"}

Add \"DEVICE_KEY\" when you sign in with a remembered device.

NEW_PASSWORD_REQUIRED

\"ChallengeName\": \"NEW_PASSWORD_REQUIRED\", \"ChallengeResponses\": {\"NEW_PASSWORD\": \"[new_password]\", \"USERNAME\": \"[username]\"}

To set any required attributes that InitiateAuth returned in an requiredAttributes parameter, add \"userAttributes.[attribute_name]\": \"[attribute_value]\". This parameter can also set values for writable attributes that aren't required by your user pool.

In a NEW_PASSWORD_REQUIRED challenge response, you can't modify a required attribute that already has a value. In RespondToAuthChallenge, set a value for any keys that Amazon Cognito returned in the requiredAttributes parameter, then use the UpdateUserAttributes API operation to modify the value of any additional attributes.

SOFTWARE_TOKEN_MFA

\"ChallengeName\": \"SOFTWARE_TOKEN_MFA\", \"ChallengeResponses\": {\"USERNAME\": \"[username]\", \"SOFTWARE_TOKEN_MFA_CODE\": [authenticator_code]}

DEVICE_SRP_AUTH

\"ChallengeName\": \"DEVICE_SRP_AUTH\", \"ChallengeResponses\": {\"USERNAME\": \"[username]\", \"DEVICE_KEY\": \"[device_key]\", \"SRP_A\": \"[srp_a]\"}

DEVICE_PASSWORD_VERIFIER

\"ChallengeName\": \"DEVICE_PASSWORD_VERIFIER\", \"ChallengeResponses\": {\"DEVICE_KEY\": \"[device_key]\", \"PASSWORD_CLAIM_SIGNATURE\": \"[claim_signature]\", \"PASSWORD_CLAIM_SECRET_BLOCK\": \"[secret_block]\", \"TIMESTAMP\": [timestamp], \"USERNAME\": \"[username]\"}

MFA_SETUP

\"ChallengeName\": \"MFA_SETUP\", \"ChallengeResponses\": {\"USERNAME\": \"[username]\"}, \"SESSION\": \"[Session ID from VerifySoftwareToken]\"

SELECT_MFA_TYPE

\"ChallengeName\": \"SELECT_MFA_TYPE\", \"ChallengeResponses\": {\"USERNAME\": \"[username]\", \"ANSWER\": \"[SMS_MFA or SOFTWARE_TOKEN_MFA]\"}

For more information about SECRET_HASH, see Computing secret hash values. For information about DEVICE_KEY, see Working with user devices in your user pool.

" + "documentation":"

The responses to the challenge that you received in the previous request. Each challenge has its own required response parameters. The following examples are partial JSON request bodies that highlight challenge-response parameters.

You must provide a SECRET_HASH parameter in all challenge responses to an app client that has a client secret.

SMS_MFA

\"ChallengeName\": \"SMS_MFA\", \"ChallengeResponses\": {\"SMS_MFA_CODE\": \"[code]\", \"USERNAME\": \"[username]\"}

EMAIL_OTP

\"ChallengeName\": \"EMAIL_OTP\", \"ChallengeResponses\": {\"EMAIL_OTP_CODE\": \"[code]\", \"USERNAME\": \"[username]\"}

PASSWORD_VERIFIER

This challenge response is part of the SRP flow. Amazon Cognito requires that your application respond to this challenge within a few seconds. When the response time exceeds this period, your user pool returns a NotAuthorizedException error.

\"ChallengeName\": \"PASSWORD_VERIFIER\", \"ChallengeResponses\": {\"PASSWORD_CLAIM_SIGNATURE\": \"[claim_signature]\", \"PASSWORD_CLAIM_SECRET_BLOCK\": \"[secret_block]\", \"TIMESTAMP\": [timestamp], \"USERNAME\": \"[username]\"}

Add \"DEVICE_KEY\" when you sign in with a remembered device.

CUSTOM_CHALLENGE

\"ChallengeName\": \"CUSTOM_CHALLENGE\", \"ChallengeResponses\": {\"USERNAME\": \"[username]\", \"ANSWER\": \"[challenge_answer]\"}

Add \"DEVICE_KEY\" when you sign in with a remembered device.

NEW_PASSWORD_REQUIRED

\"ChallengeName\": \"NEW_PASSWORD_REQUIRED\", \"ChallengeResponses\": {\"NEW_PASSWORD\": \"[new_password]\", \"USERNAME\": \"[username]\"}

To set any required attributes that InitiateAuth returned in an requiredAttributes parameter, add \"userAttributes.[attribute_name]\": \"[attribute_value]\". This parameter can also set values for writable attributes that aren't required by your user pool.

In a NEW_PASSWORD_REQUIRED challenge response, you can't modify a required attribute that already has a value. In RespondToAuthChallenge, set a value for any keys that Amazon Cognito returned in the requiredAttributes parameter, then use the UpdateUserAttributes API operation to modify the value of any additional attributes.

SOFTWARE_TOKEN_MFA

\"ChallengeName\": \"SOFTWARE_TOKEN_MFA\", \"ChallengeResponses\": {\"USERNAME\": \"[username]\", \"SOFTWARE_TOKEN_MFA_CODE\": [authenticator_code]}

DEVICE_SRP_AUTH

\"ChallengeName\": \"DEVICE_SRP_AUTH\", \"ChallengeResponses\": {\"USERNAME\": \"[username]\", \"DEVICE_KEY\": \"[device_key]\", \"SRP_A\": \"[srp_a]\"}

DEVICE_PASSWORD_VERIFIER

\"ChallengeName\": \"DEVICE_PASSWORD_VERIFIER\", \"ChallengeResponses\": {\"DEVICE_KEY\": \"[device_key]\", \"PASSWORD_CLAIM_SIGNATURE\": \"[claim_signature]\", \"PASSWORD_CLAIM_SECRET_BLOCK\": \"[secret_block]\", \"TIMESTAMP\": [timestamp], \"USERNAME\": \"[username]\"}

MFA_SETUP

\"ChallengeName\": \"MFA_SETUP\", \"ChallengeResponses\": {\"USERNAME\": \"[username]\"}, \"SESSION\": \"[Session ID from VerifySoftwareToken]\"

SELECT_MFA_TYPE

\"ChallengeName\": \"SELECT_MFA_TYPE\", \"ChallengeResponses\": {\"USERNAME\": \"[username]\", \"ANSWER\": \"[SMS_MFA or SOFTWARE_TOKEN_MFA]\"}

For more information about SECRET_HASH, see Computing secret hash values. For information about DEVICE_KEY, see Working with user devices in your user pool.

" }, "AnalyticsMetadata":{ "shape":"AnalyticsMetadataType", @@ -6848,7 +6899,7 @@ "members":{ "Enabled":{ "shape":"BooleanType", - "documentation":"

Specifies whether SMS text message MFA is activated. If an MFA type is activated for a user, the user will be prompted for MFA during all sign-in attempts, unless device tracking is turned on and the device has been trusted.

" + "documentation":"

Specifies whether SMS message MFA is activated. If an MFA type is activated for a user, the user will be prompted for MFA during all sign-in attempts, unless device tracking is turned on and the device has been trusted.

" }, "PreferredMfa":{ "shape":"BooleanType", @@ -7047,11 +7098,15 @@ "members":{ "SMSMfaSettings":{ "shape":"SMSMfaSettingsType", - "documentation":"

The SMS text message multi-factor authentication (MFA) settings.

" + "documentation":"

User preferences for SMS message MFA. Activates or deactivates SMS MFA and sets it as the preferred MFA method when multiple methods are available.

" }, "SoftwareTokenMfaSettings":{ "shape":"SoftwareTokenMfaSettingsType", - "documentation":"

The time-based one-time password (TOTP) software token MFA settings.

" + "documentation":"

User preferences for time-based one-time password (TOTP) MFA. Activates or deactivates TOTP MFA and sets it as the preferred MFA method when multiple methods are available.

" + }, + "EmailMfaSettings":{ + "shape":"EmailMfaSettingsType", + "documentation":"

User preferences for email message MFA. Activates or deactivates email MFA and sets it as the preferred MFA method when multiple methods are available. To activate this setting, advanced security features must be active in your user pool.

" }, "AccessToken":{ "shape":"TokenModelType", @@ -7074,11 +7129,15 @@ }, "SmsMfaConfiguration":{ "shape":"SmsMfaConfigType", - "documentation":"

The SMS text message MFA configuration.

" + "documentation":"

Configures user pool SMS messages for MFA. Sets the message template and the SMS message sending configuration for Amazon SNS.

" }, "SoftwareTokenMfaConfiguration":{ "shape":"SoftwareTokenMfaConfigType", - "documentation":"

The software token MFA configuration.

" + "documentation":"

Configures a user pool for time-based one-time password (TOTP) MFA. Enables or disables TOTP.

" + }, + "EmailMfaConfiguration":{ + "shape":"EmailMfaConfigType", + "documentation":"

Configures user pool email messages for MFA. Sets the subject and body of the email message template for MFA messages. To activate this setting, advanced security features must be active in your user pool.

" }, "MfaConfiguration":{ "shape":"UserPoolMfaType", @@ -7091,11 +7150,15 @@ "members":{ "SmsMfaConfiguration":{ "shape":"SmsMfaConfigType", - "documentation":"

The SMS text message MFA configuration.

" + "documentation":"

Shows user pool SMS message configuration for MFA. Includes the message template and the SMS message sending configuration for Amazon SNS.

" }, "SoftwareTokenMfaConfiguration":{ "shape":"SoftwareTokenMfaConfigType", - "documentation":"

The software token MFA configuration.

" + "documentation":"

Shows user pool configuration for time-based one-time password (TOTP) MFA. Includes TOTP enabled or disabled state.

" + }, + "EmailMfaConfiguration":{ + "shape":"EmailMfaConfigType", + "documentation":"

Shows user pool email message configuration for MFA. Includes the subject and body of the email message template for MFA messages. To activate this setting, advanced security features must be active in your user pool.

" }, "MfaConfiguration":{ "shape":"UserPoolMfaType", @@ -7225,14 +7288,14 @@ "members":{ "SmsAuthenticationMessage":{ "shape":"SmsVerificationMessageType", - "documentation":"

The SMS authentication message that will be sent to users with the code they must sign in. The message must contain the ‘{####}’ placeholder, which is replaced with the code. If the message isn't included, and default message will be used.

" + "documentation":"

The SMS message that your user pool sends to users with an MFA code. The message must contain the {####} placeholder. In the message, Amazon Cognito replaces this placeholder with the code. If you don't provide this parameter, Amazon Cognito sends messages in the default format.

" }, "SmsConfiguration":{ "shape":"SmsConfigurationType", "documentation":"

The SMS configuration with the settings that your Amazon Cognito user pool must use to send an SMS message from your Amazon Web Services account through Amazon Simple Notification Service. To request Amazon SNS in the Amazon Web Services Region that you want, the Amazon Cognito user pool uses an Identity and Access Management (IAM) role that you provide for your Amazon Web Services account.

" } }, - "documentation":"

The SMS text message multi-factor authentication (MFA) configuration type.

" + "documentation":"

Configures user pool SMS messages for multi-factor authentication (MFA). Sets the message template and the SMS message sending configuration for Amazon SNS.

" }, "SmsVerificationMessageType":{ "type":"string", @@ -7263,7 +7326,7 @@ "documentation":"

Specifies whether software token MFA is activated.

" } }, - "documentation":"

The type used for enabling software token MFA at the user pool level.

" + "documentation":"

Configures a user pool for time-based one-time password (TOTP) multi-factor authentication (MFA). Enables or disables TOTP.

" }, "SoftwareTokenMfaSettingsType":{ "type":"structure", @@ -7813,7 +7876,7 @@ }, "ReadAttributes":{ "shape":"ClientPermissionListType", - "documentation":"

The list of user attributes that you want your app client to have read-only access to. After your user authenticates in your app, their access token authorizes them to read their own attribute value for any attribute in this list. An example of this kind of activity is when your user selects a link to view their profile information. Your app makes a GetUser API request to retrieve and display your user's profile data.

When you don't specify the ReadAttributes for your app client, your app can read the values of email_verified, phone_number_verified, and the Standard attributes of your user pool. When your user pool has read access to these default attributes, ReadAttributes doesn't return any information. Amazon Cognito only populates ReadAttributes in the API response if you have specified your own custom set of read attributes.

" + "documentation":"

The list of user attributes that you want your app client to have read access to. After your user authenticates in your app, their access token authorizes them to read their own attribute value for any attribute in this list. An example of this kind of activity is when your user selects a link to view their profile information. Your app makes a GetUser API request to retrieve and display your user's profile data.

When you don't specify the ReadAttributes for your app client, your app can read the values of email_verified, phone_number_verified, and the Standard attributes of your user pool. When your user pool app client has read access to these default attributes, ReadAttributes doesn't return any information. Amazon Cognito only populates ReadAttributes in the API response if you have specified your own custom set of read attributes.

" }, "WriteAttributes":{ "shape":"ClientPermissionListType", @@ -8262,7 +8325,7 @@ }, "ReadAttributes":{ "shape":"ClientPermissionListType", - "documentation":"

The list of user attributes that you want your app client to have read-only access to. After your user authenticates in your app, their access token authorizes them to read their own attribute value for any attribute in this list. An example of this kind of activity is when your user selects a link to view their profile information. Your app makes a GetUser API request to retrieve and display your user's profile data.

When you don't specify the ReadAttributes for your app client, your app can read the values of email_verified, phone_number_verified, and the Standard attributes of your user pool. When your user pool has read access to these default attributes, ReadAttributes doesn't return any information. Amazon Cognito only populates ReadAttributes in the API response if you have specified your own custom set of read attributes.

" + "documentation":"

The list of user attributes that you want your app client to have read access to. After your user authenticates in your app, their access token authorizes them to read their own attribute value for any attribute in this list. An example of this kind of activity is when your user selects a link to view their profile information. Your app makes a GetUser API request to retrieve and display your user's profile data.

When you don't specify the ReadAttributes for your app client, your app can read the values of email_verified, phone_number_verified, and the Standard attributes of your user pool. When your user pool app client has read access to these default attributes, ReadAttributes doesn't return any information. Amazon Cognito only populates ReadAttributes in the API response if you have specified your own custom set of read attributes.

" }, "WriteAttributes":{ "shape":"ClientPermissionListType", From 7ff8231470b4bc7fc3a0ac6a5b487a24e0b3db94 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Thu, 12 Sep 2024 18:09:43 +0000 Subject: [PATCH 072/108] Elastic Load Balancing Update: Correct incorrectly mapped error in ELBv2 waiters --- .../next-release/feature-ElasticLoadBalancing-b61c00f.json | 6 ++++++ .../src/main/resources/codegen-resources/waiters-2.json | 6 +++--- 2 files changed, 9 insertions(+), 3 deletions(-) create mode 100644 .changes/next-release/feature-ElasticLoadBalancing-b61c00f.json diff --git a/.changes/next-release/feature-ElasticLoadBalancing-b61c00f.json b/.changes/next-release/feature-ElasticLoadBalancing-b61c00f.json new file mode 100644 index 000000000000..986650655403 --- /dev/null +++ b/.changes/next-release/feature-ElasticLoadBalancing-b61c00f.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Elastic Load Balancing", + "contributor": "", + "description": "Correct incorrectly mapped error in ELBv2 waiters" +} diff --git a/services/elasticloadbalancingv2/src/main/resources/codegen-resources/waiters-2.json b/services/elasticloadbalancingv2/src/main/resources/codegen-resources/waiters-2.json index 0a7e8afdd5ad..9f3d77d828fa 100644 --- a/services/elasticloadbalancingv2/src/main/resources/codegen-resources/waiters-2.json +++ b/services/elasticloadbalancingv2/src/main/resources/codegen-resources/waiters-2.json @@ -13,7 +13,7 @@ }, { "matcher": "error", - "expected": "LoadBalancerNotFoundException", + "expected": "LoadBalancerNotFound", "state": "retry" } ] @@ -38,7 +38,7 @@ { "state": "retry", "matcher": "error", - "expected": "LoadBalancerNotFoundException" + "expected": "LoadBalancerNotFound" } ] }, @@ -55,7 +55,7 @@ }, { "matcher": "error", - "expected": "LoadBalancerNotFoundException", + "expected": "LoadBalancerNotFound", "state": "success" } ] From 21eb2f3cdcc860fa098413f9b7a5c0da75ea4a6f Mon Sep 17 00:00:00 2001 From: AWS <> Date: Thu, 12 Sep 2024 18:09:43 +0000 Subject: [PATCH 073/108] AWS Elemental MediaConvert Update: This release includes support for dynamic video overlay workflows, including picture-in-picture and squeezeback --- ...ture-AWSElementalMediaConvert-bf7f42d.json | 6 + .../codegen-resources/paginators-1.json | 6 + .../codegen-resources/service-2.json | 268 ++++++++++++++++-- 3 files changed, 262 insertions(+), 18 deletions(-) create mode 100644 .changes/next-release/feature-AWSElementalMediaConvert-bf7f42d.json diff --git a/.changes/next-release/feature-AWSElementalMediaConvert-bf7f42d.json b/.changes/next-release/feature-AWSElementalMediaConvert-bf7f42d.json new file mode 100644 index 000000000000..7703181e51a8 --- /dev/null +++ b/.changes/next-release/feature-AWSElementalMediaConvert-bf7f42d.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "AWS Elemental MediaConvert", + "contributor": "", + "description": "This release includes support for dynamic video overlay workflows, including picture-in-picture and squeezeback" +} diff --git a/services/mediaconvert/src/main/resources/codegen-resources/paginators-1.json b/services/mediaconvert/src/main/resources/codegen-resources/paginators-1.json index c5a6082e2b34..0919dcd36523 100644 --- a/services/mediaconvert/src/main/resources/codegen-resources/paginators-1.json +++ b/services/mediaconvert/src/main/resources/codegen-resources/paginators-1.json @@ -35,6 +35,12 @@ "output_token": "NextToken", "limit_key": "MaxResults", "result_key": "Queues" + }, + "ListVersions": { + "input_token": "NextToken", + "output_token": "NextToken", + "limit_key": "MaxResults", + "result_key": "Versions" } } } \ No newline at end of file diff --git a/services/mediaconvert/src/main/resources/codegen-resources/service-2.json b/services/mediaconvert/src/main/resources/codegen-resources/service-2.json index db3e021b4cc8..62560d41aaa5 100644 --- a/services/mediaconvert/src/main/resources/codegen-resources/service-2.json +++ b/services/mediaconvert/src/main/resources/codegen-resources/service-2.json @@ -919,6 +919,47 @@ ], "documentation": "Retrieve the tags for a MediaConvert resource." }, + "ListVersions": { + "name": "ListVersions", + "http": { + "method": "GET", + "requestUri": "/2017-08-29/versions", + "responseCode": 200 + }, + "input": { + "shape": "ListVersionsRequest" + }, + "output": { + "shape": "ListVersionsResponse" + }, + "errors": [ + { + "shape": "BadRequestException", + "documentation": "The service can't process your request because of a problem in the request. Please check your request form and syntax." + }, + { + "shape": "InternalServerErrorException", + "documentation": "The service encountered an unexpected condition and can't fulfill your request." + }, + { + "shape": "ForbiddenException", + "documentation": "You don't have permissions for this action with the credentials you sent." + }, + { + "shape": "NotFoundException", + "documentation": "The resource you requested doesn't exist." + }, + { + "shape": "TooManyRequestsException", + "documentation": "Too many requests have been sent in too short of a time. The service limits the rate at which it will accept requests." + }, + { + "shape": "ConflictException", + "documentation": "The service couldn't complete your request because there is a conflict with the current state of the resource." + } + ], + "documentation": "Retrieve a JSON array of all available Job engine versions and the date they expire." + }, "PutPolicy": { "name": "PutPolicy", "http": { @@ -1218,7 +1259,7 @@ }, "AacCodecProfile": { "type": "string", - "documentation": "AAC Profile.", + "documentation": "Specify the AAC profile. For the widest player compatibility and where higher bitrates are acceptable: Keep the default profile, LC (AAC-LC) For improved audio performance at lower bitrates: Choose HEV1 or HEV2. HEV1 (AAC-HE v1) adds spectral band replication to improve speech audio at low bitrates. HEV2 (AAC-HE v2) adds parametric stereo, which optimizes for encoding stereo audio at very low bitrates.", "enum": [ "LC", "HEV1", @@ -1238,7 +1279,7 @@ }, "AacRateControlMode": { "type": "string", - "documentation": "Rate Control Mode.", + "documentation": "Specify the AAC rate control mode. For a constant bitrate: Choose CBR. Your AAC output bitrate will be equal to the value that you choose for Bitrate. For a variable bitrate: Choose VBR. Your AAC output bitrate will vary according to your audio content and the value that you choose for Bitrate quality.", "enum": [ "CBR", "VBR" @@ -1268,7 +1309,7 @@ "CodecProfile": { "shape": "AacCodecProfile", "locationName": "codecProfile", - "documentation": "AAC Profile." + "documentation": "Specify the AAC profile. For the widest player compatibility and where higher bitrates are acceptable: Keep the default profile, LC (AAC-LC) For improved audio performance at lower bitrates: Choose HEV1 or HEV2. HEV1 (AAC-HE v1) adds spectral band replication to improve speech audio at low bitrates. HEV2 (AAC-HE v2) adds parametric stereo, which optimizes for encoding stereo audio at very low bitrates." }, "CodingMode": { "shape": "AacCodingMode", @@ -1278,7 +1319,7 @@ "RateControlMode": { "shape": "AacRateControlMode", "locationName": "rateControlMode", - "documentation": "Rate Control Mode." + "documentation": "Specify the AAC rate control mode. For a constant bitrate: Choose CBR. Your AAC output bitrate will be equal to the value that you choose for Bitrate. For a variable bitrate: Choose VBR. Your AAC output bitrate will vary according to your audio content and the value that you choose for Bitrate quality." }, "RawFormat": { "shape": "AacRawFormat", @@ -1288,7 +1329,7 @@ "SampleRate": { "shape": "__integerMin8000Max96000", "locationName": "sampleRate", - "documentation": "Specify the Sample rate in Hz. Valid sample rates depend on the Profile and Coding mode that you select. The following list shows valid sample rates for each Profile and Coding mode. * LC Profile, Coding mode 1.0, 2.0, and Receiver Mix: 8000, 12000, 16000, 22050, 24000, 32000, 44100, 48000, 88200, 96000. * LC Profile, Coding mode 5.1: 32000, 44100, 48000, 96000. * HEV1 Profile, Coding mode 1.0 and Receiver Mix: 22050, 24000, 32000, 44100, 48000. * HEV1 Profile, Coding mode 2.0 and 5.1: 32000, 44100, 48000, 96000. * HEV2 Profile, Coding mode 2.0: 22050, 24000, 32000, 44100, 48000." + "documentation": "Specify the AAC sample rate in samples per second (Hz). Valid sample rates depend on the AAC profile and Coding mode that you select. For a list of supported sample rates, see: https://docs.aws.amazon.com/mediaconvert/latest/ug/aac-support.html" }, "Specification": { "shape": "AacSpecification", @@ -1298,7 +1339,7 @@ "VbrQuality": { "shape": "AacVbrQuality", "locationName": "vbrQuality", - "documentation": "VBR Quality Level - Only used if rate_control_mode is VBR." + "documentation": "Specify the quality of your variable bitrate (VBR) AAC audio. For a list of approximate VBR bitrates, see: https://docs.aws.amazon.com/mediaconvert/latest/ug/aac-support.html#aac_vbr" } }, "documentation": "Required when you set Codec to the value AAC. The service accepts one of two mutually exclusive groups of AAC settings--VBR and CBR. To select one of these modes, set the value of Bitrate control mode to \"VBR\" or \"CBR\". In VBR mode, you control the audio quality with the setting VBR quality. In CBR mode, you use the setting Bitrate. Defaults and valid values depend on the rate control mode." @@ -1313,7 +1354,7 @@ }, "AacVbrQuality": { "type": "string", - "documentation": "VBR Quality Level - Only used if rate_control_mode is VBR.", + "documentation": "Specify the quality of your variable bitrate (VBR) AAC audio. For a list of approximate VBR bitrates, see: https://docs.aws.amazon.com/mediaconvert/latest/ug/aac-support.html#aac_vbr", "enum": [ "LOW", "MEDIUM_LOW", @@ -1850,12 +1891,13 @@ }, "AudioDurationCorrection": { "type": "string", - "documentation": "Apply audio timing corrections to help synchronize audio and video in your output. To apply timing corrections, your input must meet the following requirements: * Container: MP4, or MOV, with an accurate time-to-sample (STTS) table. * Audio track: AAC. Choose from the following audio timing correction settings: * Disabled (Default): Apply no correction. * Auto: Recommended for most inputs. MediaConvert analyzes the audio timing in your input and determines which correction setting to use, if needed. * Track: Adjust the duration of each audio frame by a constant amount to align the audio track length with STTS duration. Track-level correction does not affect pitch, and is recommended for tonal audio content such as music. * Frame: Adjust the duration of each audio frame by a variable amount to align audio frames with STTS timestamps. No corrections are made to already-aligned frames. Frame-level correction may affect the pitch of corrected frames, and is recommended for atonal audio content such as speech or percussion.", + "documentation": "Apply audio timing corrections to help synchronize audio and video in your output. To apply timing corrections, your input must meet the following requirements: * Container: MP4, or MOV, with an accurate time-to-sample (STTS) table. * Audio track: AAC. Choose from the following audio timing correction settings: * Disabled (Default): Apply no correction. * Auto: Recommended for most inputs. MediaConvert analyzes the audio timing in your input and determines which correction setting to use, if needed. * Track: Adjust the duration of each audio frame by a constant amount to align the audio track length with STTS duration. Track-level correction does not affect pitch, and is recommended for tonal audio content such as music. * Frame: Adjust the duration of each audio frame by a variable amount to align audio frames with STTS timestamps. No corrections are made to already-aligned frames. Frame-level correction may affect the pitch of corrected frames, and is recommended for atonal audio content such as speech or percussion. * Force: Apply audio duration correction, either Track or Frame depending on your input, regardless of the accuracy of your input's STTS table. Your output audio and video may not be aligned or it may contain audio artifacts.", "enum": [ "DISABLED", "AUTO", "TRACK", - "FRAME" + "FRAME", + "FORCE" ] }, "AudioLanguageCodeControl": { @@ -1947,7 +1989,7 @@ "AudioDurationCorrection": { "shape": "AudioDurationCorrection", "locationName": "audioDurationCorrection", - "documentation": "Apply audio timing corrections to help synchronize audio and video in your output. To apply timing corrections, your input must meet the following requirements: * Container: MP4, or MOV, with an accurate time-to-sample (STTS) table. * Audio track: AAC. Choose from the following audio timing correction settings: * Disabled (Default): Apply no correction. * Auto: Recommended for most inputs. MediaConvert analyzes the audio timing in your input and determines which correction setting to use, if needed. * Track: Adjust the duration of each audio frame by a constant amount to align the audio track length with STTS duration. Track-level correction does not affect pitch, and is recommended for tonal audio content such as music. * Frame: Adjust the duration of each audio frame by a variable amount to align audio frames with STTS timestamps. No corrections are made to already-aligned frames. Frame-level correction may affect the pitch of corrected frames, and is recommended for atonal audio content such as speech or percussion." + "documentation": "Apply audio timing corrections to help synchronize audio and video in your output. To apply timing corrections, your input must meet the following requirements: * Container: MP4, or MOV, with an accurate time-to-sample (STTS) table. * Audio track: AAC. Choose from the following audio timing correction settings: * Disabled (Default): Apply no correction. * Auto: Recommended for most inputs. MediaConvert analyzes the audio timing in your input and determines which correction setting to use, if needed. * Track: Adjust the duration of each audio frame by a constant amount to align the audio track length with STTS duration. Track-level correction does not affect pitch, and is recommended for tonal audio content such as music. * Frame: Adjust the duration of each audio frame by a variable amount to align audio frames with STTS timestamps. No corrections are made to already-aligned frames. Frame-level correction may affect the pitch of corrected frames, and is recommended for atonal audio content such as speech or percussion. * Force: Apply audio duration correction, either Track or Frame depending on your input, regardless of the accuracy of your input's STTS table. Your output audio and video may not be aligned or it may contain audio artifacts." }, "CustomLanguageCode": { "shape": "__stringMin3Max3PatternAZaZ3", @@ -2859,6 +2901,14 @@ }, "documentation": "Use captions selectors to specify the captions data from your input that you use in your outputs. You can use up to 100 captions selectors per input." }, + "CaptionSourceByteRateLimit": { + "type": "string", + "documentation": "Choose whether to limit the byte rate at which your SCC input captions are inserted into your output. To not limit the caption rate: We recommend that you keep the default value, Disabled. MediaConvert inserts captions in your output according to the byte rates listed in the EIA-608 specification, typically 2 or 3 caption bytes per frame depending on your output frame rate. To limit your output caption rate: Choose Enabled. Choose this option if your downstream systems require a maximum of 2 caption bytes per frame. Note that this setting has no effect when your output frame rate is 30 or 60.", + "enum": [ + "ENABLED", + "DISABLED" + ] + }, "CaptionSourceConvertPaintOnToPopOn": { "type": "string", "documentation": "Choose the presentation style of your input SCC captions. To use the same presentation style as your input: Keep the default value, Disabled. To convert paint-on captions to pop-on: Choose Enabled. We also recommend that you choose Enabled if you notice additional repeated lines in your output captions.", @@ -3761,6 +3811,7 @@ "MP4", "MPD", "MXF", + "OGG", "WEBM", "RAW", "Y4M" @@ -3798,6 +3849,11 @@ "locationName": "hopDestinations", "documentation": "Optional. Use queue hopping to avoid overly long waits in the backlog of the queue that you submit your job to. Specify an alternate queue and the maximum time that your job will wait in the initial queue before hopping. For more information about this feature, see the AWS Elemental MediaConvert User Guide." }, + "JobEngineVersion": { + "shape": "__string", + "locationName": "jobEngineVersion", + "documentation": "Use Job engine versions to run jobs for your production workflow on one version, while you test and validate the latest version. To specify a Job engine version: Enter a date in a YYYY-MM-DD format. For a list of valid Job engine versions, submit a ListVersions request. To not specify a Job engine version: Leave blank." + }, "JobTemplate": { "shape": "__string", "locationName": "jobTemplate", @@ -5545,6 +5601,11 @@ "FileSourceSettings": { "type": "structure", "members": { + "ByteRateLimit": { + "shape": "CaptionSourceByteRateLimit", + "locationName": "byteRateLimit", + "documentation": "Choose whether to limit the byte rate at which your SCC input captions are inserted into your output. To not limit the caption rate: We recommend that you keep the default value, Disabled. MediaConvert inserts captions in your output according to the byte rates listed in the EIA-608 specification, typically 2 or 3 caption bytes per frame depending on your output frame rate. To limit your output caption rate: Choose Enabled. Choose this option if your downstream systems require a maximum of 2 caption bytes per frame. Note that this setting has no effect when your output frame rate is 30 or 60." + }, "Convert608To708": { "shape": "FileSourceConvert608To708", "locationName": "convert608To708", @@ -5972,6 +6033,14 @@ "ENABLED" ] }, + "H264SaliencyAwareEncoding": { + "type": "string", + "documentation": "Specify whether to apply Saliency aware encoding to your output. Use to improve the perceptual video quality of your output by allocating more encoding bits to the prominent or noticeable parts of your content. To apply saliency aware encoding, when possible: We recommend that you choose Preferred. The effects of Saliency aware encoding are best seen in lower bitrate outputs. When you choose Preferred, note that Saliency aware encoding will only apply to outputs that are 720p or higher in resolution. To not apply saliency aware encoding, prioritizing encoding speed over perceptual video quality: Choose Disabled.", + "enum": [ + "DISABLED", + "PREFERRED" + ] + }, "H264ScanTypeConversionMode": { "type": "string", "documentation": "Use this setting for interlaced outputs, when your output frame rate is half of your input frame rate. In this situation, choose Optimized interlacing to create a better quality interlaced output. In this case, each progressive frame from the input corresponds to an interlaced field in the output. Keep the default value, Basic interlacing, for all other output frame rates. With basic interlacing, MediaConvert performs any frame rate conversion first and then interlaces the frames. When you choose Optimized interlacing and you set your output frame rate to a value that isn't suitable for optimized interlacing, MediaConvert automatically falls back to basic interlacing. Required settings: To use optimized interlacing, you must set Telecine to None or Soft. You can't use optimized interlacing for hard telecine outputs. You must also set Interlace mode to a value other than Progressive.", @@ -6110,7 +6179,7 @@ "MinIInterval": { "shape": "__integerMin0Max30", "locationName": "minIInterval", - "documentation": "Use this setting only when you also enable Scene change detection. This setting determines how the encoder manages the spacing between I-frames that it inserts as part of the I-frame cadence and the I-frames that it inserts for Scene change detection. We recommend that you have the transcoder automatically choose this value for you based on characteristics of your input video. To enable this automatic behavior, do this by keeping the default empty value. When you explicitly specify a value for this setting, the encoder determines whether to skip a cadence-driven I-frame by the value you set. For example, if you set Min I interval to 5 and a cadence-driven I-frame would fall within 5 frames of a scene-change I-frame, then the encoder skips the cadence-driven I-frame. In this way, one GOP is shrunk slightly and one GOP is stretched slightly. When the cadence-driven I-frames are farther from the scene-change I-frame than the value you set, then the encoder leaves all I-frames in place and the GOPs surrounding the scene change are smaller than the usual cadence GOPs." + "documentation": "Specify the minimum number of frames allowed between two IDR-frames in your output. This includes frames created at the start of a GOP or a scene change. Use Min I-Interval to improve video compression by varying GOP size when two IDR-frames would be created near each other. For example, if a regular cadence-driven IDR-frame would fall within 5 frames of a scene-change IDR-frame, and you set Min I-interval to 5, then the encoder would only write an IDR-frame for the scene-change. In this way, one GOP is shortened or extended. If a cadence-driven IDR-frame would be further than 5 frames from a scene-change IDR-frame, then the encoder leaves all IDR-frames in place. To use an automatically determined interval: We recommend that you keep this value blank. This allows for MediaConvert to use an optimal setting according to the characteristics of your input video, and results in better video compression. To manually specify an interval: Enter a value from 1 to 30. Use when your downstream systems have specific GOP size requirements. To disable GOP size variance: Enter 0. MediaConvert will only create IDR-frames at the start of your output's cadence-driven GOP. Use when your downstream systems require a regular GOP size." }, "NumberBFramesBetweenReferenceFrames": { "shape": "__integerMin0Max7", @@ -6157,6 +6226,11 @@ "locationName": "repeatPps", "documentation": "Places a PPS header on each encoded picture, even if repeated." }, + "SaliencyAwareEncoding": { + "shape": "H264SaliencyAwareEncoding", + "locationName": "saliencyAwareEncoding", + "documentation": "Specify whether to apply Saliency aware encoding to your output. Use to improve the perceptual video quality of your output by allocating more encoding bits to the prominent or noticeable parts of your content. To apply saliency aware encoding, when possible: We recommend that you choose Preferred. The effects of Saliency aware encoding are best seen in lower bitrate outputs. When you choose Preferred, note that Saliency aware encoding will only apply to outputs that are 720p or higher in resolution. To not apply saliency aware encoding, prioritizing encoding speed over perceptual video quality: Choose Disabled." + }, "ScanTypeConversionMode": { "shape": "H264ScanTypeConversionMode", "locationName": "scanTypeConversionMode", @@ -6572,7 +6646,7 @@ "MinIInterval": { "shape": "__integerMin0Max30", "locationName": "minIInterval", - "documentation": "Use this setting only when you also enable Scene change detection. This setting determines how the encoder manages the spacing between I-frames that it inserts as part of the I-frame cadence and the I-frames that it inserts for Scene change detection. We recommend that you have the transcoder automatically choose this value for you based on characteristics of your input video. To enable this automatic behavior, do this by keeping the default empty value. When you explicitly specify a value for this setting, the encoder determines whether to skip a cadence-driven I-frame by the value you set. For example, if you set Min I interval to 5 and a cadence-driven I-frame would fall within 5 frames of a scene-change I-frame, then the encoder skips the cadence-driven I-frame. In this way, one GOP is shrunk slightly and one GOP is stretched slightly. When the cadence-driven I-frames are farther from the scene-change I-frame than the value you set, then the encoder leaves all I-frames in place and the GOPs surrounding the scene change are smaller than the usual cadence GOPs." + "documentation": "Specify the minimum number of frames allowed between two IDR-frames in your output. This includes frames created at the start of a GOP or a scene change. Use Min I-Interval to improve video compression by varying GOP size when two IDR-frames would be created near each other. For example, if a regular cadence-driven IDR-frame would fall within 5 frames of a scene-change IDR-frame, and you set Min I-interval to 5, then the encoder would only write an IDR-frame for the scene-change. In this way, one GOP is shortened or extended. If a cadence-driven IDR-frame would be further than 5 frames from a scene-change IDR-frame, then the encoder leaves all IDR-frames in place. To use an automatically determined interval: We recommend that you keep this value blank. This allows for MediaConvert to use an optimal setting according to the characteristics of your input video, and results in better video compression. To manually specify an interval: Enter a value from 1 to 30. Use when your downstream systems have specific GOP size requirements. To disable GOP size variance: Enter 0. MediaConvert will only create IDR-frames at the start of your output's cadence-driven GOP. Use when your downstream systems require a regular GOP size." }, "NumberBFramesBetweenReferenceFrames": { "shape": "__integerMin0Max7", @@ -8012,6 +8086,16 @@ "locationName": "id", "documentation": "A portion of the job's ARN, unique within your AWS Elemental MediaConvert resources" }, + "JobEngineVersionRequested": { + "shape": "__string", + "locationName": "jobEngineVersionRequested", + "documentation": "The Job engine version that you requested for your job. Valid versions are in a YYYY-MM-DD format." + }, + "JobEngineVersionUsed": { + "shape": "__string", + "locationName": "jobEngineVersionUsed", + "documentation": "The Job engine version that your job used. Job engine versions are in a YYYY-MM-DD format. When you request an expired version, the response for this property will be empty. Requests to create jobs with an expired version result in a regular job, as if no specific Job engine version was requested. When you request an invalid version, the response for this property will be empty. Requests to create jobs with an invalid version result in a 400 error message, and no job is created." + }, "JobPercentComplete": { "shape": "__integer", "locationName": "jobPercentComplete", @@ -8099,6 +8183,22 @@ "Role" ] }, + "JobEngineVersion": { + "type": "structure", + "members": { + "ExpirationDate": { + "shape": "__timestampUnix", + "locationName": "expirationDate", + "documentation": "The date that this Job engine version expires. Requests to create jobs with an expired version result in a regular job, as if no specific Job engine version was requested." + }, + "Version": { + "shape": "__string", + "locationName": "version", + "documentation": "Use Job engine versions to run jobs for your production workflow on one version, while you test and validate the latest version. Job engine versions are in a YYYY-MM-DD format." + } + }, + "documentation": "Use Job engine versions to run jobs for your production workflow on one version, while you test and validate the latest version. Job engine versions are in a YYYY-MM-DD format." + }, "JobMessages": { "type": "structure", "members": { @@ -8858,6 +8958,38 @@ } } }, + "ListVersionsRequest": { + "type": "structure", + "members": { + "MaxResults": { + "shape": "__integerMin1Max20", + "locationName": "maxResults", + "documentation": "Optional. Number of valid Job engine versions, up to twenty, that will be returned at one time.", + "location": "querystring" + }, + "NextToken": { + "shape": "__string", + "locationName": "nextToken", + "documentation": "Optional. Use this string, provided with the response to a previous request, to request the next batch of Job engine versions.", + "location": "querystring" + } + } + }, + "ListVersionsResponse": { + "type": "structure", + "members": { + "NextToken": { + "shape": "__string", + "locationName": "nextToken", + "documentation": "Optional. Use this string, provided with the response to a previous request, to request the next batch of Job engine versions." + }, + "Versions": { + "shape": "__listOfJobEngineVersion", + "locationName": "versions", + "documentation": "Retrieve a JSON array of all available Job engine versions and the date they expire." + } + } + }, "M2tsAudioBufferModel": { "type": "string", "documentation": "Selects between the DVB and ATSC buffer models for Dolby Digital audio.", @@ -10028,7 +10160,7 @@ "MinIInterval": { "shape": "__integerMin0Max30", "locationName": "minIInterval", - "documentation": "Use this setting only when you also enable Scene change detection. This setting determines how the encoder manages the spacing between I-frames that it inserts as part of the I-frame cadence and the I-frames that it inserts for Scene change detection. When you specify a value for this setting, the encoder determines whether to skip a cadence-driven I-frame by the value you set. For example, if you set Min I interval to 5 and a cadence-driven I-frame would fall within 5 frames of a scene-change I-frame, then the encoder skips the cadence-driven I-frame. In this way, one GOP is shrunk slightly and one GOP is stretched slightly. When the cadence-driven I-frames are farther from the scene-change I-frame than the value you set, then the encoder leaves all I-frames in place and the GOPs surrounding the scene change are smaller than the usual cadence GOPs." + "documentation": "Specify the minimum number of frames allowed between two IDR-frames in your output. This includes frames created at the start of a GOP or a scene change. Use Min I-Interval to improve video compression by varying GOP size when two IDR-frames would be created near each other. For example, if a regular cadence-driven IDR-frame would fall within 5 frames of a scene-change IDR-frame, and you set Min I-interval to 5, then the encoder would only write an IDR-frame for the scene-change. In this way, one GOP is shortened or extended. If a cadence-driven IDR-frame would be further than 5 frames from a scene-change IDR-frame, then the encoder leaves all IDR-frames in place. To manually specify an interval: Enter a value from 1 to 30. Use when your downstream systems have specific GOP size requirements. To disable GOP size variance: Enter 0. MediaConvert will only create IDR-frames at the start of your output's cadence-driven GOP. Use when your downstream systems require a regular GOP size." }, "NumberBFramesBetweenReferenceFrames": { "shape": "__integerMin0Max7", @@ -12501,17 +12633,32 @@ "EndTimecode": { "shape": "__stringPattern010920405090509092", "locationName": "endTimecode", - "documentation": "Enter the end timecode in the underlying input video for this overlay. Your overlay will be active through this frame. To display your video overlay for the duration of the underlying video: Leave blank. Use the format HH:MM:SS:FF or HH:MM:SS;FF, where HH is the hour, MM is the minute, SS is the second, and FF is the frame number. When entering this value, take into account your choice for the underlying Input timecode source. For example, if you have embedded timecodes that start at 01:00:00:00 and you want your overlay to end ten minutes into the video, enter 01:10:00:00." + "documentation": "Enter the end timecode in the base input video for this overlay. Your overlay will be active through this frame. To display your video overlay for the duration of the base input video: Leave blank. Use the format HH:MM:SS:FF or HH:MM:SS;FF, where HH is the hour, MM is the minute, SS isthe second, and FF is the frame number. When entering this value, take into account your choice for the base input video's timecode source. For example, if you have embedded timecodes that start at 01:00:00:00 and you want your overlay to end ten minutes into the video, enter 01:10:00:00." + }, + "InitialPosition": { + "shape": "VideoOverlayPosition", + "locationName": "initialPosition", + "documentation": "Specify the Initial position of your video overlay. To specify the Initial position of your video overlay, including distance from the left or top edge of the base input video's frame, or size: Enter a value for X position, Y position, Width, or Height. To use the full frame of the base input video: Leave blank." }, "Input": { "shape": "VideoOverlayInput", "locationName": "input", "documentation": "Input settings for Video overlay. You can include one or more video overlays in sequence at different times that you specify." }, + "Playback": { + "shape": "VideoOverlayPlayBackMode", + "locationName": "playback", + "documentation": "Specify whether your video overlay repeats or plays only once. To repeat your video overlay on a loop: Keep the default value, Repeat. Your overlay will repeat for the duration of the base input video. To playback your video overlay only once: Choose Once. With either option, you can end playback at a time that you specify by entering a value for End timecode." + }, "StartTimecode": { "shape": "__stringPattern010920405090509092", "locationName": "startTimecode", - "documentation": "Enter the start timecode in the underlying input video for this overlay. Your overlay will be active starting with this frame. To display your video overlay starting at the beginning of the underlying video: Leave blank. Use the format HH:MM:SS:FF or HH:MM:SS;FF, where HH is the hour, MM is the minute, SS is the second, and FF is the frame number. When entering this value, take into account your choice for the underlying Input timecode source. For example, if you have embedded timecodes that start at 01:00:00:00 and you want your overlay to begin five minutes into the video, enter 01:05:00:00." + "documentation": "Enter the start timecode in the base input video for this overlay. Your overlay will be active starting with this frame. To display your video overlay starting at the beginning of the base input video: Leave blank. Use the format HH:MM:SS:FF or HH:MM:SS;FF, where HH is the hour, MM is the minute, SS is the second, and FF is the frame number. When entering this value, take into account your choice for the base input video's timecode source. For example, if you have embedded timecodes that start at 01:00:00:00 and you want your overlay to begin five minutes into the video, enter 01:05:00:00." + }, + "Transitions": { + "shape": "__listOfVideoOverlayTransition", + "locationName": "transitions", + "documentation": "Specify one or more transitions for your video overlay. Use Transitions to reposition or resize your overlay over time. To use the same position and size for the duration of your video overlay: Leave blank. To specify a Transition: Enter a value for Start timecode, End Timecode, X Position, Y Position, Width, or Height." } }, "documentation": "Overlay one or more videos on top of your input video. For more information, see https://docs.aws.amazon.com/mediaconvert/latest/ug/video-overlays.html" @@ -12522,7 +12669,7 @@ "FileInput": { "shape": "__stringPatternS3Https", "locationName": "fileInput", - "documentation": "Specify the input file S3, HTTP, or HTTPS URI for your video overlay. For consistency in color and formatting in your output video image, we recommend that you specify a video with similar characteristics as the underlying input video." + "documentation": "Specify the input file S3, HTTP, or HTTPS URL for your video overlay.\nTo specify one or more Transitions for your base input video instead: Leave blank." }, "InputClippings": { "shape": "__listOfVideoOverlayInputClipping", @@ -12546,18 +12693,86 @@ "type": "structure", "members": { "EndTimecode": { - "shape": "__stringPattern010920405090509092", + "shape": "__stringPattern010920405090509092090909", "locationName": "endTimecode", "documentation": "Specify the timecode of the last frame to include in your video overlay's clip. Use the format HH:MM:SS:FF or HH:MM:SS;FF, where HH is the hour, MM is the minute, SS is the second, and FF is the frame number. When entering this value, take into account your choice for Timecode source." }, "StartTimecode": { - "shape": "__stringPattern010920405090509092", + "shape": "__stringPattern010920405090509092090909", "locationName": "startTimecode", "documentation": "Specify the timecode of the first frame to include in your video overlay's clip. Use the format HH:MM:SS:FF or HH:MM:SS;FF, where HH is the hour, MM is the minute, SS is the second, and FF is the frame number. When entering this value, take into account your choice for Timecode source." } }, "documentation": "To transcode only portions of your video overlay, include one input clip for each part of your video overlay that you want in your output." }, + "VideoOverlayPlayBackMode": { + "type": "string", + "documentation": "Specify whether your video overlay repeats or plays only once. To repeat your video overlay on a loop: Keep the default value, Repeat. Your overlay will repeat for the duration of the base input video. To playback your video overlay only once: Choose Once. With either option, you can end playback at a time that you specify by entering a value for End timecode.", + "enum": [ + "ONCE", + "REPEAT" + ] + }, + "VideoOverlayPosition": { + "type": "structure", + "members": { + "Height": { + "shape": "__integerMinNegative1Max2147483647", + "locationName": "height", + "documentation": "To scale your video overlay to the same height as the base input video: Leave blank. To scale the height of your video overlay to a different height: Enter an integer representing the Unit type that you choose, either Pixels or Percentage. For example, when you enter 360 and choose Pixels, your video overlay will be rendered with a height of 360. When you enter 50, choose Percentage, and your overlay's source has a height of 1080, your video overlay will be rendered with a height of 540. To scale your overlay to a specific height while automatically maintaining its original aspect ratio, enter a value for Height and leave Width blank." + }, + "Unit": { + "shape": "VideoOverlayUnit", + "locationName": "unit", + "documentation": "Specify the Unit type to use when you enter a value for X position, Y position, Width, or Height. You can choose Pixels or Percentage. Leave blank to use the default value, Pixels." + }, + "Width": { + "shape": "__integerMinNegative1Max2147483647", + "locationName": "width", + "documentation": "To scale your video overlay to the same width as the base input video: Leave blank. To scale the width of your video overlay to a different width: Enter an integer representing the Unit type that you choose, either Pixels or Percentage. For example, when you enter 640 and choose Pixels, your video overlay will scale to a height of 640 pixels. When you enter 50, choose Percentage, and your overlay's source has a width of 1920, your video overlay will scale to a width of 960. To scale your overlay to a specific width while automatically maintaining its original aspect ratio, enter a value for Width and leave Height blank." + }, + "XPosition": { + "shape": "__integerMinNegative2147483648Max2147483647", + "locationName": "xPosition", + "documentation": "To position the left edge of your video overlay along the left edge of the base input video's frame: Keep blank, or enter 0. To position the left edge of your video overlay to the right, relative to the left edge of the base input video's frame: Enter an integer representing the Unit type that you choose, either Pixels or Percentage. For example, when you enter 10 and choose Pixels, your video overlay will be positioned 10 pixels from the left edge of the base input video's frame. When you enter 10, choose Percentage, and your base input video is 1920x1080, your video overlay will be positioned 192 pixels from the left edge of the base input video's frame." + }, + "YPosition": { + "shape": "__integerMinNegative2147483648Max2147483647", + "locationName": "yPosition", + "documentation": "To position the top edge of your video overlay along the top edge of the base input video's frame: Keep blank, or enter 0. To position the top edge of your video overlay down, relative to the top edge of the base input video's frame: Enter an integer representing the Unit type that you choose, either Pixels or Percentage. For example, when you enter 10 and choose Pixels, your video overlay will be positioned 10 pixels from the top edge of the base input video's frame. When you enter 10, choose Percentage, and your underlying video is 1920x1080, your video overlay will be positioned 108 pixels from the top edge of the base input video's frame." + } + }, + "documentation": "position of video overlay" + }, + "VideoOverlayTransition": { + "type": "structure", + "members": { + "EndPosition": { + "shape": "VideoOverlayPosition", + "locationName": "endPosition", + "documentation": "Specify the ending position for this transition, relative to the base input video's frame. Your video overlay will move smoothly to this position, beginning at this transition's Start timecode and ending at this transition's End timecode." + }, + "EndTimecode": { + "shape": "__stringPattern010920405090509092", + "locationName": "endTimecode", + "documentation": "Specify the timecode for when this transition ends. Use the format HH:MM:SS:FF or HH:MM:SS;FF, where HH is the hour, MM is the minute, SS is the second, and FF is the frame number. When entering this value, take into account your choice for Timecode source." + }, + "StartTimecode": { + "shape": "__stringPattern010920405090509092", + "locationName": "startTimecode", + "documentation": "Specify the timecode for when this transition begins. Use the format HH:MM:SS:FF or HH:MM:SS;FF, where HH is the hour, MM is the minute, SS is the second, and FF is the frame number. When entering this value, take into account your choice for Timecode source." + } + }, + "documentation": "Specify one or more Transitions for your video overlay. Use Transitions to reposition or resize your overlay over time. To use the same position and size for the duration of your video overlay: Leave blank. To specify a Transition: Enter a value for Start timecode, End Timecode, X Position, Y Position, Width, or Height." + }, + "VideoOverlayUnit": { + "type": "string", + "documentation": "Specify the Unit type to use when you enter a value for X position, Y position, Width, or Height. You can choose Pixels or Percentage. Leave blank to use the default value, Pixels.", + "enum": [ + "PIXELS", + "PERCENTAGE" + ] + }, "VideoPreprocessor": { "type": "structure", "members": { @@ -13932,6 +14147,11 @@ "min": -1, "max": 10 }, + "__integerMinNegative1Max2147483647": { + "type": "integer", + "min": -1, + "max": 2147483647 + }, "__integerMinNegative1Max3": { "type": "integer", "min": -1, @@ -14093,6 +14313,12 @@ "shape": "Job" } }, + "__listOfJobEngineVersion": { + "type": "list", + "member": { + "shape": "JobEngineVersion" + } + }, "__listOfJobTemplate": { "type": "list", "member": { @@ -14171,6 +14397,12 @@ "shape": "VideoOverlayInputClipping" } }, + "__listOfVideoOverlayTransition": { + "type": "list", + "member": { + "shape": "VideoOverlayTransition" + } + }, "__listOfWarningGroup": { "type": "list", "member": { From 51a56b35714d2ce6ee607a1c1d7f92730470d3c2 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Thu, 12 Sep 2024 18:09:50 +0000 Subject: [PATCH 074/108] Synthetics Update: This release introduces two features. The first is tag replication, which allows for the propagation of canary tags onto Synthetics related resources, such as Lambda functions. The second is a limit increase in canary name length, which has now been increased from 21 to 255 characters. --- .../feature-Synthetics-a91cf87.json | 6 +++ .../codegen-resources/endpoint-rule-set.json | 40 +++++++++---------- .../codegen-resources/service-2.json | 30 ++++++++++---- 3 files changed, 49 insertions(+), 27 deletions(-) create mode 100644 .changes/next-release/feature-Synthetics-a91cf87.json diff --git a/.changes/next-release/feature-Synthetics-a91cf87.json b/.changes/next-release/feature-Synthetics-a91cf87.json new file mode 100644 index 000000000000..a4aaba13cf4b --- /dev/null +++ b/.changes/next-release/feature-Synthetics-a91cf87.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Synthetics", + "contributor": "", + "description": "This release introduces two features. The first is tag replication, which allows for the propagation of canary tags onto Synthetics related resources, such as Lambda functions. The second is a limit increase in canary name length, which has now been increased from 21 to 255 characters." +} diff --git a/services/synthetics/src/main/resources/codegen-resources/endpoint-rule-set.json b/services/synthetics/src/main/resources/codegen-resources/endpoint-rule-set.json index 2c20361ea3db..72e761d33f64 100644 --- a/services/synthetics/src/main/resources/codegen-resources/endpoint-rule-set.json +++ b/services/synthetics/src/main/resources/codegen-resources/endpoint-rule-set.json @@ -40,7 +40,6 @@ ] } ], - "type": "tree", "rules": [ { "conditions": [ @@ -83,7 +82,8 @@ }, "type": "endpoint" } - ] + ], + "type": "tree" }, { "conditions": [ @@ -96,7 +96,6 @@ ] } ], - "type": "tree", "rules": [ { "conditions": [ @@ -110,7 +109,6 @@ "assign": "PartitionResult" } ], - "type": "tree", "rules": [ { "conditions": [ @@ -133,7 +131,6 @@ ] } ], - "type": "tree", "rules": [ { "conditions": [ @@ -168,7 +165,6 @@ ] } ], - "type": "tree", "rules": [ { "conditions": [], @@ -179,14 +175,16 @@ }, "type": "endpoint" } - ] + ], + "type": "tree" }, { "conditions": [], "error": "FIPS and DualStack are enabled, but this partition does not support one or both", "type": "error" } - ] + ], + "type": "tree" }, { "conditions": [ @@ -200,14 +198,12 @@ ] } ], - "type": "tree", "rules": [ { "conditions": [ { "fn": "booleanEquals", "argv": [ - true, { "fn": "getAttr", "argv": [ @@ -216,11 +212,11 @@ }, "supportsFIPS" ] - } + }, + true ] } ], - "type": "tree", "rules": [ { "conditions": [], @@ -231,14 +227,16 @@ }, "type": "endpoint" } - ] + ], + "type": "tree" }, { "conditions": [], "error": "FIPS is enabled but this partition does not support FIPS", "type": "error" } - ] + ], + "type": "tree" }, { "conditions": [ @@ -252,7 +250,6 @@ ] } ], - "type": "tree", "rules": [ { "conditions": [ @@ -272,7 +269,6 @@ ] } ], - "type": "tree", "rules": [ { "conditions": [], @@ -283,14 +279,16 @@ }, "type": "endpoint" } - ] + ], + "type": "tree" }, { "conditions": [], "error": "DualStack is enabled but this partition does not support DualStack", "type": "error" } - ] + ], + "type": "tree" }, { "conditions": [], @@ -301,9 +299,11 @@ }, "type": "endpoint" } - ] + ], + "type": "tree" } - ] + ], + "type": "tree" }, { "conditions": [], diff --git a/services/synthetics/src/main/resources/codegen-resources/service-2.json b/services/synthetics/src/main/resources/codegen-resources/service-2.json index 88bf20dbe2c1..84941cade41e 100644 --- a/services/synthetics/src/main/resources/codegen-resources/service-2.json +++ b/services/synthetics/src/main/resources/codegen-resources/service-2.json @@ -5,12 +5,14 @@ "endpointPrefix":"synthetics", "jsonVersion":"1.1", "protocol":"rest-json", + "protocols":["rest-json"], "serviceAbbreviation":"Synthetics", "serviceFullName":"Synthetics", "serviceId":"synthetics", "signatureVersion":"v4", "signingName":"synthetics", - "uid":"synthetics-2017-10-11" + "uid":"synthetics-2017-10-11", + "auth":["aws.auth#sigv4"] }, "operations":{ "AssociateResource":{ @@ -75,7 +77,7 @@ {"shape":"ResourceNotFoundException"}, {"shape":"ConflictException"} ], - "documentation":"

Permanently deletes the specified canary.

If you specify DeleteLambda to true, CloudWatch Synthetics also deletes the Lambda functions and layers that are used by the canary.

Other resources used and created by the canary are not automatically deleted. After you delete a canary that you do not intend to use again, you should also delete the following:

  • The CloudWatch alarms created for this canary. These alarms have a name of Synthetics-SharpDrop-Alarm-MyCanaryName .

  • Amazon S3 objects and buckets, such as the canary's artifact location.

  • IAM roles created for the canary. If they were created in the console, these roles have the name role/service-role/CloudWatchSyntheticsRole-MyCanaryName .

  • CloudWatch Logs log groups created for the canary. These logs groups have the name /aws/lambda/cwsyn-MyCanaryName .

Before you delete a canary, you might want to use GetCanary to display the information about this canary. Make note of the information returned by this operation so that you can delete these resources after you delete the canary.

" + "documentation":"

Permanently deletes the specified canary.

If you specify DeleteLambda to true, CloudWatch Synthetics also deletes the Lambda functions and layers that are used by the canary.

Other resources used and created by the canary are not automatically deleted. After you delete a canary that you do not intend to use again, you should also delete the following:

  • The CloudWatch alarms created for this canary. These alarms have a name of Synthetics-Alarm-first-198-characters-of-canary-name-canaryId-alarm number

  • Amazon S3 objects and buckets, such as the canary's artifact location.

  • IAM roles created for the canary. If they were created in the console, these roles have the name role/service-role/CloudWatchSyntheticsRole-First-21-Characters-of-CanaryName

  • CloudWatch Logs log groups created for the canary. These logs groups have the name /aws/lambda/cwsyn-First-21-Characters-of-CanaryName

Before you delete a canary, you might want to use GetCanary to display the information about this canary. Make note of the information returned by this operation so that you can delete these resources after you delete the canary.

" }, "DeleteGroup":{ "name":"DeleteGroup", @@ -507,7 +509,7 @@ "type":"string", "max":2048, "min":1, - "pattern":"arn:(aws[a-zA-Z-]*)?:synthetics:[a-z]{2}((-gov)|(-iso(b?)))?-[a-z]+-\\d{1}:\\d{12}:canary:[0-9a-z_\\-]{1,21}" + "pattern":"arn:(aws[a-zA-Z-]*)?:synthetics:[a-z]{2}((-gov)|(-iso(b?)))?-[a-z]+-\\d{1}:\\d{12}:canary:[0-9a-z_\\-]{1,255}" }, "CanaryCodeInput":{ "type":"structure", @@ -534,7 +536,7 @@ "documentation":"

The entry point to use for the source code when running the canary. For canaries that use the syn-python-selenium-1.0 runtime or a syn-nodejs.puppeteer runtime earlier than syn-nodejs.puppeteer-3.4, the handler must be specified as fileName.handler. For syn-python-selenium-1.1, syn-nodejs.puppeteer-3.4, and later runtimes, the handler can be specified as fileName.functionName , or you can specify a folder where canary scripts reside as folder/fileName.functionName .

" } }, - "documentation":"

Use this structure to input your script code for the canary. This structure contains the Lambda handler with the location where the canary should start running the script. If the script is stored in an S3 bucket, the bucket name, key, and version are also included. If the script was passed into the canary directly, the script code is contained in the value of Zipfile.

" + "documentation":"

Use this structure to input your script code for the canary. This structure contains the Lambda handler with the location where the canary should start running the script. If the script is stored in an S3 bucket, the bucket name, key, and version are also included. If the script was passed into the canary directly, the script code is contained in the value of Zipfile.

If you are uploading your canary scripts with an Amazon S3 bucket, your zip file should include your script in a certain folder structure.

" }, "CanaryCodeOutput":{ "type":"structure", @@ -566,7 +568,7 @@ }, "CanaryName":{ "type":"string", - "max":21, + "max":255, "min":1, "pattern":"^[0-9a-z_\\-]+$" }, @@ -853,9 +855,13 @@ "shape":"VpcConfigInput", "documentation":"

If this canary is to test an endpoint in a VPC, this structure contains information about the subnet and security groups of the VPC endpoint. For more information, see Running a Canary in a VPC.

" }, + "ResourcesToReplicateTags":{ + "shape":"ResourceList", + "documentation":"

To have the tags that you apply to this canary also be applied to the Lambda function that the canary uses, specify this parameter with the value lambda-function.

If you specify this parameter and don't specify any tags in the Tags parameter, the canary creation fails.

" + }, "Tags":{ "shape":"TagMap", - "documentation":"

A list of key-value pairs to associate with the canary. You can associate as many as 50 tags with a canary.

Tags can help you organize and categorize your resources. You can also use them to scope user permissions, by granting a user permission to access or change only the resources that have certain tag values.

" + "documentation":"

A list of key-value pairs to associate with the canary. You can associate as many as 50 tags with a canary.

Tags can help you organize and categorize your resources. You can also use them to scope user permissions, by granting a user permission to access or change only the resources that have certain tag values.

To have the tags that you apply to this canary also be applied to the Lambda function that the canary uses, specify this parameter with the value lambda-function.

" }, "ArtifactConfig":{ "shape":"ArtifactConfigInput", @@ -986,7 +992,7 @@ }, "MaxResults":{ "shape":"MaxCanaryResults", - "documentation":"

Specify this parameter to limit how many canaries are returned each time you use the DescribeCanaries operation. If you omit this parameter, the default of 100 is used.

" + "documentation":"

Specify this parameter to limit how many canaries are returned each time you use the DescribeCanaries operation. If you omit this parameter, the default of 20 is used.

" }, "Names":{ "shape":"DescribeCanariesNameFilter", @@ -1427,6 +1433,12 @@ "min":1, "pattern":"arn:(aws[a-zA-Z-]*)?:synthetics:[a-z]{2}((-gov)|(-iso(b?)))?-[a-z]+-\\d{1}:\\d{12}:(canary|group):[0-9a-z_\\-]+" }, + "ResourceList":{ + "type":"list", + "member":{"shape":"ResourceToTag"}, + "max":1, + "min":1 + }, "ResourceNotFoundException":{ "type":"structure", "members":{ @@ -1436,6 +1448,10 @@ "error":{"httpStatusCode":404}, "exception":true }, + "ResourceToTag":{ + "type":"string", + "enum":["lambda-function"] + }, "RoleArn":{ "type":"string", "max":2048, From 7ea8e7919e2723eb23baef8339ded6e1883fbc4a Mon Sep 17 00:00:00 2001 From: AWS <> Date: Thu, 12 Sep 2024 18:12:10 +0000 Subject: [PATCH 075/108] Release 2.28.0. Updated CHANGELOG.md, README.md and all pom.xml. --- .changes/2.28.0.json | 60 +++++++++++++++++++ ...ture-AWSElementalMediaConvert-bf7f42d.json | 6 -- .../next-release/feature-AWSGlue-b4d8416.json | 6 -- .../feature-AWSStorageGateway-5a53f4a.json | 6 -- ...AmazonCognitoIdentityProvider-91ce820.json | 6 -- .../feature-AmazonEMR-16296ae.json | 6 -- ...azonRelationalDatabaseService-fa666e3.json | 6 -- ...ture-AmazonSimpleQueueService-97fc706.json | 6 -- .../feature-ElasticLoadBalancing-b61c00f.json | 6 -- .../feature-Synthetics-a91cf87.json | 6 -- CHANGELOG.md | 39 +++++++++++- 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/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/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/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/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/worklink/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 +- 481 files changed, 571 insertions(+), 528 deletions(-) create mode 100644 .changes/2.28.0.json delete mode 100644 .changes/next-release/feature-AWSElementalMediaConvert-bf7f42d.json delete mode 100644 .changes/next-release/feature-AWSGlue-b4d8416.json delete mode 100644 .changes/next-release/feature-AWSStorageGateway-5a53f4a.json delete mode 100644 .changes/next-release/feature-AmazonCognitoIdentityProvider-91ce820.json delete mode 100644 .changes/next-release/feature-AmazonEMR-16296ae.json delete mode 100644 .changes/next-release/feature-AmazonRelationalDatabaseService-fa666e3.json delete mode 100644 .changes/next-release/feature-AmazonSimpleQueueService-97fc706.json delete mode 100644 .changes/next-release/feature-ElasticLoadBalancing-b61c00f.json delete mode 100644 .changes/next-release/feature-Synthetics-a91cf87.json diff --git a/.changes/2.28.0.json b/.changes/2.28.0.json new file mode 100644 index 000000000000..86e6deb37db3 --- /dev/null +++ b/.changes/2.28.0.json @@ -0,0 +1,60 @@ +{ + "version": "2.28.0", + "date": "2024-09-12", + "entries": [ + { + "type": "feature", + "category": "AWS Elemental MediaConvert", + "contributor": "", + "description": "This release includes support for dynamic video overlay workflows, including picture-in-picture and squeezeback" + }, + { + "type": "feature", + "category": "AWS Glue", + "contributor": "", + "description": "AWS Glue is introducing two new optimizers for Apache Iceberg tables: snapshot retention and orphan file deletion. Customers can enable these optimizers and customize their configurations to perform daily maintenance tasks on their Iceberg tables based on their specific requirements." + }, + { + "type": "feature", + "category": "AWS Storage Gateway", + "contributor": "", + "description": "The S3 File Gateway now supports DSSE-KMS encryption. A new parameter EncryptionType is added to these APIs: CreateSmbFileShare, CreateNfsFileShare, UpdateSmbFileShare, UpdateNfsFileShare, DescribeSmbFileShares, DescribeNfsFileShares. Also, in favor of EncryptionType, KmsEncrypted is deprecated." + }, + { + "type": "feature", + "category": "Amazon Cognito Identity Provider", + "contributor": "", + "description": "Added email MFA option to user pools with advanced security features." + }, + { + "type": "feature", + "category": "Amazon EMR", + "contributor": "", + "description": "Update APIs to allow modification of ODCR options, allocation strategy, and InstanceTypeConfigs on running InstanceFleet clusters." + }, + { + "type": "feature", + "category": "Amazon Relational Database Service", + "contributor": "", + "description": "This release adds support for the os-upgrade pending maintenance action for Amazon Aurora DB clusters." + }, + { + "type": "feature", + "category": "Amazon Simple Queue Service", + "contributor": "", + "description": "The AWS SDK for Java now supports a new `BatchManager` for Amazon Simple Queue Service (SQS), allowing for client-side request batching with `SqsAsyncClient`. This feature improves cost efficiency by buffering up to 10 requests before sending them as a batch to SQS. The implementation also supports receive message polling, which further enhances throughput by minimizing the number of individual requests sent. The batched requests help to optimize performance and reduce the costs associated with using Amazon SQS." + }, + { + "type": "feature", + "category": "Elastic Load Balancing", + "contributor": "", + "description": "Correct incorrectly mapped error in ELBv2 waiters" + }, + { + "type": "feature", + "category": "Synthetics", + "contributor": "", + "description": "This release introduces two features. The first is tag replication, which allows for the propagation of canary tags onto Synthetics related resources, such as Lambda functions. The second is a limit increase in canary name length, which has now been increased from 21 to 255 characters." + } + ] +} \ No newline at end of file diff --git a/.changes/next-release/feature-AWSElementalMediaConvert-bf7f42d.json b/.changes/next-release/feature-AWSElementalMediaConvert-bf7f42d.json deleted file mode 100644 index 7703181e51a8..000000000000 --- a/.changes/next-release/feature-AWSElementalMediaConvert-bf7f42d.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "AWS Elemental MediaConvert", - "contributor": "", - "description": "This release includes support for dynamic video overlay workflows, including picture-in-picture and squeezeback" -} diff --git a/.changes/next-release/feature-AWSGlue-b4d8416.json b/.changes/next-release/feature-AWSGlue-b4d8416.json deleted file mode 100644 index 0ab2893f45c7..000000000000 --- a/.changes/next-release/feature-AWSGlue-b4d8416.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "AWS Glue", - "contributor": "", - "description": "AWS Glue is introducing two new optimizers for Apache Iceberg tables: snapshot retention and orphan file deletion. Customers can enable these optimizers and customize their configurations to perform daily maintenance tasks on their Iceberg tables based on their specific requirements." -} diff --git a/.changes/next-release/feature-AWSStorageGateway-5a53f4a.json b/.changes/next-release/feature-AWSStorageGateway-5a53f4a.json deleted file mode 100644 index 96bc7e70bbed..000000000000 --- a/.changes/next-release/feature-AWSStorageGateway-5a53f4a.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "AWS Storage Gateway", - "contributor": "", - "description": "The S3 File Gateway now supports DSSE-KMS encryption. A new parameter EncryptionType is added to these APIs: CreateSmbFileShare, CreateNfsFileShare, UpdateSmbFileShare, UpdateNfsFileShare, DescribeSmbFileShares, DescribeNfsFileShares. Also, in favor of EncryptionType, KmsEncrypted is deprecated." -} diff --git a/.changes/next-release/feature-AmazonCognitoIdentityProvider-91ce820.json b/.changes/next-release/feature-AmazonCognitoIdentityProvider-91ce820.json deleted file mode 100644 index 0b97c482250e..000000000000 --- a/.changes/next-release/feature-AmazonCognitoIdentityProvider-91ce820.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "Amazon Cognito Identity Provider", - "contributor": "", - "description": "Added email MFA option to user pools with advanced security features." -} diff --git a/.changes/next-release/feature-AmazonEMR-16296ae.json b/.changes/next-release/feature-AmazonEMR-16296ae.json deleted file mode 100644 index 1d213f7e542c..000000000000 --- a/.changes/next-release/feature-AmazonEMR-16296ae.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "Amazon EMR", - "contributor": "", - "description": "Update APIs to allow modification of ODCR options, allocation strategy, and InstanceTypeConfigs on running InstanceFleet clusters." -} diff --git a/.changes/next-release/feature-AmazonRelationalDatabaseService-fa666e3.json b/.changes/next-release/feature-AmazonRelationalDatabaseService-fa666e3.json deleted file mode 100644 index edc4346e8cc5..000000000000 --- a/.changes/next-release/feature-AmazonRelationalDatabaseService-fa666e3.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "Amazon Relational Database Service", - "contributor": "", - "description": "This release adds support for the os-upgrade pending maintenance action for Amazon Aurora DB clusters." -} diff --git a/.changes/next-release/feature-AmazonSimpleQueueService-97fc706.json b/.changes/next-release/feature-AmazonSimpleQueueService-97fc706.json deleted file mode 100644 index f3335518838a..000000000000 --- a/.changes/next-release/feature-AmazonSimpleQueueService-97fc706.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "Amazon Simple Queue Service", - "contributor": "", - "description": "The AWS SDK for Java now supports a new `BatchManager` for Amazon Simple Queue Service (SQS), allowing for client-side request batching with `SqsAsyncClient`. This feature improves cost efficiency by buffering up to 10 requests before sending them as a batch to SQS. The implementation also supports receive message polling, which further enhances throughput by minimizing the number of individual requests sent. The batched requests help to optimize performance and reduce the costs associated with using Amazon SQS." -} diff --git a/.changes/next-release/feature-ElasticLoadBalancing-b61c00f.json b/.changes/next-release/feature-ElasticLoadBalancing-b61c00f.json deleted file mode 100644 index 986650655403..000000000000 --- a/.changes/next-release/feature-ElasticLoadBalancing-b61c00f.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "Elastic Load Balancing", - "contributor": "", - "description": "Correct incorrectly mapped error in ELBv2 waiters" -} diff --git a/.changes/next-release/feature-Synthetics-a91cf87.json b/.changes/next-release/feature-Synthetics-a91cf87.json deleted file mode 100644 index a4aaba13cf4b..000000000000 --- a/.changes/next-release/feature-Synthetics-a91cf87.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "Synthetics", - "contributor": "", - "description": "This release introduces two features. The first is tag replication, which allows for the propagation of canary tags onto Synthetics related resources, such as Lambda functions. The second is a limit increase in canary name length, which has now been increased from 21 to 255 characters." -} diff --git a/CHANGELOG.md b/CHANGELOG.md index 5f0d38df2f7e..bd0585e6f710 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1 +1,38 @@ - #### 👋 _Looking for changelogs for older versions? You can find them in the [changelogs](./changelogs) directory._ \ No newline at end of file + #### 👋 _Looking for changelogs for older versions? You can find them in the [changelogs](./changelogs) directory._ +# __2.28.0__ __2024-09-12__ +## __AWS Elemental MediaConvert__ + - ### Features + - This release includes support for dynamic video overlay workflows, including picture-in-picture and squeezeback + +## __AWS Glue__ + - ### Features + - AWS Glue is introducing two new optimizers for Apache Iceberg tables: snapshot retention and orphan file deletion. Customers can enable these optimizers and customize their configurations to perform daily maintenance tasks on their Iceberg tables based on their specific requirements. + +## __AWS Storage Gateway__ + - ### Features + - The S3 File Gateway now supports DSSE-KMS encryption. A new parameter EncryptionType is added to these APIs: CreateSmbFileShare, CreateNfsFileShare, UpdateSmbFileShare, UpdateNfsFileShare, DescribeSmbFileShares, DescribeNfsFileShares. Also, in favor of EncryptionType, KmsEncrypted is deprecated. + +## __Amazon Cognito Identity Provider__ + - ### Features + - Added email MFA option to user pools with advanced security features. + +## __Amazon EMR__ + - ### Features + - Update APIs to allow modification of ODCR options, allocation strategy, and InstanceTypeConfigs on running InstanceFleet clusters. + +## __Amazon Relational Database Service__ + - ### Features + - This release adds support for the os-upgrade pending maintenance action for Amazon Aurora DB clusters. + +## __Amazon Simple Queue Service__ + - ### Features + - The AWS SDK for Java now supports a new `BatchManager` for Amazon Simple Queue Service (SQS), allowing for client-side request batching with `SqsAsyncClient`. This feature improves cost efficiency by buffering up to 10 requests before sending them as a batch to SQS. The implementation also supports receive message polling, which further enhances throughput by minimizing the number of individual requests sent. The batched requests help to optimize performance and reduce the costs associated with using Amazon SQS. + +## __Elastic Load Balancing__ + - ### Features + - Correct incorrectly mapped error in ELBv2 waiters + +## __Synthetics__ + - ### Features + - This release introduces two features. The first is tag replication, which allows for the propagation of canary tags onto Synthetics related resources, such as Lambda functions. The second is a limit increase in canary name length, which has now been increased from 21 to 255 characters. + diff --git a/README.md b/README.md index e3a0de300bbd..ecd62a92044c 100644 --- a/README.md +++ b/README.md @@ -52,7 +52,7 @@ To automatically manage module versions (currently all modules have the same ver software.amazon.awssdk bom - 2.27.24 + 2.28.0 pom import @@ -86,12 +86,12 @@ Alternatively you can add dependencies for the specific services you use only: software.amazon.awssdk ec2 - 2.27.24 + 2.28.0 software.amazon.awssdk s3 - 2.27.24 + 2.28.0 ``` @@ -103,7 +103,7 @@ You can import the whole SDK into your project (includes *ALL* services). Please software.amazon.awssdk aws-sdk-java - 2.27.24 + 2.28.0 ``` diff --git a/archetypes/archetype-app-quickstart/pom.xml b/archetypes/archetype-app-quickstart/pom.xml index 5a1cbfffee69..a4661e203066 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.0-SNAPSHOT + 2.28.0 4.0.0 diff --git a/archetypes/archetype-lambda/pom.xml b/archetypes/archetype-lambda/pom.xml index 228b6271fc0f..a6a1af98fc3a 100644 --- a/archetypes/archetype-lambda/pom.xml +++ b/archetypes/archetype-lambda/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.28.0-SNAPSHOT + 2.28.0 4.0.0 archetype-lambda diff --git a/archetypes/archetype-tools/pom.xml b/archetypes/archetype-tools/pom.xml index 0bbf43c4da6a..d8f70ed82e97 100644 --- a/archetypes/archetype-tools/pom.xml +++ b/archetypes/archetype-tools/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.28.0-SNAPSHOT + 2.28.0 4.0.0 diff --git a/archetypes/pom.xml b/archetypes/pom.xml index 0eadad3d6942..99a908afeac8 100644 --- a/archetypes/pom.xml +++ b/archetypes/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.0-SNAPSHOT + 2.28.0 4.0.0 archetypes diff --git a/aws-sdk-java/pom.xml b/aws-sdk-java/pom.xml index ad3431ed5a83..b86231f29381 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.0-SNAPSHOT + 2.28.0 ../pom.xml aws-sdk-java diff --git a/bom-internal/pom.xml b/bom-internal/pom.xml index 6b491fcd168e..a8eb3dee4ddf 100644 --- a/bom-internal/pom.xml +++ b/bom-internal/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.0-SNAPSHOT + 2.28.0 4.0.0 diff --git a/bom/pom.xml b/bom/pom.xml index 63f72155a887..248562e1dfb8 100644 --- a/bom/pom.xml +++ b/bom/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.0-SNAPSHOT + 2.28.0 ../pom.xml bom diff --git a/bundle-logging-bridge/pom.xml b/bundle-logging-bridge/pom.xml index 457ebc099eea..bff06b389124 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.0-SNAPSHOT + 2.28.0 bundle-logging-bridge jar diff --git a/bundle-sdk/pom.xml b/bundle-sdk/pom.xml index 3c2a81e3d281..c1c7dda9f99c 100644 --- a/bundle-sdk/pom.xml +++ b/bundle-sdk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.0-SNAPSHOT + 2.28.0 bundle-sdk jar diff --git a/bundle/pom.xml b/bundle/pom.xml index 1ea3b3d6670a..fc561bd0154a 100644 --- a/bundle/pom.xml +++ b/bundle/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.0-SNAPSHOT + 2.28.0 bundle jar diff --git a/codegen-lite-maven-plugin/pom.xml b/codegen-lite-maven-plugin/pom.xml index 449475e11c21..0821ed8cf09e 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.0-SNAPSHOT + 2.28.0 ../pom.xml codegen-lite-maven-plugin diff --git a/codegen-lite/pom.xml b/codegen-lite/pom.xml index 5e80f1f19b43..e858c60d8b55 100644 --- a/codegen-lite/pom.xml +++ b/codegen-lite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.0-SNAPSHOT + 2.28.0 codegen-lite AWS Java SDK :: Code Generator Lite diff --git a/codegen-maven-plugin/pom.xml b/codegen-maven-plugin/pom.xml index 09075174c934..9d7c42503616 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.0-SNAPSHOT + 2.28.0 ../pom.xml codegen-maven-plugin diff --git a/codegen/pom.xml b/codegen/pom.xml index f9616e9e027d..8d4aeeac3114 100644 --- a/codegen/pom.xml +++ b/codegen/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.0-SNAPSHOT + 2.28.0 codegen AWS Java SDK :: Code Generator diff --git a/core/annotations/pom.xml b/core/annotations/pom.xml index 49fc19ca3e97..e84f36225fa4 100644 --- a/core/annotations/pom.xml +++ b/core/annotations/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.0-SNAPSHOT + 2.28.0 4.0.0 diff --git a/core/arns/pom.xml b/core/arns/pom.xml index 3e850f88bdf8..3c15e2556ec3 100644 --- a/core/arns/pom.xml +++ b/core/arns/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.0-SNAPSHOT + 2.28.0 4.0.0 diff --git a/core/auth-crt/pom.xml b/core/auth-crt/pom.xml index d41370d11f5f..b0a4494ddda1 100644 --- a/core/auth-crt/pom.xml +++ b/core/auth-crt/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.0-SNAPSHOT + 2.28.0 auth-crt diff --git a/core/auth/pom.xml b/core/auth/pom.xml index 2b7ce92cc2dd..2e5c3e55494d 100644 --- a/core/auth/pom.xml +++ b/core/auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.0-SNAPSHOT + 2.28.0 auth diff --git a/core/aws-core/pom.xml b/core/aws-core/pom.xml index 2111e13cef6a..13f61efce323 100644 --- a/core/aws-core/pom.xml +++ b/core/aws-core/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.0-SNAPSHOT + 2.28.0 aws-core diff --git a/core/checksums-spi/pom.xml b/core/checksums-spi/pom.xml index 819b9c98d799..e9ef94348bef 100644 --- a/core/checksums-spi/pom.xml +++ b/core/checksums-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.0-SNAPSHOT + 2.28.0 checksums-spi diff --git a/core/checksums/pom.xml b/core/checksums/pom.xml index 2c9767038d0c..0331bf5ccf48 100644 --- a/core/checksums/pom.xml +++ b/core/checksums/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.0-SNAPSHOT + 2.28.0 checksums diff --git a/core/crt-core/pom.xml b/core/crt-core/pom.xml index ecf609893324..810fe33cdc0b 100644 --- a/core/crt-core/pom.xml +++ b/core/crt-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.28.0-SNAPSHOT + 2.28.0 crt-core diff --git a/core/endpoints-spi/pom.xml b/core/endpoints-spi/pom.xml index daec06b1264d..531d7c2863a5 100644 --- a/core/endpoints-spi/pom.xml +++ b/core/endpoints-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.0-SNAPSHOT + 2.28.0 4.0.0 diff --git a/core/http-auth-aws-crt/pom.xml b/core/http-auth-aws-crt/pom.xml index fdc05dbf325b..c3ca1214068d 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.0-SNAPSHOT + 2.28.0 http-auth-aws-crt diff --git a/core/http-auth-aws-eventstream/pom.xml b/core/http-auth-aws-eventstream/pom.xml index 66ae176c5408..c0c521503c02 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.0-SNAPSHOT + 2.28.0 http-auth-aws-eventstream diff --git a/core/http-auth-aws/pom.xml b/core/http-auth-aws/pom.xml index 6dd382ea201f..81b69bfc9083 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.0-SNAPSHOT + 2.28.0 http-auth-aws diff --git a/core/http-auth-spi/pom.xml b/core/http-auth-spi/pom.xml index 4a5a624683e0..a3df55b85cea 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.0-SNAPSHOT + 2.28.0 http-auth-spi diff --git a/core/http-auth/pom.xml b/core/http-auth/pom.xml index 8f142e46cd3b..274520b23ff6 100644 --- a/core/http-auth/pom.xml +++ b/core/http-auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.0-SNAPSHOT + 2.28.0 http-auth diff --git a/core/identity-spi/pom.xml b/core/identity-spi/pom.xml index a43b81416e86..5d862012e156 100644 --- a/core/identity-spi/pom.xml +++ b/core/identity-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.0-SNAPSHOT + 2.28.0 identity-spi diff --git a/core/imds/pom.xml b/core/imds/pom.xml index a2ea1adfd6a7..c706ed173878 100644 --- a/core/imds/pom.xml +++ b/core/imds/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.0-SNAPSHOT + 2.28.0 4.0.0 imds diff --git a/core/json-utils/pom.xml b/core/json-utils/pom.xml index 91174af24ced..ae49f7ccea4f 100644 --- a/core/json-utils/pom.xml +++ b/core/json-utils/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.0-SNAPSHOT + 2.28.0 4.0.0 diff --git a/core/metrics-spi/pom.xml b/core/metrics-spi/pom.xml index 3e1a7f692afd..53481a9be4f4 100644 --- a/core/metrics-spi/pom.xml +++ b/core/metrics-spi/pom.xml @@ -5,7 +5,7 @@ core software.amazon.awssdk - 2.28.0-SNAPSHOT + 2.28.0 4.0.0 diff --git a/core/pom.xml b/core/pom.xml index 95713204128c..0f21e3ff6902 100644 --- a/core/pom.xml +++ b/core/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.0-SNAPSHOT + 2.28.0 core diff --git a/core/profiles/pom.xml b/core/profiles/pom.xml index 68f392712395..b6ed1a0a63bd 100644 --- a/core/profiles/pom.xml +++ b/core/profiles/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.0-SNAPSHOT + 2.28.0 profiles diff --git a/core/protocols/aws-cbor-protocol/pom.xml b/core/protocols/aws-cbor-protocol/pom.xml index 57343141afe1..c3cf6b17c617 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.0-SNAPSHOT + 2.28.0 4.0.0 diff --git a/core/protocols/aws-json-protocol/pom.xml b/core/protocols/aws-json-protocol/pom.xml index a97c0b514c96..e7a36dc92f32 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.0-SNAPSHOT + 2.28.0 4.0.0 diff --git a/core/protocols/aws-query-protocol/pom.xml b/core/protocols/aws-query-protocol/pom.xml index 6e1a7b80f8b4..473b5de832c6 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.0-SNAPSHOT + 2.28.0 4.0.0 diff --git a/core/protocols/aws-xml-protocol/pom.xml b/core/protocols/aws-xml-protocol/pom.xml index 8a3a09d923ec..b3afcfe0030b 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.0-SNAPSHOT + 2.28.0 4.0.0 diff --git a/core/protocols/pom.xml b/core/protocols/pom.xml index b4d7e726c053..6a32cfe2ebf2 100644 --- a/core/protocols/pom.xml +++ b/core/protocols/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.0-SNAPSHOT + 2.28.0 4.0.0 diff --git a/core/protocols/protocol-core/pom.xml b/core/protocols/protocol-core/pom.xml index 97a1e0fcdf5d..8be8766f0d6f 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.0-SNAPSHOT + 2.28.0 4.0.0 diff --git a/core/regions/pom.xml b/core/regions/pom.xml index 94978d72866f..058420932df2 100644 --- a/core/regions/pom.xml +++ b/core/regions/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.0-SNAPSHOT + 2.28.0 regions diff --git a/core/retries-spi/pom.xml b/core/retries-spi/pom.xml index 63421e5a878d..895312e82b42 100644 --- a/core/retries-spi/pom.xml +++ b/core/retries-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.0-SNAPSHOT + 2.28.0 4.0.0 diff --git a/core/retries/pom.xml b/core/retries/pom.xml index 78cd588c33ff..8d8dceae7dd8 100644 --- a/core/retries/pom.xml +++ b/core/retries/pom.xml @@ -21,7 +21,7 @@ core software.amazon.awssdk - 2.28.0-SNAPSHOT + 2.28.0 4.0.0 diff --git a/core/sdk-core/pom.xml b/core/sdk-core/pom.xml index f79a96f9f2e0..e11ca14a5efe 100644 --- a/core/sdk-core/pom.xml +++ b/core/sdk-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.28.0-SNAPSHOT + 2.28.0 sdk-core AWS Java SDK :: SDK Core diff --git a/http-client-spi/pom.xml b/http-client-spi/pom.xml index 57790223604c..829adabb5114 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.0-SNAPSHOT + 2.28.0 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 429b78c35b0c..e04b61c0ddd5 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.0-SNAPSHOT + 2.28.0 apache-client diff --git a/http-clients/aws-crt-client/pom.xml b/http-clients/aws-crt-client/pom.xml index 4681fcc10cc6..a4d6004a8697 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.0-SNAPSHOT + 2.28.0 4.0.0 diff --git a/http-clients/netty-nio-client/pom.xml b/http-clients/netty-nio-client/pom.xml index 28b7de723101..411ab4833fc2 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.0-SNAPSHOT + 2.28.0 4.0.0 diff --git a/http-clients/pom.xml b/http-clients/pom.xml index e0e87c1937ea..bfb9ad5c7d78 100644 --- a/http-clients/pom.xml +++ b/http-clients/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.0-SNAPSHOT + 2.28.0 4.0.0 diff --git a/http-clients/url-connection-client/pom.xml b/http-clients/url-connection-client/pom.xml index 2bbc1a91fa90..ae59925d79bf 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.0-SNAPSHOT + 2.28.0 4.0.0 diff --git a/metric-publishers/cloudwatch-metric-publisher/pom.xml b/metric-publishers/cloudwatch-metric-publisher/pom.xml index 79868d15811f..d987b87ebce9 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.0-SNAPSHOT + 2.28.0 cloudwatch-metric-publisher diff --git a/metric-publishers/pom.xml b/metric-publishers/pom.xml index 2f211c90ae34..77ef34fac920 100644 --- a/metric-publishers/pom.xml +++ b/metric-publishers/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.0-SNAPSHOT + 2.28.0 metric-publishers diff --git a/pom.xml b/pom.xml index 04d65769d7c3..2105d1003290 100644 --- a/pom.xml +++ b/pom.xml @@ -20,7 +20,7 @@ 4.0.0 software.amazon.awssdk aws-sdk-java-pom - 2.28.0-SNAPSHOT + 2.28.0 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 5ba4a05e65de..d53ad1802c2e 100644 --- a/release-scripts/pom.xml +++ b/release-scripts/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.0-SNAPSHOT + 2.28.0 ../pom.xml release-scripts diff --git a/services-custom/dynamodb-enhanced/pom.xml b/services-custom/dynamodb-enhanced/pom.xml index 1f631032bf4c..1f5ff60abc9f 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.0-SNAPSHOT + 2.28.0 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 d63ad2182d1d..f7ef4dd7f49c 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.0-SNAPSHOT + 2.28.0 ../../pom.xml iam-policy-builder diff --git a/services-custom/pom.xml b/services-custom/pom.xml index 471423f38589..46a290b7251d 100644 --- a/services-custom/pom.xml +++ b/services-custom/pom.xml @@ -19,7 +19,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.0-SNAPSHOT + 2.28.0 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 306b55ef0583..e13dc65ee355 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.0-SNAPSHOT + 2.28.0 ../../pom.xml s3-event-notifications diff --git a/services-custom/s3-transfer-manager/pom.xml b/services-custom/s3-transfer-manager/pom.xml index 04e086a79e1b..9ad4e7e51487 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.0-SNAPSHOT + 2.28.0 ../../pom.xml s3-transfer-manager diff --git a/services/accessanalyzer/pom.xml b/services/accessanalyzer/pom.xml index 6aac8561c6cc..55695c5fc809 100644 --- a/services/accessanalyzer/pom.xml +++ b/services/accessanalyzer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 accessanalyzer AWS Java SDK :: Services :: AccessAnalyzer diff --git a/services/account/pom.xml b/services/account/pom.xml index 015573159131..ec458bc9b996 100644 --- a/services/account/pom.xml +++ b/services/account/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 account AWS Java SDK :: Services :: Account diff --git a/services/acm/pom.xml b/services/acm/pom.xml index f710e66e7a55..49c36d419bf2 100644 --- a/services/acm/pom.xml +++ b/services/acm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 acm AWS Java SDK :: Services :: AWS Certificate Manager diff --git a/services/acmpca/pom.xml b/services/acmpca/pom.xml index 88b3d995c159..3012d1282df3 100644 --- a/services/acmpca/pom.xml +++ b/services/acmpca/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 acmpca AWS Java SDK :: Services :: ACM PCA diff --git a/services/amp/pom.xml b/services/amp/pom.xml index dcdbcb33286b..8c57d87ca418 100644 --- a/services/amp/pom.xml +++ b/services/amp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 amp AWS Java SDK :: Services :: Amp diff --git a/services/amplify/pom.xml b/services/amplify/pom.xml index 01cf2c4f74a2..7404fa204b83 100644 --- a/services/amplify/pom.xml +++ b/services/amplify/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 amplify AWS Java SDK :: Services :: Amplify diff --git a/services/amplifybackend/pom.xml b/services/amplifybackend/pom.xml index 7731c86119c8..216cdac1711b 100644 --- a/services/amplifybackend/pom.xml +++ b/services/amplifybackend/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 amplifybackend AWS Java SDK :: Services :: Amplify Backend diff --git a/services/amplifyuibuilder/pom.xml b/services/amplifyuibuilder/pom.xml index d97ddb4597da..0637f58625f6 100644 --- a/services/amplifyuibuilder/pom.xml +++ b/services/amplifyuibuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 amplifyuibuilder AWS Java SDK :: Services :: Amplify UI Builder diff --git a/services/apigateway/pom.xml b/services/apigateway/pom.xml index b1ccb5fc621c..21361ab9562f 100644 --- a/services/apigateway/pom.xml +++ b/services/apigateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 apigateway AWS Java SDK :: Services :: Amazon API Gateway diff --git a/services/apigatewaymanagementapi/pom.xml b/services/apigatewaymanagementapi/pom.xml index 9c1c27e20244..fc75d4f5d0da 100644 --- a/services/apigatewaymanagementapi/pom.xml +++ b/services/apigatewaymanagementapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 apigatewaymanagementapi AWS Java SDK :: Services :: ApiGatewayManagementApi diff --git a/services/apigatewayv2/pom.xml b/services/apigatewayv2/pom.xml index ccf9f4ffe62d..d52c8573a819 100644 --- a/services/apigatewayv2/pom.xml +++ b/services/apigatewayv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 apigatewayv2 AWS Java SDK :: Services :: ApiGatewayV2 diff --git a/services/appconfig/pom.xml b/services/appconfig/pom.xml index e8d944eb26bc..f48e0f08f4f7 100644 --- a/services/appconfig/pom.xml +++ b/services/appconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 appconfig AWS Java SDK :: Services :: AppConfig diff --git a/services/appconfigdata/pom.xml b/services/appconfigdata/pom.xml index 7c59e29e441a..7e860d6be80a 100644 --- a/services/appconfigdata/pom.xml +++ b/services/appconfigdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 appconfigdata AWS Java SDK :: Services :: App Config Data diff --git a/services/appfabric/pom.xml b/services/appfabric/pom.xml index 4a22a514de4e..0fc5a7e5ebad 100644 --- a/services/appfabric/pom.xml +++ b/services/appfabric/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 appfabric AWS Java SDK :: Services :: App Fabric diff --git a/services/appflow/pom.xml b/services/appflow/pom.xml index 22bbfd5d5421..4e0d0cd60713 100644 --- a/services/appflow/pom.xml +++ b/services/appflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 appflow AWS Java SDK :: Services :: Appflow diff --git a/services/appintegrations/pom.xml b/services/appintegrations/pom.xml index e89d20622cfa..8eefe1d98c24 100644 --- a/services/appintegrations/pom.xml +++ b/services/appintegrations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 appintegrations AWS Java SDK :: Services :: App Integrations diff --git a/services/applicationautoscaling/pom.xml b/services/applicationautoscaling/pom.xml index 919cfd01f13c..819bfcbe8b37 100644 --- a/services/applicationautoscaling/pom.xml +++ b/services/applicationautoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 applicationautoscaling AWS Java SDK :: Services :: AWS Application Auto Scaling diff --git a/services/applicationcostprofiler/pom.xml b/services/applicationcostprofiler/pom.xml index 88f09fd33a48..5e2a5255638f 100644 --- a/services/applicationcostprofiler/pom.xml +++ b/services/applicationcostprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 applicationcostprofiler AWS Java SDK :: Services :: Application Cost Profiler diff --git a/services/applicationdiscovery/pom.xml b/services/applicationdiscovery/pom.xml index 9c36f8e1c404..6f8deca9f032 100644 --- a/services/applicationdiscovery/pom.xml +++ b/services/applicationdiscovery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 applicationdiscovery AWS Java SDK :: Services :: AWS Application Discovery Service diff --git a/services/applicationinsights/pom.xml b/services/applicationinsights/pom.xml index f2a718d94861..5ec4ed8bada1 100644 --- a/services/applicationinsights/pom.xml +++ b/services/applicationinsights/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 applicationinsights AWS Java SDK :: Services :: Application Insights diff --git a/services/applicationsignals/pom.xml b/services/applicationsignals/pom.xml index 24e47bb98184..751d0cd9930c 100644 --- a/services/applicationsignals/pom.xml +++ b/services/applicationsignals/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 applicationsignals AWS Java SDK :: Services :: Application Signals diff --git a/services/appmesh/pom.xml b/services/appmesh/pom.xml index a9224983edbf..3b6558c29ec9 100644 --- a/services/appmesh/pom.xml +++ b/services/appmesh/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 appmesh AWS Java SDK :: Services :: App Mesh diff --git a/services/apprunner/pom.xml b/services/apprunner/pom.xml index d100b161377b..0ab07bfffc9b 100644 --- a/services/apprunner/pom.xml +++ b/services/apprunner/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 apprunner AWS Java SDK :: Services :: App Runner diff --git a/services/appstream/pom.xml b/services/appstream/pom.xml index b2faa235503e..528336404d1c 100644 --- a/services/appstream/pom.xml +++ b/services/appstream/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 appstream AWS Java SDK :: Services :: Amazon AppStream diff --git a/services/appsync/pom.xml b/services/appsync/pom.xml index d38259d255cd..8532732d3841 100644 --- a/services/appsync/pom.xml +++ b/services/appsync/pom.xml @@ -21,7 +21,7 @@ services software.amazon.awssdk - 2.28.0-SNAPSHOT + 2.28.0 appsync diff --git a/services/apptest/pom.xml b/services/apptest/pom.xml index 748108711cd6..093f79f36497 100644 --- a/services/apptest/pom.xml +++ b/services/apptest/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 apptest AWS Java SDK :: Services :: App Test diff --git a/services/arczonalshift/pom.xml b/services/arczonalshift/pom.xml index 336ad081d1e4..b7930e223154 100644 --- a/services/arczonalshift/pom.xml +++ b/services/arczonalshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 arczonalshift AWS Java SDK :: Services :: ARC Zonal Shift diff --git a/services/artifact/pom.xml b/services/artifact/pom.xml index 5f432013a7b2..a4cded12112c 100644 --- a/services/artifact/pom.xml +++ b/services/artifact/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 artifact AWS Java SDK :: Services :: Artifact diff --git a/services/athena/pom.xml b/services/athena/pom.xml index 9aa815def897..77fd96738559 100644 --- a/services/athena/pom.xml +++ b/services/athena/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 athena AWS Java SDK :: Services :: Amazon Athena diff --git a/services/auditmanager/pom.xml b/services/auditmanager/pom.xml index 74d234c16b00..a1199e02c47b 100644 --- a/services/auditmanager/pom.xml +++ b/services/auditmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 auditmanager AWS Java SDK :: Services :: Audit Manager diff --git a/services/autoscaling/pom.xml b/services/autoscaling/pom.xml index 0af05592f3da..48504a59f039 100644 --- a/services/autoscaling/pom.xml +++ b/services/autoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 autoscaling AWS Java SDK :: Services :: Auto Scaling diff --git a/services/autoscalingplans/pom.xml b/services/autoscalingplans/pom.xml index d5f1c69e0d40..550abc9be2a4 100644 --- a/services/autoscalingplans/pom.xml +++ b/services/autoscalingplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 autoscalingplans AWS Java SDK :: Services :: Auto Scaling Plans diff --git a/services/b2bi/pom.xml b/services/b2bi/pom.xml index 803b9656809d..870d128da2c3 100644 --- a/services/b2bi/pom.xml +++ b/services/b2bi/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 b2bi AWS Java SDK :: Services :: B2 Bi diff --git a/services/backup/pom.xml b/services/backup/pom.xml index 17b001522bcc..ef99e0b88ef1 100644 --- a/services/backup/pom.xml +++ b/services/backup/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 backup AWS Java SDK :: Services :: Backup diff --git a/services/backupgateway/pom.xml b/services/backupgateway/pom.xml index 3e902ecb8ddd..0b54ae898fc3 100644 --- a/services/backupgateway/pom.xml +++ b/services/backupgateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 backupgateway AWS Java SDK :: Services :: Backup Gateway diff --git a/services/batch/pom.xml b/services/batch/pom.xml index 6336e9c8ec72..06cace604ddc 100644 --- a/services/batch/pom.xml +++ b/services/batch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 batch AWS Java SDK :: Services :: AWS Batch diff --git a/services/bcmdataexports/pom.xml b/services/bcmdataexports/pom.xml index e446db8c4ef7..483f82db4973 100644 --- a/services/bcmdataexports/pom.xml +++ b/services/bcmdataexports/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 bcmdataexports AWS Java SDK :: Services :: BCM Data Exports diff --git a/services/bedrock/pom.xml b/services/bedrock/pom.xml index eb07dc9314ec..6b903697abbb 100644 --- a/services/bedrock/pom.xml +++ b/services/bedrock/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 bedrock AWS Java SDK :: Services :: Bedrock diff --git a/services/bedrockagent/pom.xml b/services/bedrockagent/pom.xml index b06c6f3b92c6..b379972e3c3b 100644 --- a/services/bedrockagent/pom.xml +++ b/services/bedrockagent/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 bedrockagent AWS Java SDK :: Services :: Bedrock Agent diff --git a/services/bedrockagentruntime/pom.xml b/services/bedrockagentruntime/pom.xml index 2ae5810ab66d..c1a08b89c842 100644 --- a/services/bedrockagentruntime/pom.xml +++ b/services/bedrockagentruntime/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 bedrockagentruntime AWS Java SDK :: Services :: Bedrock Agent Runtime diff --git a/services/bedrockruntime/pom.xml b/services/bedrockruntime/pom.xml index 52519044d181..14536b1755ee 100644 --- a/services/bedrockruntime/pom.xml +++ b/services/bedrockruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 bedrockruntime AWS Java SDK :: Services :: Bedrock Runtime diff --git a/services/billingconductor/pom.xml b/services/billingconductor/pom.xml index 24ce1e0d6a9b..566348c90b5d 100644 --- a/services/billingconductor/pom.xml +++ b/services/billingconductor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 billingconductor AWS Java SDK :: Services :: Billingconductor diff --git a/services/braket/pom.xml b/services/braket/pom.xml index f6f1c658b5e1..a8eea3658027 100644 --- a/services/braket/pom.xml +++ b/services/braket/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 braket AWS Java SDK :: Services :: Braket diff --git a/services/budgets/pom.xml b/services/budgets/pom.xml index 9e8016dac0e8..4d07f47b5070 100644 --- a/services/budgets/pom.xml +++ b/services/budgets/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 budgets AWS Java SDK :: Services :: AWS Budgets diff --git a/services/chatbot/pom.xml b/services/chatbot/pom.xml index 22ba528ce9a0..8efd5e0cb2c8 100644 --- a/services/chatbot/pom.xml +++ b/services/chatbot/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 chatbot AWS Java SDK :: Services :: Chatbot diff --git a/services/chime/pom.xml b/services/chime/pom.xml index 794fe4a35126..672cb124233a 100644 --- a/services/chime/pom.xml +++ b/services/chime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 chime AWS Java SDK :: Services :: Chime diff --git a/services/chimesdkidentity/pom.xml b/services/chimesdkidentity/pom.xml index c0da1e444c8f..cbd81acbe11d 100644 --- a/services/chimesdkidentity/pom.xml +++ b/services/chimesdkidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 chimesdkidentity AWS Java SDK :: Services :: Chime SDK Identity diff --git a/services/chimesdkmediapipelines/pom.xml b/services/chimesdkmediapipelines/pom.xml index 11dd4af20a8f..28dc3bd9e4bb 100644 --- a/services/chimesdkmediapipelines/pom.xml +++ b/services/chimesdkmediapipelines/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 chimesdkmediapipelines AWS Java SDK :: Services :: Chime SDK Media Pipelines diff --git a/services/chimesdkmeetings/pom.xml b/services/chimesdkmeetings/pom.xml index 8187274da241..6e9ba12c324c 100644 --- a/services/chimesdkmeetings/pom.xml +++ b/services/chimesdkmeetings/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 chimesdkmeetings AWS Java SDK :: Services :: Chime SDK Meetings diff --git a/services/chimesdkmessaging/pom.xml b/services/chimesdkmessaging/pom.xml index 93ec9e9466dd..3af258f9a783 100644 --- a/services/chimesdkmessaging/pom.xml +++ b/services/chimesdkmessaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 chimesdkmessaging AWS Java SDK :: Services :: Chime SDK Messaging diff --git a/services/chimesdkvoice/pom.xml b/services/chimesdkvoice/pom.xml index f73b38f80d56..140db9fd9210 100644 --- a/services/chimesdkvoice/pom.xml +++ b/services/chimesdkvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 chimesdkvoice AWS Java SDK :: Services :: Chime SDK Voice diff --git a/services/cleanrooms/pom.xml b/services/cleanrooms/pom.xml index 37dcec2b16b2..6966c4f1c00f 100644 --- a/services/cleanrooms/pom.xml +++ b/services/cleanrooms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 cleanrooms AWS Java SDK :: Services :: Clean Rooms diff --git a/services/cleanroomsml/pom.xml b/services/cleanroomsml/pom.xml index f6607df651bc..cc992349a228 100644 --- a/services/cleanroomsml/pom.xml +++ b/services/cleanroomsml/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 cleanroomsml AWS Java SDK :: Services :: Clean Rooms ML diff --git a/services/cloud9/pom.xml b/services/cloud9/pom.xml index 69b709613311..03d96bbb4a70 100644 --- a/services/cloud9/pom.xml +++ b/services/cloud9/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0-SNAPSHOT + 2.28.0 4.0.0 cloud9 diff --git a/services/cloudcontrol/pom.xml b/services/cloudcontrol/pom.xml index 3b64e296ab8a..1e2904310a59 100644 --- a/services/cloudcontrol/pom.xml +++ b/services/cloudcontrol/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 cloudcontrol AWS Java SDK :: Services :: Cloud Control diff --git a/services/clouddirectory/pom.xml b/services/clouddirectory/pom.xml index c18892c3a021..aa368357191f 100644 --- a/services/clouddirectory/pom.xml +++ b/services/clouddirectory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 clouddirectory AWS Java SDK :: Services :: Amazon CloudDirectory diff --git a/services/cloudformation/pom.xml b/services/cloudformation/pom.xml index e150d604b3fd..58bab04dd16c 100644 --- a/services/cloudformation/pom.xml +++ b/services/cloudformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 cloudformation AWS Java SDK :: Services :: AWS CloudFormation diff --git a/services/cloudfront/pom.xml b/services/cloudfront/pom.xml index 695eb5d4440a..76ba7a6cbaa0 100644 --- a/services/cloudfront/pom.xml +++ b/services/cloudfront/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 cloudfront AWS Java SDK :: Services :: Amazon CloudFront diff --git a/services/cloudfrontkeyvaluestore/pom.xml b/services/cloudfrontkeyvaluestore/pom.xml index 7de33bff5f96..a7724775ed3b 100644 --- a/services/cloudfrontkeyvaluestore/pom.xml +++ b/services/cloudfrontkeyvaluestore/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 cloudfrontkeyvaluestore AWS Java SDK :: Services :: Cloud Front Key Value Store diff --git a/services/cloudhsm/pom.xml b/services/cloudhsm/pom.xml index 7e52b9d4eb4a..42a8110dee28 100644 --- a/services/cloudhsm/pom.xml +++ b/services/cloudhsm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 cloudhsm AWS Java SDK :: Services :: AWS CloudHSM diff --git a/services/cloudhsmv2/pom.xml b/services/cloudhsmv2/pom.xml index 7e8de5626088..9e71b86b1591 100644 --- a/services/cloudhsmv2/pom.xml +++ b/services/cloudhsmv2/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0-SNAPSHOT + 2.28.0 4.0.0 cloudhsmv2 diff --git a/services/cloudsearch/pom.xml b/services/cloudsearch/pom.xml index c8324eb44a27..33411b3e3a11 100644 --- a/services/cloudsearch/pom.xml +++ b/services/cloudsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 cloudsearch AWS Java SDK :: Services :: Amazon CloudSearch diff --git a/services/cloudsearchdomain/pom.xml b/services/cloudsearchdomain/pom.xml index bac13445f96a..4cd8e28be0bf 100644 --- a/services/cloudsearchdomain/pom.xml +++ b/services/cloudsearchdomain/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 cloudsearchdomain AWS Java SDK :: Services :: Amazon CloudSearch Domain diff --git a/services/cloudtrail/pom.xml b/services/cloudtrail/pom.xml index 4a0fb9c7999b..bee278d96085 100644 --- a/services/cloudtrail/pom.xml +++ b/services/cloudtrail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 cloudtrail AWS Java SDK :: Services :: AWS CloudTrail diff --git a/services/cloudtraildata/pom.xml b/services/cloudtraildata/pom.xml index 741a1b4a49b1..2a5f74ae74b3 100644 --- a/services/cloudtraildata/pom.xml +++ b/services/cloudtraildata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 cloudtraildata AWS Java SDK :: Services :: Cloud Trail Data diff --git a/services/cloudwatch/pom.xml b/services/cloudwatch/pom.xml index c307c9c17666..e0d38e80e04c 100644 --- a/services/cloudwatch/pom.xml +++ b/services/cloudwatch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 cloudwatch AWS Java SDK :: Services :: Amazon CloudWatch diff --git a/services/cloudwatchevents/pom.xml b/services/cloudwatchevents/pom.xml index a247c7c9a6f2..7e33cf0b9187 100644 --- a/services/cloudwatchevents/pom.xml +++ b/services/cloudwatchevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 cloudwatchevents AWS Java SDK :: Services :: Amazon CloudWatch Events diff --git a/services/cloudwatchlogs/pom.xml b/services/cloudwatchlogs/pom.xml index b929fa0e522d..4a6adebe4e51 100644 --- a/services/cloudwatchlogs/pom.xml +++ b/services/cloudwatchlogs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 cloudwatchlogs AWS Java SDK :: Services :: Amazon CloudWatch Logs diff --git a/services/codeartifact/pom.xml b/services/codeartifact/pom.xml index e5e1022d7cbf..9a427d43c8c6 100644 --- a/services/codeartifact/pom.xml +++ b/services/codeartifact/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 codeartifact AWS Java SDK :: Services :: Codeartifact diff --git a/services/codebuild/pom.xml b/services/codebuild/pom.xml index f93016f8d91a..772e863a831e 100644 --- a/services/codebuild/pom.xml +++ b/services/codebuild/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 codebuild AWS Java SDK :: Services :: AWS Code Build diff --git a/services/codecatalyst/pom.xml b/services/codecatalyst/pom.xml index 78174abe91f4..a0d09732b6ae 100644 --- a/services/codecatalyst/pom.xml +++ b/services/codecatalyst/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 codecatalyst AWS Java SDK :: Services :: Code Catalyst diff --git a/services/codecommit/pom.xml b/services/codecommit/pom.xml index 32b6e926541f..c2ea99a86fd7 100644 --- a/services/codecommit/pom.xml +++ b/services/codecommit/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 codecommit AWS Java SDK :: Services :: AWS CodeCommit diff --git a/services/codeconnections/pom.xml b/services/codeconnections/pom.xml index 3affae316a99..e815c6db8afc 100644 --- a/services/codeconnections/pom.xml +++ b/services/codeconnections/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 codeconnections AWS Java SDK :: Services :: Code Connections diff --git a/services/codedeploy/pom.xml b/services/codedeploy/pom.xml index 33753e5abca3..a52b8e0f3a70 100644 --- a/services/codedeploy/pom.xml +++ b/services/codedeploy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 codedeploy AWS Java SDK :: Services :: AWS CodeDeploy diff --git a/services/codeguruprofiler/pom.xml b/services/codeguruprofiler/pom.xml index 627d534d998e..c15870219069 100644 --- a/services/codeguruprofiler/pom.xml +++ b/services/codeguruprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 codeguruprofiler AWS Java SDK :: Services :: CodeGuruProfiler diff --git a/services/codegurureviewer/pom.xml b/services/codegurureviewer/pom.xml index 6d73b797fc26..e29ffaf50778 100644 --- a/services/codegurureviewer/pom.xml +++ b/services/codegurureviewer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 codegurureviewer AWS Java SDK :: Services :: CodeGuru Reviewer diff --git a/services/codegurusecurity/pom.xml b/services/codegurusecurity/pom.xml index f2ecd41f7845..9ec9b8e1aa77 100644 --- a/services/codegurusecurity/pom.xml +++ b/services/codegurusecurity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 codegurusecurity AWS Java SDK :: Services :: Code Guru Security diff --git a/services/codepipeline/pom.xml b/services/codepipeline/pom.xml index 2c0f4925ac22..c02c62d11c88 100644 --- a/services/codepipeline/pom.xml +++ b/services/codepipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 codepipeline AWS Java SDK :: Services :: AWS CodePipeline diff --git a/services/codestarconnections/pom.xml b/services/codestarconnections/pom.xml index 724c50043625..ca3b93b5f06d 100644 --- a/services/codestarconnections/pom.xml +++ b/services/codestarconnections/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 codestarconnections AWS Java SDK :: Services :: CodeStar connections diff --git a/services/codestarnotifications/pom.xml b/services/codestarnotifications/pom.xml index 79965e7dccce..214d8d982824 100644 --- a/services/codestarnotifications/pom.xml +++ b/services/codestarnotifications/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 codestarnotifications AWS Java SDK :: Services :: Codestar Notifications diff --git a/services/cognitoidentity/pom.xml b/services/cognitoidentity/pom.xml index d269492b0765..bc498e518c3a 100644 --- a/services/cognitoidentity/pom.xml +++ b/services/cognitoidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 cognitoidentity AWS Java SDK :: Services :: Amazon Cognito Identity diff --git a/services/cognitoidentityprovider/pom.xml b/services/cognitoidentityprovider/pom.xml index a4898988bec2..eaa4acbbb252 100644 --- a/services/cognitoidentityprovider/pom.xml +++ b/services/cognitoidentityprovider/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 cognitoidentityprovider AWS Java SDK :: Services :: Amazon Cognito Identity Provider Service diff --git a/services/cognitosync/pom.xml b/services/cognitosync/pom.xml index eaf62db6839f..02b23321b251 100644 --- a/services/cognitosync/pom.xml +++ b/services/cognitosync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 cognitosync AWS Java SDK :: Services :: Amazon Cognito Sync diff --git a/services/comprehend/pom.xml b/services/comprehend/pom.xml index be004ece50cd..6175afbd61f5 100644 --- a/services/comprehend/pom.xml +++ b/services/comprehend/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0-SNAPSHOT + 2.28.0 4.0.0 comprehend diff --git a/services/comprehendmedical/pom.xml b/services/comprehendmedical/pom.xml index 2c32e3d26e31..d9ddab4adfd9 100644 --- a/services/comprehendmedical/pom.xml +++ b/services/comprehendmedical/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 comprehendmedical AWS Java SDK :: Services :: ComprehendMedical diff --git a/services/computeoptimizer/pom.xml b/services/computeoptimizer/pom.xml index 3b2b237713e5..a974e5d3ec2d 100644 --- a/services/computeoptimizer/pom.xml +++ b/services/computeoptimizer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 computeoptimizer AWS Java SDK :: Services :: Compute Optimizer diff --git a/services/config/pom.xml b/services/config/pom.xml index 830b59bcf05b..f2645319880e 100644 --- a/services/config/pom.xml +++ b/services/config/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 config AWS Java SDK :: Services :: AWS Config diff --git a/services/connect/pom.xml b/services/connect/pom.xml index 5b3e25a5c4d2..d6e492ac0917 100644 --- a/services/connect/pom.xml +++ b/services/connect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 connect AWS Java SDK :: Services :: Connect diff --git a/services/connectcampaigns/pom.xml b/services/connectcampaigns/pom.xml index 79b5509cebba..54a39a9658a8 100644 --- a/services/connectcampaigns/pom.xml +++ b/services/connectcampaigns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 connectcampaigns AWS Java SDK :: Services :: Connect Campaigns diff --git a/services/connectcases/pom.xml b/services/connectcases/pom.xml index d40b6b111890..4ac1c0bf5765 100644 --- a/services/connectcases/pom.xml +++ b/services/connectcases/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 connectcases AWS Java SDK :: Services :: Connect Cases diff --git a/services/connectcontactlens/pom.xml b/services/connectcontactlens/pom.xml index 5cf58e41d386..b22de7214209 100644 --- a/services/connectcontactlens/pom.xml +++ b/services/connectcontactlens/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 connectcontactlens AWS Java SDK :: Services :: Connect Contact Lens diff --git a/services/connectparticipant/pom.xml b/services/connectparticipant/pom.xml index 293405abb0b2..9e18ca6085de 100644 --- a/services/connectparticipant/pom.xml +++ b/services/connectparticipant/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 connectparticipant AWS Java SDK :: Services :: ConnectParticipant diff --git a/services/controlcatalog/pom.xml b/services/controlcatalog/pom.xml index 25e2ea1ffbbe..62b622f127d2 100644 --- a/services/controlcatalog/pom.xml +++ b/services/controlcatalog/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 controlcatalog AWS Java SDK :: Services :: Control Catalog diff --git a/services/controltower/pom.xml b/services/controltower/pom.xml index ab01650b081f..8cd868156801 100644 --- a/services/controltower/pom.xml +++ b/services/controltower/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 controltower AWS Java SDK :: Services :: Control Tower diff --git a/services/costandusagereport/pom.xml b/services/costandusagereport/pom.xml index 38b39b19ba92..3deea902e386 100644 --- a/services/costandusagereport/pom.xml +++ b/services/costandusagereport/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 costandusagereport AWS Java SDK :: Services :: AWS Cost and Usage Report diff --git a/services/costexplorer/pom.xml b/services/costexplorer/pom.xml index 014119df8c1b..7abe41d18d64 100644 --- a/services/costexplorer/pom.xml +++ b/services/costexplorer/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0-SNAPSHOT + 2.28.0 4.0.0 costexplorer diff --git a/services/costoptimizationhub/pom.xml b/services/costoptimizationhub/pom.xml index bca4f847c46e..eee8de6099c9 100644 --- a/services/costoptimizationhub/pom.xml +++ b/services/costoptimizationhub/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 costoptimizationhub AWS Java SDK :: Services :: Cost Optimization Hub diff --git a/services/customerprofiles/pom.xml b/services/customerprofiles/pom.xml index 10a0cc00631c..97274982d009 100644 --- a/services/customerprofiles/pom.xml +++ b/services/customerprofiles/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 customerprofiles AWS Java SDK :: Services :: Customer Profiles diff --git a/services/databasemigration/pom.xml b/services/databasemigration/pom.xml index 507ea8f1515e..4ff7f10167fc 100644 --- a/services/databasemigration/pom.xml +++ b/services/databasemigration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 databasemigration AWS Java SDK :: Services :: AWS Database Migration Service diff --git a/services/databrew/pom.xml b/services/databrew/pom.xml index 26e42383fe08..5fbc19154489 100644 --- a/services/databrew/pom.xml +++ b/services/databrew/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 databrew AWS Java SDK :: Services :: Data Brew diff --git a/services/dataexchange/pom.xml b/services/dataexchange/pom.xml index 524a2d851b16..35cea38b71ad 100644 --- a/services/dataexchange/pom.xml +++ b/services/dataexchange/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 dataexchange AWS Java SDK :: Services :: DataExchange diff --git a/services/datapipeline/pom.xml b/services/datapipeline/pom.xml index c3e3d53b9933..ecf6dbadb315 100644 --- a/services/datapipeline/pom.xml +++ b/services/datapipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 datapipeline AWS Java SDK :: Services :: AWS Data Pipeline diff --git a/services/datasync/pom.xml b/services/datasync/pom.xml index 1d455a8eac75..1caa82115486 100644 --- a/services/datasync/pom.xml +++ b/services/datasync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 datasync AWS Java SDK :: Services :: DataSync diff --git a/services/datazone/pom.xml b/services/datazone/pom.xml index 1cc5e08fa2fa..586e92631e41 100644 --- a/services/datazone/pom.xml +++ b/services/datazone/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 datazone AWS Java SDK :: Services :: Data Zone diff --git a/services/dax/pom.xml b/services/dax/pom.xml index 1281294d9139..7a4f22261232 100644 --- a/services/dax/pom.xml +++ b/services/dax/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 dax AWS Java SDK :: Services :: Amazon DynamoDB Accelerator (DAX) diff --git a/services/deadline/pom.xml b/services/deadline/pom.xml index 64fa778c4471..e7e03ef068f6 100644 --- a/services/deadline/pom.xml +++ b/services/deadline/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 deadline AWS Java SDK :: Services :: Deadline diff --git a/services/detective/pom.xml b/services/detective/pom.xml index 9ed824f250a5..87500fccc64a 100644 --- a/services/detective/pom.xml +++ b/services/detective/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 detective AWS Java SDK :: Services :: Detective diff --git a/services/devicefarm/pom.xml b/services/devicefarm/pom.xml index 62a12a028164..005051978a44 100644 --- a/services/devicefarm/pom.xml +++ b/services/devicefarm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 devicefarm AWS Java SDK :: Services :: AWS Device Farm diff --git a/services/devopsguru/pom.xml b/services/devopsguru/pom.xml index 684d57ca5b57..0941f0295a62 100644 --- a/services/devopsguru/pom.xml +++ b/services/devopsguru/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 devopsguru AWS Java SDK :: Services :: Dev Ops Guru diff --git a/services/directconnect/pom.xml b/services/directconnect/pom.xml index dd3c0afdf75c..abd5adfd31a1 100644 --- a/services/directconnect/pom.xml +++ b/services/directconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 directconnect AWS Java SDK :: Services :: AWS Direct Connect diff --git a/services/directory/pom.xml b/services/directory/pom.xml index 654d20cb8a1b..9216a3bbee73 100644 --- a/services/directory/pom.xml +++ b/services/directory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 directory AWS Java SDK :: Services :: AWS Directory Service diff --git a/services/dlm/pom.xml b/services/dlm/pom.xml index b016d2010c9e..353ba7dbab26 100644 --- a/services/dlm/pom.xml +++ b/services/dlm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 dlm AWS Java SDK :: Services :: DLM diff --git a/services/docdb/pom.xml b/services/docdb/pom.xml index 9f787b84054b..b19de4f8a106 100644 --- a/services/docdb/pom.xml +++ b/services/docdb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 docdb AWS Java SDK :: Services :: DocDB diff --git a/services/docdbelastic/pom.xml b/services/docdbelastic/pom.xml index d74ded9f9228..36199b23e3fa 100644 --- a/services/docdbelastic/pom.xml +++ b/services/docdbelastic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 docdbelastic AWS Java SDK :: Services :: Doc DB Elastic diff --git a/services/drs/pom.xml b/services/drs/pom.xml index 7ff5d0f5ddd2..63b539794ba1 100644 --- a/services/drs/pom.xml +++ b/services/drs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 drs AWS Java SDK :: Services :: Drs diff --git a/services/dynamodb/pom.xml b/services/dynamodb/pom.xml index 75c0279aa7df..018dd13bc3ec 100644 --- a/services/dynamodb/pom.xml +++ b/services/dynamodb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 dynamodb AWS Java SDK :: Services :: Amazon DynamoDB diff --git a/services/ebs/pom.xml b/services/ebs/pom.xml index 804624122452..549271267de0 100644 --- a/services/ebs/pom.xml +++ b/services/ebs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 ebs AWS Java SDK :: Services :: EBS diff --git a/services/ec2/pom.xml b/services/ec2/pom.xml index 3e0d89d9cd88..07b30f6d8611 100644 --- a/services/ec2/pom.xml +++ b/services/ec2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 ec2 AWS Java SDK :: Services :: Amazon EC2 diff --git a/services/ec2instanceconnect/pom.xml b/services/ec2instanceconnect/pom.xml index af8aad5dbd73..bca5da61c9b7 100644 --- a/services/ec2instanceconnect/pom.xml +++ b/services/ec2instanceconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 ec2instanceconnect AWS Java SDK :: Services :: EC2 Instance Connect diff --git a/services/ecr/pom.xml b/services/ecr/pom.xml index b1f39b4b7a37..61713ded42d6 100644 --- a/services/ecr/pom.xml +++ b/services/ecr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 ecr AWS Java SDK :: Services :: Amazon EC2 Container Registry diff --git a/services/ecrpublic/pom.xml b/services/ecrpublic/pom.xml index 83bf80fa2d17..dffbf2618266 100644 --- a/services/ecrpublic/pom.xml +++ b/services/ecrpublic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 ecrpublic AWS Java SDK :: Services :: ECR PUBLIC diff --git a/services/ecs/pom.xml b/services/ecs/pom.xml index 0fd135074cc6..3be4cf0007c1 100644 --- a/services/ecs/pom.xml +++ b/services/ecs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 ecs AWS Java SDK :: Services :: Amazon EC2 Container Service diff --git a/services/efs/pom.xml b/services/efs/pom.xml index 54c2207bb05a..e25be4a62de4 100644 --- a/services/efs/pom.xml +++ b/services/efs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 efs AWS Java SDK :: Services :: Amazon Elastic File System diff --git a/services/eks/pom.xml b/services/eks/pom.xml index 64a19763397d..a3a79285c116 100644 --- a/services/eks/pom.xml +++ b/services/eks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 eks AWS Java SDK :: Services :: EKS diff --git a/services/eksauth/pom.xml b/services/eksauth/pom.xml index e068b162c5bf..e63734d06c6e 100644 --- a/services/eksauth/pom.xml +++ b/services/eksauth/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 eksauth AWS Java SDK :: Services :: EKS Auth diff --git a/services/elasticache/pom.xml b/services/elasticache/pom.xml index 0452347ae175..33de3ef64a9d 100644 --- a/services/elasticache/pom.xml +++ b/services/elasticache/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 elasticache AWS Java SDK :: Services :: Amazon ElastiCache diff --git a/services/elasticbeanstalk/pom.xml b/services/elasticbeanstalk/pom.xml index 50ce4f773fb4..bec4e29fc290 100644 --- a/services/elasticbeanstalk/pom.xml +++ b/services/elasticbeanstalk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 elasticbeanstalk AWS Java SDK :: Services :: AWS Elastic Beanstalk diff --git a/services/elasticinference/pom.xml b/services/elasticinference/pom.xml index d18bbddd8a94..1ee178597989 100644 --- a/services/elasticinference/pom.xml +++ b/services/elasticinference/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 elasticinference AWS Java SDK :: Services :: Elastic Inference diff --git a/services/elasticloadbalancing/pom.xml b/services/elasticloadbalancing/pom.xml index c433d3a3ad7f..848ff7e355f6 100644 --- a/services/elasticloadbalancing/pom.xml +++ b/services/elasticloadbalancing/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 elasticloadbalancing AWS Java SDK :: Services :: Elastic Load Balancing diff --git a/services/elasticloadbalancingv2/pom.xml b/services/elasticloadbalancingv2/pom.xml index 87f7d0123fc0..510f12e2cdbf 100644 --- a/services/elasticloadbalancingv2/pom.xml +++ b/services/elasticloadbalancingv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 elasticloadbalancingv2 AWS Java SDK :: Services :: Elastic Load Balancing V2 diff --git a/services/elasticsearch/pom.xml b/services/elasticsearch/pom.xml index 0fba3bd49c74..4eb6a474ed5b 100644 --- a/services/elasticsearch/pom.xml +++ b/services/elasticsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 elasticsearch AWS Java SDK :: Services :: Amazon Elasticsearch Service diff --git a/services/elastictranscoder/pom.xml b/services/elastictranscoder/pom.xml index ac029c515bb4..ddf49ba0dc97 100644 --- a/services/elastictranscoder/pom.xml +++ b/services/elastictranscoder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 elastictranscoder AWS Java SDK :: Services :: Amazon Elastic Transcoder diff --git a/services/emr/pom.xml b/services/emr/pom.xml index c76b6d44bd7b..0d8f75cf8b94 100644 --- a/services/emr/pom.xml +++ b/services/emr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 emr AWS Java SDK :: Services :: Amazon EMR diff --git a/services/emrcontainers/pom.xml b/services/emrcontainers/pom.xml index 2bdd351f1bb8..15426b838e9c 100644 --- a/services/emrcontainers/pom.xml +++ b/services/emrcontainers/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 emrcontainers AWS Java SDK :: Services :: EMR Containers diff --git a/services/emrserverless/pom.xml b/services/emrserverless/pom.xml index 2af68baada59..be463435f4e0 100644 --- a/services/emrserverless/pom.xml +++ b/services/emrserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 emrserverless AWS Java SDK :: Services :: EMR Serverless diff --git a/services/entityresolution/pom.xml b/services/entityresolution/pom.xml index 6565c7e7514c..74c5a0db2748 100644 --- a/services/entityresolution/pom.xml +++ b/services/entityresolution/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 entityresolution AWS Java SDK :: Services :: Entity Resolution diff --git a/services/eventbridge/pom.xml b/services/eventbridge/pom.xml index 2d7a1b6b3694..961accd36ca9 100644 --- a/services/eventbridge/pom.xml +++ b/services/eventbridge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 eventbridge AWS Java SDK :: Services :: EventBridge diff --git a/services/evidently/pom.xml b/services/evidently/pom.xml index 369d1def1644..60565075b2cd 100644 --- a/services/evidently/pom.xml +++ b/services/evidently/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 evidently AWS Java SDK :: Services :: Evidently diff --git a/services/finspace/pom.xml b/services/finspace/pom.xml index 1a7cce5705b5..2fcd6d26e381 100644 --- a/services/finspace/pom.xml +++ b/services/finspace/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 finspace AWS Java SDK :: Services :: Finspace diff --git a/services/finspacedata/pom.xml b/services/finspacedata/pom.xml index a9cffb7974a0..95649d049f93 100644 --- a/services/finspacedata/pom.xml +++ b/services/finspacedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 finspacedata AWS Java SDK :: Services :: Finspace Data diff --git a/services/firehose/pom.xml b/services/firehose/pom.xml index db427c61d312..4e22696afe24 100644 --- a/services/firehose/pom.xml +++ b/services/firehose/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 firehose AWS Java SDK :: Services :: Amazon Kinesis Firehose diff --git a/services/fis/pom.xml b/services/fis/pom.xml index cb7b903d2ffd..97bdbe63fde0 100644 --- a/services/fis/pom.xml +++ b/services/fis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 fis AWS Java SDK :: Services :: Fis diff --git a/services/fms/pom.xml b/services/fms/pom.xml index 2532092429c6..4862fde08c6d 100644 --- a/services/fms/pom.xml +++ b/services/fms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 fms AWS Java SDK :: Services :: FMS diff --git a/services/forecast/pom.xml b/services/forecast/pom.xml index 2d63939975be..cc473bc8defa 100644 --- a/services/forecast/pom.xml +++ b/services/forecast/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 forecast AWS Java SDK :: Services :: Forecast diff --git a/services/forecastquery/pom.xml b/services/forecastquery/pom.xml index 03d76ed34c78..f682fa1e91cf 100644 --- a/services/forecastquery/pom.xml +++ b/services/forecastquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 forecastquery AWS Java SDK :: Services :: Forecastquery diff --git a/services/frauddetector/pom.xml b/services/frauddetector/pom.xml index 2703d8b5829c..8eaf5f50a891 100644 --- a/services/frauddetector/pom.xml +++ b/services/frauddetector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 frauddetector AWS Java SDK :: Services :: FraudDetector diff --git a/services/freetier/pom.xml b/services/freetier/pom.xml index a25a765a17b0..e0d175b93bda 100644 --- a/services/freetier/pom.xml +++ b/services/freetier/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 freetier AWS Java SDK :: Services :: Free Tier diff --git a/services/fsx/pom.xml b/services/fsx/pom.xml index 98ee5737efe2..e778ea388a38 100644 --- a/services/fsx/pom.xml +++ b/services/fsx/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 fsx AWS Java SDK :: Services :: FSx diff --git a/services/gamelift/pom.xml b/services/gamelift/pom.xml index 8167671c8c1c..b647078c63c9 100644 --- a/services/gamelift/pom.xml +++ b/services/gamelift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 gamelift AWS Java SDK :: Services :: AWS GameLift diff --git a/services/glacier/pom.xml b/services/glacier/pom.xml index 95e6627f1057..e04c2383e2b6 100644 --- a/services/glacier/pom.xml +++ b/services/glacier/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 glacier AWS Java SDK :: Services :: Amazon Glacier diff --git a/services/globalaccelerator/pom.xml b/services/globalaccelerator/pom.xml index 62b1c7c9b0ba..1dfaedba3d9a 100644 --- a/services/globalaccelerator/pom.xml +++ b/services/globalaccelerator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 globalaccelerator AWS Java SDK :: Services :: Global Accelerator diff --git a/services/glue/pom.xml b/services/glue/pom.xml index 663910e50a04..ec3476b775cb 100644 --- a/services/glue/pom.xml +++ b/services/glue/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0-SNAPSHOT + 2.28.0 4.0.0 glue diff --git a/services/grafana/pom.xml b/services/grafana/pom.xml index 392a5fe039ae..4c24a83235ed 100644 --- a/services/grafana/pom.xml +++ b/services/grafana/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 grafana AWS Java SDK :: Services :: Grafana diff --git a/services/greengrass/pom.xml b/services/greengrass/pom.xml index 57923493d370..593fb7f2173f 100644 --- a/services/greengrass/pom.xml +++ b/services/greengrass/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 greengrass AWS Java SDK :: Services :: AWS Greengrass diff --git a/services/greengrassv2/pom.xml b/services/greengrassv2/pom.xml index 03f6029b90ca..257952b00828 100644 --- a/services/greengrassv2/pom.xml +++ b/services/greengrassv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 greengrassv2 AWS Java SDK :: Services :: Greengrass V2 diff --git a/services/groundstation/pom.xml b/services/groundstation/pom.xml index 33f71e2abd93..242cd924ad11 100644 --- a/services/groundstation/pom.xml +++ b/services/groundstation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 groundstation AWS Java SDK :: Services :: GroundStation diff --git a/services/guardduty/pom.xml b/services/guardduty/pom.xml index a213c2741558..cabf67d8b06a 100644 --- a/services/guardduty/pom.xml +++ b/services/guardduty/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0-SNAPSHOT + 2.28.0 4.0.0 guardduty diff --git a/services/health/pom.xml b/services/health/pom.xml index 4336a63f139e..8090673d0329 100644 --- a/services/health/pom.xml +++ b/services/health/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 health AWS Java SDK :: Services :: AWS Health APIs and Notifications diff --git a/services/healthlake/pom.xml b/services/healthlake/pom.xml index 2480bcf3d356..89c159c2f4e6 100644 --- a/services/healthlake/pom.xml +++ b/services/healthlake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 healthlake AWS Java SDK :: Services :: Health Lake diff --git a/services/iam/pom.xml b/services/iam/pom.xml index 480bcc0dd5fd..280ef99c72a7 100644 --- a/services/iam/pom.xml +++ b/services/iam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 iam AWS Java SDK :: Services :: AWS IAM diff --git a/services/identitystore/pom.xml b/services/identitystore/pom.xml index 70fe0c92749e..5472a5a9495f 100644 --- a/services/identitystore/pom.xml +++ b/services/identitystore/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 identitystore AWS Java SDK :: Services :: Identitystore diff --git a/services/imagebuilder/pom.xml b/services/imagebuilder/pom.xml index e6b993f2013f..f6803e471c2d 100644 --- a/services/imagebuilder/pom.xml +++ b/services/imagebuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 imagebuilder AWS Java SDK :: Services :: Imagebuilder diff --git a/services/inspector/pom.xml b/services/inspector/pom.xml index 2aeeb8ca5a96..4a47737e1c90 100644 --- a/services/inspector/pom.xml +++ b/services/inspector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 inspector AWS Java SDK :: Services :: Amazon Inspector Service diff --git a/services/inspector2/pom.xml b/services/inspector2/pom.xml index 2848aa31da74..9031d07ca14e 100644 --- a/services/inspector2/pom.xml +++ b/services/inspector2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 inspector2 AWS Java SDK :: Services :: Inspector2 diff --git a/services/inspectorscan/pom.xml b/services/inspectorscan/pom.xml index ff457568758d..be0bd2a5cf92 100644 --- a/services/inspectorscan/pom.xml +++ b/services/inspectorscan/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 inspectorscan AWS Java SDK :: Services :: Inspector Scan diff --git a/services/internetmonitor/pom.xml b/services/internetmonitor/pom.xml index 488ef878dba1..05c3c907dffa 100644 --- a/services/internetmonitor/pom.xml +++ b/services/internetmonitor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 internetmonitor AWS Java SDK :: Services :: Internet Monitor diff --git a/services/iot/pom.xml b/services/iot/pom.xml index df27ee30fdbd..ed63a625461c 100644 --- a/services/iot/pom.xml +++ b/services/iot/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 iot AWS Java SDK :: Services :: AWS IoT diff --git a/services/iot1clickdevices/pom.xml b/services/iot1clickdevices/pom.xml index b5966489981f..000d9a2f5a24 100644 --- a/services/iot1clickdevices/pom.xml +++ b/services/iot1clickdevices/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 iot1clickdevices AWS Java SDK :: Services :: IoT 1Click Devices Service diff --git a/services/iot1clickprojects/pom.xml b/services/iot1clickprojects/pom.xml index e92a9ce25f22..27ed7b88b9ac 100644 --- a/services/iot1clickprojects/pom.xml +++ b/services/iot1clickprojects/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 iot1clickprojects AWS Java SDK :: Services :: IoT 1Click Projects diff --git a/services/iotanalytics/pom.xml b/services/iotanalytics/pom.xml index 68b7177dcce3..d97e8556330b 100644 --- a/services/iotanalytics/pom.xml +++ b/services/iotanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 iotanalytics AWS Java SDK :: Services :: IoTAnalytics diff --git a/services/iotdataplane/pom.xml b/services/iotdataplane/pom.xml index c45d7d40f423..e2d05fad87c2 100644 --- a/services/iotdataplane/pom.xml +++ b/services/iotdataplane/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 iotdataplane AWS Java SDK :: Services :: AWS IoT Data Plane diff --git a/services/iotdeviceadvisor/pom.xml b/services/iotdeviceadvisor/pom.xml index ca2675533213..c8fe717b153c 100644 --- a/services/iotdeviceadvisor/pom.xml +++ b/services/iotdeviceadvisor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 iotdeviceadvisor AWS Java SDK :: Services :: Iot Device Advisor diff --git a/services/iotevents/pom.xml b/services/iotevents/pom.xml index fb93ec10ff59..072ba43e3b10 100644 --- a/services/iotevents/pom.xml +++ b/services/iotevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 iotevents AWS Java SDK :: Services :: IoT Events diff --git a/services/ioteventsdata/pom.xml b/services/ioteventsdata/pom.xml index 37b939019865..0efd23c46a82 100644 --- a/services/ioteventsdata/pom.xml +++ b/services/ioteventsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 ioteventsdata AWS Java SDK :: Services :: IoT Events Data diff --git a/services/iotfleethub/pom.xml b/services/iotfleethub/pom.xml index 7cb79f9453c9..203ec94d9841 100644 --- a/services/iotfleethub/pom.xml +++ b/services/iotfleethub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 iotfleethub AWS Java SDK :: Services :: Io T Fleet Hub diff --git a/services/iotfleetwise/pom.xml b/services/iotfleetwise/pom.xml index dc7245b05978..8ee4cbee835a 100644 --- a/services/iotfleetwise/pom.xml +++ b/services/iotfleetwise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 iotfleetwise AWS Java SDK :: Services :: Io T Fleet Wise diff --git a/services/iotjobsdataplane/pom.xml b/services/iotjobsdataplane/pom.xml index 79a72491bce3..beb34cae5ba5 100644 --- a/services/iotjobsdataplane/pom.xml +++ b/services/iotjobsdataplane/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 iotjobsdataplane AWS Java SDK :: Services :: IoT Jobs Data Plane diff --git a/services/iotsecuretunneling/pom.xml b/services/iotsecuretunneling/pom.xml index 6b708cdc46dc..1b056d01a7d6 100644 --- a/services/iotsecuretunneling/pom.xml +++ b/services/iotsecuretunneling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 iotsecuretunneling AWS Java SDK :: Services :: IoTSecureTunneling diff --git a/services/iotsitewise/pom.xml b/services/iotsitewise/pom.xml index 6b69fe2ed46d..4d7ba7a6d2dc 100644 --- a/services/iotsitewise/pom.xml +++ b/services/iotsitewise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 iotsitewise AWS Java SDK :: Services :: Io T Site Wise diff --git a/services/iotthingsgraph/pom.xml b/services/iotthingsgraph/pom.xml index 90243a38b0b1..266a661f504a 100644 --- a/services/iotthingsgraph/pom.xml +++ b/services/iotthingsgraph/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 iotthingsgraph AWS Java SDK :: Services :: IoTThingsGraph diff --git a/services/iottwinmaker/pom.xml b/services/iottwinmaker/pom.xml index 9e9f868d8cf5..591102236bf9 100644 --- a/services/iottwinmaker/pom.xml +++ b/services/iottwinmaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 iottwinmaker AWS Java SDK :: Services :: Io T Twin Maker diff --git a/services/iotwireless/pom.xml b/services/iotwireless/pom.xml index 2899dcf54e44..b89833c2217e 100644 --- a/services/iotwireless/pom.xml +++ b/services/iotwireless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 iotwireless AWS Java SDK :: Services :: IoT Wireless diff --git a/services/ivs/pom.xml b/services/ivs/pom.xml index addf6c35a5f5..99a3b4be5773 100644 --- a/services/ivs/pom.xml +++ b/services/ivs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 ivs AWS Java SDK :: Services :: Ivs diff --git a/services/ivschat/pom.xml b/services/ivschat/pom.xml index 4f50ab378978..97ad76104c81 100644 --- a/services/ivschat/pom.xml +++ b/services/ivschat/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 ivschat AWS Java SDK :: Services :: Ivschat diff --git a/services/ivsrealtime/pom.xml b/services/ivsrealtime/pom.xml index b7e96955f175..caf025951515 100644 --- a/services/ivsrealtime/pom.xml +++ b/services/ivsrealtime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 ivsrealtime AWS Java SDK :: Services :: IVS Real Time diff --git a/services/kafka/pom.xml b/services/kafka/pom.xml index 9a30a5980947..7acdc6dc2867 100644 --- a/services/kafka/pom.xml +++ b/services/kafka/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 kafka AWS Java SDK :: Services :: Kafka diff --git a/services/kafkaconnect/pom.xml b/services/kafkaconnect/pom.xml index 89a0a9155c52..412270a7d393 100644 --- a/services/kafkaconnect/pom.xml +++ b/services/kafkaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 kafkaconnect AWS Java SDK :: Services :: Kafka Connect diff --git a/services/kendra/pom.xml b/services/kendra/pom.xml index 52d701cb86ab..a6010afcdc3a 100644 --- a/services/kendra/pom.xml +++ b/services/kendra/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 kendra AWS Java SDK :: Services :: Kendra diff --git a/services/kendraranking/pom.xml b/services/kendraranking/pom.xml index 64a1c97de00f..3b7ef246b204 100644 --- a/services/kendraranking/pom.xml +++ b/services/kendraranking/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 kendraranking AWS Java SDK :: Services :: Kendra Ranking diff --git a/services/keyspaces/pom.xml b/services/keyspaces/pom.xml index a00c7ec04ab3..35a300a47f83 100644 --- a/services/keyspaces/pom.xml +++ b/services/keyspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 keyspaces AWS Java SDK :: Services :: Keyspaces diff --git a/services/kinesis/pom.xml b/services/kinesis/pom.xml index a3f89f990438..bb2767cf486a 100644 --- a/services/kinesis/pom.xml +++ b/services/kinesis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 kinesis AWS Java SDK :: Services :: Amazon Kinesis diff --git a/services/kinesisanalytics/pom.xml b/services/kinesisanalytics/pom.xml index 838c8e7f3ef8..d09ad5d8baf1 100644 --- a/services/kinesisanalytics/pom.xml +++ b/services/kinesisanalytics/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 kinesisanalytics AWS Java SDK :: Services :: Amazon Kinesis Analytics diff --git a/services/kinesisanalyticsv2/pom.xml b/services/kinesisanalyticsv2/pom.xml index 6da04dc3fd21..3afc06ac8e07 100644 --- a/services/kinesisanalyticsv2/pom.xml +++ b/services/kinesisanalyticsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 kinesisanalyticsv2 AWS Java SDK :: Services :: Kinesis Analytics V2 diff --git a/services/kinesisvideo/pom.xml b/services/kinesisvideo/pom.xml index 31696d6e43e0..10b904989ca3 100644 --- a/services/kinesisvideo/pom.xml +++ b/services/kinesisvideo/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0-SNAPSHOT + 2.28.0 4.0.0 kinesisvideo diff --git a/services/kinesisvideoarchivedmedia/pom.xml b/services/kinesisvideoarchivedmedia/pom.xml index 072c66dcbe0d..2cecd0917432 100644 --- a/services/kinesisvideoarchivedmedia/pom.xml +++ b/services/kinesisvideoarchivedmedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 kinesisvideoarchivedmedia AWS Java SDK :: Services :: Kinesis Video Archived Media diff --git a/services/kinesisvideomedia/pom.xml b/services/kinesisvideomedia/pom.xml index a26aff106d17..504e1b16fb8d 100644 --- a/services/kinesisvideomedia/pom.xml +++ b/services/kinesisvideomedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 kinesisvideomedia AWS Java SDK :: Services :: Kinesis Video Media diff --git a/services/kinesisvideosignaling/pom.xml b/services/kinesisvideosignaling/pom.xml index 41a1f08ed6b4..a965e57f5930 100644 --- a/services/kinesisvideosignaling/pom.xml +++ b/services/kinesisvideosignaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 kinesisvideosignaling AWS Java SDK :: Services :: Kinesis Video Signaling diff --git a/services/kinesisvideowebrtcstorage/pom.xml b/services/kinesisvideowebrtcstorage/pom.xml index 61e06fb00c9a..30ec11d282d2 100644 --- a/services/kinesisvideowebrtcstorage/pom.xml +++ b/services/kinesisvideowebrtcstorage/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 kinesisvideowebrtcstorage AWS Java SDK :: Services :: Kinesis Video Web RTC Storage diff --git a/services/kms/pom.xml b/services/kms/pom.xml index 75e29138f140..333ec18c223b 100644 --- a/services/kms/pom.xml +++ b/services/kms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 kms AWS Java SDK :: Services :: AWS KMS diff --git a/services/lakeformation/pom.xml b/services/lakeformation/pom.xml index 4dadfffb3887..1293ccb5c51d 100644 --- a/services/lakeformation/pom.xml +++ b/services/lakeformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 lakeformation AWS Java SDK :: Services :: LakeFormation diff --git a/services/lambda/pom.xml b/services/lambda/pom.xml index 52d17e94f091..a81c1470aa78 100644 --- a/services/lambda/pom.xml +++ b/services/lambda/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 lambda AWS Java SDK :: Services :: AWS Lambda diff --git a/services/launchwizard/pom.xml b/services/launchwizard/pom.xml index aff4245acd86..4ab846f486b6 100644 --- a/services/launchwizard/pom.xml +++ b/services/launchwizard/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 launchwizard AWS Java SDK :: Services :: Launch Wizard diff --git a/services/lexmodelbuilding/pom.xml b/services/lexmodelbuilding/pom.xml index b138fcad8d37..8a1dcd62f8c2 100644 --- a/services/lexmodelbuilding/pom.xml +++ b/services/lexmodelbuilding/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 lexmodelbuilding AWS Java SDK :: Services :: Amazon Lex Model Building diff --git a/services/lexmodelsv2/pom.xml b/services/lexmodelsv2/pom.xml index de57d647d4ee..51b46ac6e64d 100644 --- a/services/lexmodelsv2/pom.xml +++ b/services/lexmodelsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 lexmodelsv2 AWS Java SDK :: Services :: Lex Models V2 diff --git a/services/lexruntime/pom.xml b/services/lexruntime/pom.xml index c92f5efda939..6daa6cd9857c 100644 --- a/services/lexruntime/pom.xml +++ b/services/lexruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 lexruntime AWS Java SDK :: Services :: Amazon Lex Runtime diff --git a/services/lexruntimev2/pom.xml b/services/lexruntimev2/pom.xml index 424ebc1a3928..9ace1a21bdb2 100644 --- a/services/lexruntimev2/pom.xml +++ b/services/lexruntimev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 lexruntimev2 AWS Java SDK :: Services :: Lex Runtime V2 diff --git a/services/licensemanager/pom.xml b/services/licensemanager/pom.xml index b44e9f047fd7..4a0321c61ce3 100644 --- a/services/licensemanager/pom.xml +++ b/services/licensemanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 licensemanager AWS Java SDK :: Services :: License Manager diff --git a/services/licensemanagerlinuxsubscriptions/pom.xml b/services/licensemanagerlinuxsubscriptions/pom.xml index bfaa45d88174..95ed79263ac6 100644 --- a/services/licensemanagerlinuxsubscriptions/pom.xml +++ b/services/licensemanagerlinuxsubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 licensemanagerlinuxsubscriptions AWS Java SDK :: Services :: License Manager Linux Subscriptions diff --git a/services/licensemanagerusersubscriptions/pom.xml b/services/licensemanagerusersubscriptions/pom.xml index 52b191819d78..0d596330d8f7 100644 --- a/services/licensemanagerusersubscriptions/pom.xml +++ b/services/licensemanagerusersubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 licensemanagerusersubscriptions AWS Java SDK :: Services :: License Manager User Subscriptions diff --git a/services/lightsail/pom.xml b/services/lightsail/pom.xml index 0eb9b561ec10..2f9ed0b0670f 100644 --- a/services/lightsail/pom.xml +++ b/services/lightsail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 lightsail AWS Java SDK :: Services :: Amazon Lightsail diff --git a/services/location/pom.xml b/services/location/pom.xml index 576d3782ae3b..4c8154343288 100644 --- a/services/location/pom.xml +++ b/services/location/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 location AWS Java SDK :: Services :: Location diff --git a/services/lookoutequipment/pom.xml b/services/lookoutequipment/pom.xml index a3d1e22bdf8d..5698426e7807 100644 --- a/services/lookoutequipment/pom.xml +++ b/services/lookoutequipment/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 lookoutequipment AWS Java SDK :: Services :: Lookout Equipment diff --git a/services/lookoutmetrics/pom.xml b/services/lookoutmetrics/pom.xml index cae618f21b5b..55f46bf95bf6 100644 --- a/services/lookoutmetrics/pom.xml +++ b/services/lookoutmetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 lookoutmetrics AWS Java SDK :: Services :: Lookout Metrics diff --git a/services/lookoutvision/pom.xml b/services/lookoutvision/pom.xml index fe22a1eabeb3..556530943ac0 100644 --- a/services/lookoutvision/pom.xml +++ b/services/lookoutvision/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 lookoutvision AWS Java SDK :: Services :: Lookout Vision diff --git a/services/m2/pom.xml b/services/m2/pom.xml index 6892b72933a9..c579cc546a6d 100644 --- a/services/m2/pom.xml +++ b/services/m2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 m2 AWS Java SDK :: Services :: M2 diff --git a/services/machinelearning/pom.xml b/services/machinelearning/pom.xml index c538c4901a1f..8b481ee32fc8 100644 --- a/services/machinelearning/pom.xml +++ b/services/machinelearning/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 machinelearning AWS Java SDK :: Services :: Amazon Machine Learning diff --git a/services/macie2/pom.xml b/services/macie2/pom.xml index 6d2113570851..fa614547329e 100644 --- a/services/macie2/pom.xml +++ b/services/macie2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 macie2 AWS Java SDK :: Services :: Macie2 diff --git a/services/mailmanager/pom.xml b/services/mailmanager/pom.xml index fcc76e09a9c3..842fdb2a81dd 100644 --- a/services/mailmanager/pom.xml +++ b/services/mailmanager/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 mailmanager AWS Java SDK :: Services :: Mail Manager diff --git a/services/managedblockchain/pom.xml b/services/managedblockchain/pom.xml index 8c26a9679a61..8548df5fc509 100644 --- a/services/managedblockchain/pom.xml +++ b/services/managedblockchain/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 managedblockchain AWS Java SDK :: Services :: ManagedBlockchain diff --git a/services/managedblockchainquery/pom.xml b/services/managedblockchainquery/pom.xml index daad02615147..4d783b9703f0 100644 --- a/services/managedblockchainquery/pom.xml +++ b/services/managedblockchainquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 managedblockchainquery AWS Java SDK :: Services :: Managed Blockchain Query diff --git a/services/marketplaceagreement/pom.xml b/services/marketplaceagreement/pom.xml index 07e1a81fe1a2..9893dc7b86c1 100644 --- a/services/marketplaceagreement/pom.xml +++ b/services/marketplaceagreement/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 marketplaceagreement AWS Java SDK :: Services :: Marketplace Agreement diff --git a/services/marketplacecatalog/pom.xml b/services/marketplacecatalog/pom.xml index b35d292e598f..9d9d79665bad 100644 --- a/services/marketplacecatalog/pom.xml +++ b/services/marketplacecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 marketplacecatalog AWS Java SDK :: Services :: Marketplace Catalog diff --git a/services/marketplacecommerceanalytics/pom.xml b/services/marketplacecommerceanalytics/pom.xml index de77c0be963f..8327a79f90b5 100644 --- a/services/marketplacecommerceanalytics/pom.xml +++ b/services/marketplacecommerceanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 marketplacecommerceanalytics AWS Java SDK :: Services :: AWS Marketplace Commerce Analytics diff --git a/services/marketplacedeployment/pom.xml b/services/marketplacedeployment/pom.xml index e559924e98c5..0ea702ab86d1 100644 --- a/services/marketplacedeployment/pom.xml +++ b/services/marketplacedeployment/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 marketplacedeployment AWS Java SDK :: Services :: Marketplace Deployment diff --git a/services/marketplaceentitlement/pom.xml b/services/marketplaceentitlement/pom.xml index 34177d7bd962..f179e911d7b7 100644 --- a/services/marketplaceentitlement/pom.xml +++ b/services/marketplaceentitlement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 marketplaceentitlement AWS Java SDK :: Services :: AWS Marketplace Entitlement diff --git a/services/marketplacemetering/pom.xml b/services/marketplacemetering/pom.xml index cc3b513d0569..785a2800fc91 100644 --- a/services/marketplacemetering/pom.xml +++ b/services/marketplacemetering/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 marketplacemetering AWS Java SDK :: Services :: AWS Marketplace Metering Service diff --git a/services/mediaconnect/pom.xml b/services/mediaconnect/pom.xml index 2e237f4377e9..11c2ccaca2ce 100644 --- a/services/mediaconnect/pom.xml +++ b/services/mediaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 mediaconnect AWS Java SDK :: Services :: MediaConnect diff --git a/services/mediaconvert/pom.xml b/services/mediaconvert/pom.xml index 4105d46f5d58..33a062e9c88f 100644 --- a/services/mediaconvert/pom.xml +++ b/services/mediaconvert/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0-SNAPSHOT + 2.28.0 4.0.0 mediaconvert diff --git a/services/medialive/pom.xml b/services/medialive/pom.xml index 3c55627106f8..4b371077e7c1 100644 --- a/services/medialive/pom.xml +++ b/services/medialive/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0-SNAPSHOT + 2.28.0 4.0.0 medialive diff --git a/services/mediapackage/pom.xml b/services/mediapackage/pom.xml index c39825d5b276..af2d2e4338be 100644 --- a/services/mediapackage/pom.xml +++ b/services/mediapackage/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0-SNAPSHOT + 2.28.0 4.0.0 mediapackage diff --git a/services/mediapackagev2/pom.xml b/services/mediapackagev2/pom.xml index 1ce6c845ca54..dee6156e5586 100644 --- a/services/mediapackagev2/pom.xml +++ b/services/mediapackagev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 mediapackagev2 AWS Java SDK :: Services :: Media Package V2 diff --git a/services/mediapackagevod/pom.xml b/services/mediapackagevod/pom.xml index 81fcdb73cfb2..d8326e99c40b 100644 --- a/services/mediapackagevod/pom.xml +++ b/services/mediapackagevod/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 mediapackagevod AWS Java SDK :: Services :: MediaPackage Vod diff --git a/services/mediastore/pom.xml b/services/mediastore/pom.xml index 34ccdcce0447..d6b3d1ec4402 100644 --- a/services/mediastore/pom.xml +++ b/services/mediastore/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0-SNAPSHOT + 2.28.0 4.0.0 mediastore diff --git a/services/mediastoredata/pom.xml b/services/mediastoredata/pom.xml index 30d11c9c6b26..115ddff30ed8 100644 --- a/services/mediastoredata/pom.xml +++ b/services/mediastoredata/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0-SNAPSHOT + 2.28.0 4.0.0 mediastoredata diff --git a/services/mediatailor/pom.xml b/services/mediatailor/pom.xml index 7539517b9fbc..ff392758ae4c 100644 --- a/services/mediatailor/pom.xml +++ b/services/mediatailor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 mediatailor AWS Java SDK :: Services :: MediaTailor diff --git a/services/medicalimaging/pom.xml b/services/medicalimaging/pom.xml index 1164b4741a18..e2fc2fcb94df 100644 --- a/services/medicalimaging/pom.xml +++ b/services/medicalimaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 medicalimaging AWS Java SDK :: Services :: Medical Imaging diff --git a/services/memorydb/pom.xml b/services/memorydb/pom.xml index 2400c161696e..aaf371db669e 100644 --- a/services/memorydb/pom.xml +++ b/services/memorydb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 memorydb AWS Java SDK :: Services :: Memory DB diff --git a/services/mgn/pom.xml b/services/mgn/pom.xml index 93dff7bb97b3..c0e0aeac921a 100644 --- a/services/mgn/pom.xml +++ b/services/mgn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 mgn AWS Java SDK :: Services :: Mgn diff --git a/services/migrationhub/pom.xml b/services/migrationhub/pom.xml index 164cdf00db6a..06d415a163c0 100644 --- a/services/migrationhub/pom.xml +++ b/services/migrationhub/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0-SNAPSHOT + 2.28.0 4.0.0 migrationhub diff --git a/services/migrationhubconfig/pom.xml b/services/migrationhubconfig/pom.xml index 7445fea9df56..cdfb2c0bf80a 100644 --- a/services/migrationhubconfig/pom.xml +++ b/services/migrationhubconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 migrationhubconfig AWS Java SDK :: Services :: MigrationHub Config diff --git a/services/migrationhuborchestrator/pom.xml b/services/migrationhuborchestrator/pom.xml index b655d573829b..6f802a95e8c6 100644 --- a/services/migrationhuborchestrator/pom.xml +++ b/services/migrationhuborchestrator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 migrationhuborchestrator AWS Java SDK :: Services :: Migration Hub Orchestrator diff --git a/services/migrationhubrefactorspaces/pom.xml b/services/migrationhubrefactorspaces/pom.xml index 6878dd103a64..b079086b2e24 100644 --- a/services/migrationhubrefactorspaces/pom.xml +++ b/services/migrationhubrefactorspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 migrationhubrefactorspaces AWS Java SDK :: Services :: Migration Hub Refactor Spaces diff --git a/services/migrationhubstrategy/pom.xml b/services/migrationhubstrategy/pom.xml index f93ed35b3b73..26e9b1b0e109 100644 --- a/services/migrationhubstrategy/pom.xml +++ b/services/migrationhubstrategy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 migrationhubstrategy AWS Java SDK :: Services :: Migration Hub Strategy diff --git a/services/mq/pom.xml b/services/mq/pom.xml index 6be89ec45c93..7ae9088fb7d5 100644 --- a/services/mq/pom.xml +++ b/services/mq/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0-SNAPSHOT + 2.28.0 4.0.0 mq diff --git a/services/mturk/pom.xml b/services/mturk/pom.xml index d50b0ef1422b..d2eb75f47825 100644 --- a/services/mturk/pom.xml +++ b/services/mturk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 mturk AWS Java SDK :: Services :: Amazon Mechanical Turk Requester diff --git a/services/mwaa/pom.xml b/services/mwaa/pom.xml index 40546ceb574a..a3d40ed554b3 100644 --- a/services/mwaa/pom.xml +++ b/services/mwaa/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 mwaa AWS Java SDK :: Services :: MWAA diff --git a/services/neptune/pom.xml b/services/neptune/pom.xml index bd081c21ebed..51cb95e01da6 100644 --- a/services/neptune/pom.xml +++ b/services/neptune/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 neptune AWS Java SDK :: Services :: Neptune diff --git a/services/neptunedata/pom.xml b/services/neptunedata/pom.xml index 4927afc2244e..216c7a4d5fbf 100644 --- a/services/neptunedata/pom.xml +++ b/services/neptunedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 neptunedata AWS Java SDK :: Services :: Neptunedata diff --git a/services/neptunegraph/pom.xml b/services/neptunegraph/pom.xml index 0048d0e6daf4..c9ae2c348c96 100644 --- a/services/neptunegraph/pom.xml +++ b/services/neptunegraph/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 neptunegraph AWS Java SDK :: Services :: Neptune Graph diff --git a/services/networkfirewall/pom.xml b/services/networkfirewall/pom.xml index c0d59ba41103..43fc866bc1e0 100644 --- a/services/networkfirewall/pom.xml +++ b/services/networkfirewall/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 networkfirewall AWS Java SDK :: Services :: Network Firewall diff --git a/services/networkmanager/pom.xml b/services/networkmanager/pom.xml index 0723dec72ecf..937504871b8a 100644 --- a/services/networkmanager/pom.xml +++ b/services/networkmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 networkmanager AWS Java SDK :: Services :: NetworkManager diff --git a/services/networkmonitor/pom.xml b/services/networkmonitor/pom.xml index 066740eb1ca0..a8dd333fe9da 100644 --- a/services/networkmonitor/pom.xml +++ b/services/networkmonitor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 networkmonitor AWS Java SDK :: Services :: Network Monitor diff --git a/services/nimble/pom.xml b/services/nimble/pom.xml index f5acfefff470..527b40b5c109 100644 --- a/services/nimble/pom.xml +++ b/services/nimble/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 nimble AWS Java SDK :: Services :: Nimble diff --git a/services/oam/pom.xml b/services/oam/pom.xml index 85506a82d277..c82ff61de987 100644 --- a/services/oam/pom.xml +++ b/services/oam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 oam AWS Java SDK :: Services :: OAM diff --git a/services/omics/pom.xml b/services/omics/pom.xml index 277d57381ff0..12695d63d58a 100644 --- a/services/omics/pom.xml +++ b/services/omics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 omics AWS Java SDK :: Services :: Omics diff --git a/services/opensearch/pom.xml b/services/opensearch/pom.xml index f61a468c65b3..6286b7c744d5 100644 --- a/services/opensearch/pom.xml +++ b/services/opensearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 opensearch AWS Java SDK :: Services :: Open Search diff --git a/services/opensearchserverless/pom.xml b/services/opensearchserverless/pom.xml index b5e870401f11..88ea5d35ea02 100644 --- a/services/opensearchserverless/pom.xml +++ b/services/opensearchserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 opensearchserverless AWS Java SDK :: Services :: Open Search Serverless diff --git a/services/opsworks/pom.xml b/services/opsworks/pom.xml index 282809dc7816..170126293c8b 100644 --- a/services/opsworks/pom.xml +++ b/services/opsworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 opsworks AWS Java SDK :: Services :: AWS OpsWorks diff --git a/services/opsworkscm/pom.xml b/services/opsworkscm/pom.xml index fd5f3cc0cc2e..e17f1ef05b86 100644 --- a/services/opsworkscm/pom.xml +++ b/services/opsworkscm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 opsworkscm AWS Java SDK :: Services :: AWS OpsWorks for Chef Automate diff --git a/services/organizations/pom.xml b/services/organizations/pom.xml index 00addfc5fa27..f2e8fdbfd968 100644 --- a/services/organizations/pom.xml +++ b/services/organizations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 organizations AWS Java SDK :: Services :: AWS Organizations diff --git a/services/osis/pom.xml b/services/osis/pom.xml index 836e2dfe02ab..bbb2c799afa9 100644 --- a/services/osis/pom.xml +++ b/services/osis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 osis AWS Java SDK :: Services :: OSIS diff --git a/services/outposts/pom.xml b/services/outposts/pom.xml index 968b8ae23a79..d690e165d084 100644 --- a/services/outposts/pom.xml +++ b/services/outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 outposts AWS Java SDK :: Services :: Outposts diff --git a/services/panorama/pom.xml b/services/panorama/pom.xml index ee74e83e0b21..d47d785bbf8c 100644 --- a/services/panorama/pom.xml +++ b/services/panorama/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 panorama AWS Java SDK :: Services :: Panorama diff --git a/services/paymentcryptography/pom.xml b/services/paymentcryptography/pom.xml index 32574d13c37c..1b44d960c4d8 100644 --- a/services/paymentcryptography/pom.xml +++ b/services/paymentcryptography/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 paymentcryptography AWS Java SDK :: Services :: Payment Cryptography diff --git a/services/paymentcryptographydata/pom.xml b/services/paymentcryptographydata/pom.xml index ef1167cd34f6..14b2dee79180 100644 --- a/services/paymentcryptographydata/pom.xml +++ b/services/paymentcryptographydata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 paymentcryptographydata AWS Java SDK :: Services :: Payment Cryptography Data diff --git a/services/pcaconnectorad/pom.xml b/services/pcaconnectorad/pom.xml index a6505d5db470..ab803800973d 100644 --- a/services/pcaconnectorad/pom.xml +++ b/services/pcaconnectorad/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 pcaconnectorad AWS Java SDK :: Services :: Pca Connector Ad diff --git a/services/pcaconnectorscep/pom.xml b/services/pcaconnectorscep/pom.xml index c14f589eb1b5..5f83c90ce077 100644 --- a/services/pcaconnectorscep/pom.xml +++ b/services/pcaconnectorscep/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 pcaconnectorscep AWS Java SDK :: Services :: Pca Connector Scep diff --git a/services/pcs/pom.xml b/services/pcs/pom.xml index 77c1e5dccf72..18b1e611baad 100644 --- a/services/pcs/pom.xml +++ b/services/pcs/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 pcs AWS Java SDK :: Services :: PCS diff --git a/services/personalize/pom.xml b/services/personalize/pom.xml index 98dd7abd009a..2904b64e6520 100644 --- a/services/personalize/pom.xml +++ b/services/personalize/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 personalize AWS Java SDK :: Services :: Personalize diff --git a/services/personalizeevents/pom.xml b/services/personalizeevents/pom.xml index fae79bc936ec..df55ccaedd4c 100644 --- a/services/personalizeevents/pom.xml +++ b/services/personalizeevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 personalizeevents AWS Java SDK :: Services :: Personalize Events diff --git a/services/personalizeruntime/pom.xml b/services/personalizeruntime/pom.xml index b05f60b3dade..677d2bae46db 100644 --- a/services/personalizeruntime/pom.xml +++ b/services/personalizeruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 personalizeruntime AWS Java SDK :: Services :: Personalize Runtime diff --git a/services/pi/pom.xml b/services/pi/pom.xml index c044851c8c54..87f62bffbaa9 100644 --- a/services/pi/pom.xml +++ b/services/pi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 pi AWS Java SDK :: Services :: PI diff --git a/services/pinpoint/pom.xml b/services/pinpoint/pom.xml index 15aefcaf4b5d..e4f9193f6837 100644 --- a/services/pinpoint/pom.xml +++ b/services/pinpoint/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 pinpoint AWS Java SDK :: Services :: Amazon Pinpoint diff --git a/services/pinpointemail/pom.xml b/services/pinpointemail/pom.xml index 7f7c54ba3c71..1be1bd92e65d 100644 --- a/services/pinpointemail/pom.xml +++ b/services/pinpointemail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 pinpointemail AWS Java SDK :: Services :: Pinpoint Email diff --git a/services/pinpointsmsvoice/pom.xml b/services/pinpointsmsvoice/pom.xml index 62f35b758f76..ef709995692c 100644 --- a/services/pinpointsmsvoice/pom.xml +++ b/services/pinpointsmsvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 pinpointsmsvoice AWS Java SDK :: Services :: Pinpoint SMS Voice diff --git a/services/pinpointsmsvoicev2/pom.xml b/services/pinpointsmsvoicev2/pom.xml index 774032304d74..31bc8741b67b 100644 --- a/services/pinpointsmsvoicev2/pom.xml +++ b/services/pinpointsmsvoicev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 pinpointsmsvoicev2 AWS Java SDK :: Services :: Pinpoint SMS Voice V2 diff --git a/services/pipes/pom.xml b/services/pipes/pom.xml index 650587348171..3e7fdb8dc1d9 100644 --- a/services/pipes/pom.xml +++ b/services/pipes/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 pipes AWS Java SDK :: Services :: Pipes diff --git a/services/polly/pom.xml b/services/polly/pom.xml index fef4040cb964..133d513d9f95 100644 --- a/services/polly/pom.xml +++ b/services/polly/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 polly AWS Java SDK :: Services :: Amazon Polly diff --git a/services/pom.xml b/services/pom.xml index 3994f74d9e88..b6a838256e2f 100644 --- a/services/pom.xml +++ b/services/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.0-SNAPSHOT + 2.28.0 services AWS Java SDK :: Services diff --git a/services/pricing/pom.xml b/services/pricing/pom.xml index 0f3dddafb53d..c1d45bf507fe 100644 --- a/services/pricing/pom.xml +++ b/services/pricing/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0-SNAPSHOT + 2.28.0 4.0.0 pricing diff --git a/services/privatenetworks/pom.xml b/services/privatenetworks/pom.xml index 77ba3931f4b2..cfe0fcc45bed 100644 --- a/services/privatenetworks/pom.xml +++ b/services/privatenetworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 privatenetworks AWS Java SDK :: Services :: Private Networks diff --git a/services/proton/pom.xml b/services/proton/pom.xml index ea13238d3991..5e3c944f80bb 100644 --- a/services/proton/pom.xml +++ b/services/proton/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 proton AWS Java SDK :: Services :: Proton diff --git a/services/qapps/pom.xml b/services/qapps/pom.xml index 9d72ff92b45c..8b9695f3a0ac 100644 --- a/services/qapps/pom.xml +++ b/services/qapps/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 qapps AWS Java SDK :: Services :: Q Apps diff --git a/services/qbusiness/pom.xml b/services/qbusiness/pom.xml index 6ba50f0a8423..847f33a93bc8 100644 --- a/services/qbusiness/pom.xml +++ b/services/qbusiness/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 qbusiness AWS Java SDK :: Services :: Q Business diff --git a/services/qconnect/pom.xml b/services/qconnect/pom.xml index 88b8a8d2b5f7..464d8aa46257 100644 --- a/services/qconnect/pom.xml +++ b/services/qconnect/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 qconnect AWS Java SDK :: Services :: Q Connect diff --git a/services/qldb/pom.xml b/services/qldb/pom.xml index 3747585bec86..ea9ceabd7595 100644 --- a/services/qldb/pom.xml +++ b/services/qldb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 qldb AWS Java SDK :: Services :: QLDB diff --git a/services/qldbsession/pom.xml b/services/qldbsession/pom.xml index 1256d261777b..6871780fb01d 100644 --- a/services/qldbsession/pom.xml +++ b/services/qldbsession/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 qldbsession AWS Java SDK :: Services :: QLDB Session diff --git a/services/quicksight/pom.xml b/services/quicksight/pom.xml index 9aac239df101..cb55c6d45c05 100644 --- a/services/quicksight/pom.xml +++ b/services/quicksight/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 quicksight AWS Java SDK :: Services :: QuickSight diff --git a/services/ram/pom.xml b/services/ram/pom.xml index 8022133693f4..53574c649bb2 100644 --- a/services/ram/pom.xml +++ b/services/ram/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 ram AWS Java SDK :: Services :: RAM diff --git a/services/rbin/pom.xml b/services/rbin/pom.xml index 05ec9954f942..b5b10299dbd4 100644 --- a/services/rbin/pom.xml +++ b/services/rbin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 rbin AWS Java SDK :: Services :: Rbin diff --git a/services/rds/pom.xml b/services/rds/pom.xml index f396d59a8e60..a0465cbd1c90 100644 --- a/services/rds/pom.xml +++ b/services/rds/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 rds AWS Java SDK :: Services :: Amazon RDS diff --git a/services/rdsdata/pom.xml b/services/rdsdata/pom.xml index 9ffdad73f089..13783fa2a664 100644 --- a/services/rdsdata/pom.xml +++ b/services/rdsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 rdsdata AWS Java SDK :: Services :: RDS Data diff --git a/services/redshift/pom.xml b/services/redshift/pom.xml index e2c2f9cfd328..7de9a038e541 100644 --- a/services/redshift/pom.xml +++ b/services/redshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 redshift AWS Java SDK :: Services :: Amazon Redshift diff --git a/services/redshiftdata/pom.xml b/services/redshiftdata/pom.xml index cd1d4815bcf0..5e15a654bf17 100644 --- a/services/redshiftdata/pom.xml +++ b/services/redshiftdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 redshiftdata AWS Java SDK :: Services :: Redshift Data diff --git a/services/redshiftserverless/pom.xml b/services/redshiftserverless/pom.xml index b4b36e111ba9..991ce946d638 100644 --- a/services/redshiftserverless/pom.xml +++ b/services/redshiftserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 redshiftserverless AWS Java SDK :: Services :: Redshift Serverless diff --git a/services/rekognition/pom.xml b/services/rekognition/pom.xml index 7f91e976a71c..6efd9ea22120 100644 --- a/services/rekognition/pom.xml +++ b/services/rekognition/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 rekognition AWS Java SDK :: Services :: Amazon Rekognition diff --git a/services/repostspace/pom.xml b/services/repostspace/pom.xml index 1e1ae7e663de..97f257bb5d04 100644 --- a/services/repostspace/pom.xml +++ b/services/repostspace/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 repostspace AWS Java SDK :: Services :: Repostspace diff --git a/services/resiliencehub/pom.xml b/services/resiliencehub/pom.xml index 9d7b3bba276a..26179fbe46fc 100644 --- a/services/resiliencehub/pom.xml +++ b/services/resiliencehub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 resiliencehub AWS Java SDK :: Services :: Resiliencehub diff --git a/services/resourceexplorer2/pom.xml b/services/resourceexplorer2/pom.xml index e3785a6abaee..0c4fdf58a71a 100644 --- a/services/resourceexplorer2/pom.xml +++ b/services/resourceexplorer2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 resourceexplorer2 AWS Java SDK :: Services :: Resource Explorer 2 diff --git a/services/resourcegroups/pom.xml b/services/resourcegroups/pom.xml index ea1b16ceb2a5..987fe590cb29 100644 --- a/services/resourcegroups/pom.xml +++ b/services/resourcegroups/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0-SNAPSHOT + 2.28.0 4.0.0 resourcegroups diff --git a/services/resourcegroupstaggingapi/pom.xml b/services/resourcegroupstaggingapi/pom.xml index 4826ee8e23c8..10945a357e74 100644 --- a/services/resourcegroupstaggingapi/pom.xml +++ b/services/resourcegroupstaggingapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 resourcegroupstaggingapi AWS Java SDK :: Services :: AWS Resource Groups Tagging API diff --git a/services/robomaker/pom.xml b/services/robomaker/pom.xml index 6b926736f2d6..5145ee86d233 100644 --- a/services/robomaker/pom.xml +++ b/services/robomaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 robomaker AWS Java SDK :: Services :: RoboMaker diff --git a/services/rolesanywhere/pom.xml b/services/rolesanywhere/pom.xml index 887767bde9f6..7ef67bfa08c8 100644 --- a/services/rolesanywhere/pom.xml +++ b/services/rolesanywhere/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 rolesanywhere AWS Java SDK :: Services :: Roles Anywhere diff --git a/services/route53/pom.xml b/services/route53/pom.xml index e86af980aaae..b2d7a6ec7171 100644 --- a/services/route53/pom.xml +++ b/services/route53/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 route53 AWS Java SDK :: Services :: Amazon Route53 diff --git a/services/route53domains/pom.xml b/services/route53domains/pom.xml index cbb48ac26b91..aa152357d3d2 100644 --- a/services/route53domains/pom.xml +++ b/services/route53domains/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 route53domains AWS Java SDK :: Services :: Amazon Route53 Domains diff --git a/services/route53profiles/pom.xml b/services/route53profiles/pom.xml index 0ef2549382a1..fb6c6cc88513 100644 --- a/services/route53profiles/pom.xml +++ b/services/route53profiles/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 route53profiles AWS Java SDK :: Services :: Route53 Profiles diff --git a/services/route53recoverycluster/pom.xml b/services/route53recoverycluster/pom.xml index 19524b96da49..e4ec5528c29e 100644 --- a/services/route53recoverycluster/pom.xml +++ b/services/route53recoverycluster/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 route53recoverycluster AWS Java SDK :: Services :: Route53 Recovery Cluster diff --git a/services/route53recoverycontrolconfig/pom.xml b/services/route53recoverycontrolconfig/pom.xml index 2527e19632cb..440c512eb784 100644 --- a/services/route53recoverycontrolconfig/pom.xml +++ b/services/route53recoverycontrolconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 route53recoverycontrolconfig AWS Java SDK :: Services :: Route53 Recovery Control Config diff --git a/services/route53recoveryreadiness/pom.xml b/services/route53recoveryreadiness/pom.xml index 3bc1d6d618ce..c1360835134c 100644 --- a/services/route53recoveryreadiness/pom.xml +++ b/services/route53recoveryreadiness/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 route53recoveryreadiness AWS Java SDK :: Services :: Route53 Recovery Readiness diff --git a/services/route53resolver/pom.xml b/services/route53resolver/pom.xml index 0d2a9d756fa4..2194208db42c 100644 --- a/services/route53resolver/pom.xml +++ b/services/route53resolver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 route53resolver AWS Java SDK :: Services :: Route53Resolver diff --git a/services/rum/pom.xml b/services/rum/pom.xml index 6caf36b3b779..311679807c40 100644 --- a/services/rum/pom.xml +++ b/services/rum/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 rum AWS Java SDK :: Services :: RUM diff --git a/services/s3/pom.xml b/services/s3/pom.xml index fb27d235325b..804ff59834b4 100644 --- a/services/s3/pom.xml +++ b/services/s3/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 s3 AWS Java SDK :: Services :: Amazon S3 diff --git a/services/s3control/pom.xml b/services/s3control/pom.xml index 0849b437ecc0..11bc75e52b37 100644 --- a/services/s3control/pom.xml +++ b/services/s3control/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 s3control AWS Java SDK :: Services :: Amazon S3 Control diff --git a/services/s3outposts/pom.xml b/services/s3outposts/pom.xml index 186308ccb181..e96f9a03ef3a 100644 --- a/services/s3outposts/pom.xml +++ b/services/s3outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 s3outposts AWS Java SDK :: Services :: S3 Outposts diff --git a/services/sagemaker/pom.xml b/services/sagemaker/pom.xml index 5f78dedce020..c95ee1e0986d 100644 --- a/services/sagemaker/pom.xml +++ b/services/sagemaker/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0-SNAPSHOT + 2.28.0 4.0.0 sagemaker diff --git a/services/sagemakera2iruntime/pom.xml b/services/sagemakera2iruntime/pom.xml index 9f072ac12763..caba20c9c232 100644 --- a/services/sagemakera2iruntime/pom.xml +++ b/services/sagemakera2iruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 sagemakera2iruntime AWS Java SDK :: Services :: SageMaker A2I Runtime diff --git a/services/sagemakeredge/pom.xml b/services/sagemakeredge/pom.xml index 0cae6c22e16f..d7657d5dca3b 100644 --- a/services/sagemakeredge/pom.xml +++ b/services/sagemakeredge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 sagemakeredge AWS Java SDK :: Services :: Sagemaker Edge diff --git a/services/sagemakerfeaturestoreruntime/pom.xml b/services/sagemakerfeaturestoreruntime/pom.xml index bbdaadd29ca4..f9971958d369 100644 --- a/services/sagemakerfeaturestoreruntime/pom.xml +++ b/services/sagemakerfeaturestoreruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 sagemakerfeaturestoreruntime AWS Java SDK :: Services :: Sage Maker Feature Store Runtime diff --git a/services/sagemakergeospatial/pom.xml b/services/sagemakergeospatial/pom.xml index 7714e7f800be..d458169727c8 100644 --- a/services/sagemakergeospatial/pom.xml +++ b/services/sagemakergeospatial/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 sagemakergeospatial AWS Java SDK :: Services :: Sage Maker Geospatial diff --git a/services/sagemakermetrics/pom.xml b/services/sagemakermetrics/pom.xml index 48a2128d8423..c91eb63d0cea 100644 --- a/services/sagemakermetrics/pom.xml +++ b/services/sagemakermetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 sagemakermetrics AWS Java SDK :: Services :: Sage Maker Metrics diff --git a/services/sagemakerruntime/pom.xml b/services/sagemakerruntime/pom.xml index e01d89897fd8..78095e563588 100644 --- a/services/sagemakerruntime/pom.xml +++ b/services/sagemakerruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 sagemakerruntime AWS Java SDK :: Services :: SageMaker Runtime diff --git a/services/savingsplans/pom.xml b/services/savingsplans/pom.xml index b64857bd8118..66cc91b45e3f 100644 --- a/services/savingsplans/pom.xml +++ b/services/savingsplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 savingsplans AWS Java SDK :: Services :: Savingsplans diff --git a/services/scheduler/pom.xml b/services/scheduler/pom.xml index a946bf983138..995b3d4dc9c0 100644 --- a/services/scheduler/pom.xml +++ b/services/scheduler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 scheduler AWS Java SDK :: Services :: Scheduler diff --git a/services/schemas/pom.xml b/services/schemas/pom.xml index d4e6ac26fecc..5e697992d1ff 100644 --- a/services/schemas/pom.xml +++ b/services/schemas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 schemas AWS Java SDK :: Services :: Schemas diff --git a/services/secretsmanager/pom.xml b/services/secretsmanager/pom.xml index ddfe64bd4a3f..0336cc2d9b80 100644 --- a/services/secretsmanager/pom.xml +++ b/services/secretsmanager/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 secretsmanager AWS Java SDK :: Services :: AWS Secrets Manager diff --git a/services/securityhub/pom.xml b/services/securityhub/pom.xml index 0133a69a6181..3bce8a2db3e1 100644 --- a/services/securityhub/pom.xml +++ b/services/securityhub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 securityhub AWS Java SDK :: Services :: SecurityHub diff --git a/services/securitylake/pom.xml b/services/securitylake/pom.xml index 62d83e446f8d..39cf968ce0b4 100644 --- a/services/securitylake/pom.xml +++ b/services/securitylake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 securitylake AWS Java SDK :: Services :: Security Lake diff --git a/services/serverlessapplicationrepository/pom.xml b/services/serverlessapplicationrepository/pom.xml index 1b6d3a9bef8d..81ce0ae46a7e 100644 --- a/services/serverlessapplicationrepository/pom.xml +++ b/services/serverlessapplicationrepository/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0-SNAPSHOT + 2.28.0 4.0.0 serverlessapplicationrepository diff --git a/services/servicecatalog/pom.xml b/services/servicecatalog/pom.xml index 94f95e79ebb7..b3bfe5013f0e 100644 --- a/services/servicecatalog/pom.xml +++ b/services/servicecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 servicecatalog AWS Java SDK :: Services :: AWS Service Catalog diff --git a/services/servicecatalogappregistry/pom.xml b/services/servicecatalogappregistry/pom.xml index 89195ebd9649..f7eaa441f685 100644 --- a/services/servicecatalogappregistry/pom.xml +++ b/services/servicecatalogappregistry/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 servicecatalogappregistry AWS Java SDK :: Services :: Service Catalog App Registry diff --git a/services/servicediscovery/pom.xml b/services/servicediscovery/pom.xml index 5a3af42fa91a..30d9c8891ae8 100644 --- a/services/servicediscovery/pom.xml +++ b/services/servicediscovery/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0-SNAPSHOT + 2.28.0 4.0.0 servicediscovery diff --git a/services/servicequotas/pom.xml b/services/servicequotas/pom.xml index d30f7d1b603f..ef6ee60ee8b7 100644 --- a/services/servicequotas/pom.xml +++ b/services/servicequotas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 servicequotas AWS Java SDK :: Services :: Service Quotas diff --git a/services/ses/pom.xml b/services/ses/pom.xml index 6d87c0bac491..b4bece76d5ca 100644 --- a/services/ses/pom.xml +++ b/services/ses/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 ses AWS Java SDK :: Services :: Amazon SES diff --git a/services/sesv2/pom.xml b/services/sesv2/pom.xml index b9bf9cfe18c0..4f894856e4e3 100644 --- a/services/sesv2/pom.xml +++ b/services/sesv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 sesv2 AWS Java SDK :: Services :: SESv2 diff --git a/services/sfn/pom.xml b/services/sfn/pom.xml index 54a4fc522b29..0f15f84b37a6 100644 --- a/services/sfn/pom.xml +++ b/services/sfn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 sfn AWS Java SDK :: Services :: AWS Step Functions diff --git a/services/shield/pom.xml b/services/shield/pom.xml index 0a2719b0d549..293a66f8036b 100644 --- a/services/shield/pom.xml +++ b/services/shield/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 shield AWS Java SDK :: Services :: AWS Shield diff --git a/services/signer/pom.xml b/services/signer/pom.xml index 6d1183aeb36d..e68b6a68cc57 100644 --- a/services/signer/pom.xml +++ b/services/signer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 signer AWS Java SDK :: Services :: Signer diff --git a/services/simspaceweaver/pom.xml b/services/simspaceweaver/pom.xml index 743200e5c6d9..fd56bdbabcf6 100644 --- a/services/simspaceweaver/pom.xml +++ b/services/simspaceweaver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 simspaceweaver AWS Java SDK :: Services :: Sim Space Weaver diff --git a/services/sms/pom.xml b/services/sms/pom.xml index 883368f4e8b1..00f8f6154da3 100644 --- a/services/sms/pom.xml +++ b/services/sms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 sms AWS Java SDK :: Services :: AWS Server Migration diff --git a/services/snowball/pom.xml b/services/snowball/pom.xml index 5674c0429f67..d22a5496b7e4 100644 --- a/services/snowball/pom.xml +++ b/services/snowball/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 snowball AWS Java SDK :: Services :: Amazon Snowball diff --git a/services/snowdevicemanagement/pom.xml b/services/snowdevicemanagement/pom.xml index 465054404a8c..28c3449f7696 100644 --- a/services/snowdevicemanagement/pom.xml +++ b/services/snowdevicemanagement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 snowdevicemanagement AWS Java SDK :: Services :: Snow Device Management diff --git a/services/sns/pom.xml b/services/sns/pom.xml index 5e7bc43953b1..7b7463aa0640 100644 --- a/services/sns/pom.xml +++ b/services/sns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 sns AWS Java SDK :: Services :: Amazon SNS diff --git a/services/sqs/pom.xml b/services/sqs/pom.xml index 00f55724d9bf..dc6a7a3ed883 100644 --- a/services/sqs/pom.xml +++ b/services/sqs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 sqs AWS Java SDK :: Services :: Amazon SQS diff --git a/services/ssm/pom.xml b/services/ssm/pom.xml index 8dac1fb650bb..721b31eda604 100644 --- a/services/ssm/pom.xml +++ b/services/ssm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 ssm AWS Java SDK :: Services :: AWS Simple Systems Management (SSM) diff --git a/services/ssmcontacts/pom.xml b/services/ssmcontacts/pom.xml index e4b832e7223e..befb73a91027 100644 --- a/services/ssmcontacts/pom.xml +++ b/services/ssmcontacts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 ssmcontacts AWS Java SDK :: Services :: SSM Contacts diff --git a/services/ssmincidents/pom.xml b/services/ssmincidents/pom.xml index d90548ff8209..b365d55f9c10 100644 --- a/services/ssmincidents/pom.xml +++ b/services/ssmincidents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 ssmincidents AWS Java SDK :: Services :: SSM Incidents diff --git a/services/ssmquicksetup/pom.xml b/services/ssmquicksetup/pom.xml index 76bad38a41aa..881484f69409 100644 --- a/services/ssmquicksetup/pom.xml +++ b/services/ssmquicksetup/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 ssmquicksetup AWS Java SDK :: Services :: SSM Quick Setup diff --git a/services/ssmsap/pom.xml b/services/ssmsap/pom.xml index 7a2f7db12777..52973e543d73 100644 --- a/services/ssmsap/pom.xml +++ b/services/ssmsap/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 ssmsap AWS Java SDK :: Services :: Ssm Sap diff --git a/services/sso/pom.xml b/services/sso/pom.xml index 27c03a7922eb..4826644d4f66 100644 --- a/services/sso/pom.xml +++ b/services/sso/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 sso AWS Java SDK :: Services :: SSO diff --git a/services/ssoadmin/pom.xml b/services/ssoadmin/pom.xml index 6d9e0c5f580d..22715d216d59 100644 --- a/services/ssoadmin/pom.xml +++ b/services/ssoadmin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 ssoadmin AWS Java SDK :: Services :: SSO Admin diff --git a/services/ssooidc/pom.xml b/services/ssooidc/pom.xml index 15dc3bd7aa9a..d2ad00ba6088 100644 --- a/services/ssooidc/pom.xml +++ b/services/ssooidc/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 ssooidc AWS Java SDK :: Services :: SSO OIDC diff --git a/services/storagegateway/pom.xml b/services/storagegateway/pom.xml index c7d10325d361..09b4f487146e 100644 --- a/services/storagegateway/pom.xml +++ b/services/storagegateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 storagegateway AWS Java SDK :: Services :: AWS Storage Gateway diff --git a/services/sts/pom.xml b/services/sts/pom.xml index 39f5bbbc3508..f2f3a129b502 100644 --- a/services/sts/pom.xml +++ b/services/sts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 sts AWS Java SDK :: Services :: AWS STS diff --git a/services/supplychain/pom.xml b/services/supplychain/pom.xml index a6cd201fcf08..ee77288b40ee 100644 --- a/services/supplychain/pom.xml +++ b/services/supplychain/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 supplychain AWS Java SDK :: Services :: Supply Chain diff --git a/services/support/pom.xml b/services/support/pom.xml index a00c713f273a..37ba7fb61443 100644 --- a/services/support/pom.xml +++ b/services/support/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 support AWS Java SDK :: Services :: AWS Support diff --git a/services/supportapp/pom.xml b/services/supportapp/pom.xml index 61eb76ff1684..ef42642e3d49 100644 --- a/services/supportapp/pom.xml +++ b/services/supportapp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 supportapp AWS Java SDK :: Services :: Support App diff --git a/services/swf/pom.xml b/services/swf/pom.xml index eee217e1023f..3f78ebd8dcad 100644 --- a/services/swf/pom.xml +++ b/services/swf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 swf AWS Java SDK :: Services :: Amazon SWF diff --git a/services/synthetics/pom.xml b/services/synthetics/pom.xml index 646e37f245aa..00668ac393f7 100644 --- a/services/synthetics/pom.xml +++ b/services/synthetics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 synthetics AWS Java SDK :: Services :: Synthetics diff --git a/services/taxsettings/pom.xml b/services/taxsettings/pom.xml index 6f308fb3b91a..81b5d7629614 100644 --- a/services/taxsettings/pom.xml +++ b/services/taxsettings/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 taxsettings AWS Java SDK :: Services :: Tax Settings diff --git a/services/textract/pom.xml b/services/textract/pom.xml index 29dcf6f94937..663daa987c52 100644 --- a/services/textract/pom.xml +++ b/services/textract/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 textract AWS Java SDK :: Services :: Textract diff --git a/services/timestreaminfluxdb/pom.xml b/services/timestreaminfluxdb/pom.xml index b53b8b33433c..f992f3b3d191 100644 --- a/services/timestreaminfluxdb/pom.xml +++ b/services/timestreaminfluxdb/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 timestreaminfluxdb AWS Java SDK :: Services :: Timestream Influx DB diff --git a/services/timestreamquery/pom.xml b/services/timestreamquery/pom.xml index a45a55f1657f..1d8a0580566a 100644 --- a/services/timestreamquery/pom.xml +++ b/services/timestreamquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 timestreamquery AWS Java SDK :: Services :: Timestream Query diff --git a/services/timestreamwrite/pom.xml b/services/timestreamwrite/pom.xml index 26ba410753e2..3a37e37a9fb0 100644 --- a/services/timestreamwrite/pom.xml +++ b/services/timestreamwrite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 timestreamwrite AWS Java SDK :: Services :: Timestream Write diff --git a/services/tnb/pom.xml b/services/tnb/pom.xml index aad0251455ec..7d48a0e6d3d8 100644 --- a/services/tnb/pom.xml +++ b/services/tnb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 tnb AWS Java SDK :: Services :: Tnb diff --git a/services/transcribe/pom.xml b/services/transcribe/pom.xml index 9fc7e1b61f2b..32009502dbaf 100644 --- a/services/transcribe/pom.xml +++ b/services/transcribe/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 transcribe AWS Java SDK :: Services :: Transcribe diff --git a/services/transcribestreaming/pom.xml b/services/transcribestreaming/pom.xml index d73d78a3aefa..fbb67d4da346 100644 --- a/services/transcribestreaming/pom.xml +++ b/services/transcribestreaming/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 transcribestreaming AWS Java SDK :: Services :: AWS Transcribe Streaming diff --git a/services/transfer/pom.xml b/services/transfer/pom.xml index 84eb6b5df584..712200f1de84 100644 --- a/services/transfer/pom.xml +++ b/services/transfer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 transfer AWS Java SDK :: Services :: Transfer diff --git a/services/translate/pom.xml b/services/translate/pom.xml index f1f0e8331e44..2865a192e904 100644 --- a/services/translate/pom.xml +++ b/services/translate/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0-SNAPSHOT + 2.28.0 4.0.0 translate diff --git a/services/trustedadvisor/pom.xml b/services/trustedadvisor/pom.xml index a2d188dee3cc..dad1bf16a3f1 100644 --- a/services/trustedadvisor/pom.xml +++ b/services/trustedadvisor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 trustedadvisor AWS Java SDK :: Services :: Trusted Advisor diff --git a/services/verifiedpermissions/pom.xml b/services/verifiedpermissions/pom.xml index 58959279d61c..cf17d3b58fc9 100644 --- a/services/verifiedpermissions/pom.xml +++ b/services/verifiedpermissions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 verifiedpermissions AWS Java SDK :: Services :: Verified Permissions diff --git a/services/voiceid/pom.xml b/services/voiceid/pom.xml index 0dedd744a77e..2c26894481cc 100644 --- a/services/voiceid/pom.xml +++ b/services/voiceid/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 voiceid AWS Java SDK :: Services :: Voice ID diff --git a/services/vpclattice/pom.xml b/services/vpclattice/pom.xml index fa9b4f26b480..0477527aa7d4 100644 --- a/services/vpclattice/pom.xml +++ b/services/vpclattice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 vpclattice AWS Java SDK :: Services :: VPC Lattice diff --git a/services/waf/pom.xml b/services/waf/pom.xml index ecde02b067f8..815bb6c8535c 100644 --- a/services/waf/pom.xml +++ b/services/waf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 waf AWS Java SDK :: Services :: AWS WAF diff --git a/services/wafv2/pom.xml b/services/wafv2/pom.xml index 02f6685db0bd..b08cad79c22e 100644 --- a/services/wafv2/pom.xml +++ b/services/wafv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 wafv2 AWS Java SDK :: Services :: WAFV2 diff --git a/services/wellarchitected/pom.xml b/services/wellarchitected/pom.xml index 425dfbf67c84..89105539aeed 100644 --- a/services/wellarchitected/pom.xml +++ b/services/wellarchitected/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 wellarchitected AWS Java SDK :: Services :: Well Architected diff --git a/services/wisdom/pom.xml b/services/wisdom/pom.xml index 0ea8c2bdc6a5..701ad47996d9 100644 --- a/services/wisdom/pom.xml +++ b/services/wisdom/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 wisdom AWS Java SDK :: Services :: Wisdom diff --git a/services/workdocs/pom.xml b/services/workdocs/pom.xml index 4e644271e147..001def99c793 100644 --- a/services/workdocs/pom.xml +++ b/services/workdocs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 workdocs AWS Java SDK :: Services :: Amazon WorkDocs diff --git a/services/worklink/pom.xml b/services/worklink/pom.xml index 96f4af96a69b..505db9188043 100644 --- a/services/worklink/pom.xml +++ b/services/worklink/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 worklink AWS Java SDK :: Services :: WorkLink diff --git a/services/workmail/pom.xml b/services/workmail/pom.xml index 15988ad61b3d..89a755e7b127 100644 --- a/services/workmail/pom.xml +++ b/services/workmail/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0-SNAPSHOT + 2.28.0 4.0.0 workmail diff --git a/services/workmailmessageflow/pom.xml b/services/workmailmessageflow/pom.xml index 0ef0f1f0b1a0..a53dd36cdeac 100644 --- a/services/workmailmessageflow/pom.xml +++ b/services/workmailmessageflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 workmailmessageflow AWS Java SDK :: Services :: WorkMailMessageFlow diff --git a/services/workspaces/pom.xml b/services/workspaces/pom.xml index 47125badbaf3..f90341202cb6 100644 --- a/services/workspaces/pom.xml +++ b/services/workspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 workspaces AWS Java SDK :: Services :: Amazon WorkSpaces diff --git a/services/workspacesthinclient/pom.xml b/services/workspacesthinclient/pom.xml index 0bc8f8ba4cfb..367f7cfc4446 100644 --- a/services/workspacesthinclient/pom.xml +++ b/services/workspacesthinclient/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 workspacesthinclient AWS Java SDK :: Services :: Work Spaces Thin Client diff --git a/services/workspacesweb/pom.xml b/services/workspacesweb/pom.xml index 04ba75571b0a..e0e1b5201d42 100644 --- a/services/workspacesweb/pom.xml +++ b/services/workspacesweb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 workspacesweb AWS Java SDK :: Services :: Work Spaces Web diff --git a/services/xray/pom.xml b/services/xray/pom.xml index f48ae22c09e5..cb7f121ea434 100644 --- a/services/xray/pom.xml +++ b/services/xray/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0-SNAPSHOT + 2.28.0 xray AWS Java SDK :: Services :: AWS X-Ray diff --git a/test/auth-tests/pom.xml b/test/auth-tests/pom.xml index 1f111cfdc434..96aee93f63c4 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.0-SNAPSHOT + 2.28.0 ../../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 3d94f8ea5b6f..20556ecf473d 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.0-SNAPSHOT + 2.28.0 ../../pom.xml 4.0.0 diff --git a/test/bundle-shading-tests/pom.xml b/test/bundle-shading-tests/pom.xml index f0f70e7ede7e..7e0dcb865777 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.0-SNAPSHOT + 2.28.0 ../../pom.xml 4.0.0 diff --git a/test/codegen-generated-classes-test/pom.xml b/test/codegen-generated-classes-test/pom.xml index 4b8c59f159b6..e3c8c5306fa6 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.0-SNAPSHOT + 2.28.0 ../../pom.xml diff --git a/test/crt-unavailable-tests/pom.xml b/test/crt-unavailable-tests/pom.xml index 26bf6e13be03..f9078c3ed136 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.0-SNAPSHOT + 2.28.0 ../../pom.xml 4.0.0 diff --git a/test/http-client-tests/pom.xml b/test/http-client-tests/pom.xml index 19b7f8dd9510..eb0bedd8dc51 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.0-SNAPSHOT + 2.28.0 ../../pom.xml http-client-tests diff --git a/test/module-path-tests/pom.xml b/test/module-path-tests/pom.xml index 05dc91a3e47c..3b46083bd609 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.0-SNAPSHOT + 2.28.0 ../../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 c278ca9dbd3d..d2026e612d2a 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.0-SNAPSHOT + 2.28.0 ../../pom.xml diff --git a/test/protocol-tests-core/pom.xml b/test/protocol-tests-core/pom.xml index 88e857d33e53..7ab0dc4f4655 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.0-SNAPSHOT + 2.28.0 ../../pom.xml 4.0.0 diff --git a/test/protocol-tests/pom.xml b/test/protocol-tests/pom.xml index 93f68a96683e..a3cf3860d56f 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.0-SNAPSHOT + 2.28.0 ../../pom.xml 4.0.0 diff --git a/test/region-testing/pom.xml b/test/region-testing/pom.xml index 9ff4b0d907ff..43daed8fdd6f 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.0-SNAPSHOT + 2.28.0 ../../pom.xml 4.0.0 diff --git a/test/ruleset-testing-core/pom.xml b/test/ruleset-testing-core/pom.xml index f88d904ff426..ec25edd52fab 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.0-SNAPSHOT + 2.28.0 ../../pom.xml 4.0.0 diff --git a/test/s3-benchmarks/pom.xml b/test/s3-benchmarks/pom.xml index 31563854f3f0..dd5772648ba4 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.0-SNAPSHOT + 2.28.0 ../../pom.xml 4.0.0 diff --git a/test/sdk-benchmarks/pom.xml b/test/sdk-benchmarks/pom.xml index 2034e66cf444..4c1ece979d8a 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.0-SNAPSHOT + 2.28.0 ../../pom.xml diff --git a/test/sdk-native-image-test/pom.xml b/test/sdk-native-image-test/pom.xml index 79c3a03936ca..e0e27bf8f34f 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.0-SNAPSHOT + 2.28.0 ../../pom.xml 4.0.0 diff --git a/test/service-test-utils/pom.xml b/test/service-test-utils/pom.xml index 06efa330ac69..2a55f484161d 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.0-SNAPSHOT + 2.28.0 ../../pom.xml service-test-utils diff --git a/test/stability-tests/pom.xml b/test/stability-tests/pom.xml index 8e92497eff0e..a08b3ff3990f 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.0-SNAPSHOT + 2.28.0 ../../pom.xml 4.0.0 diff --git a/test/test-utils/pom.xml b/test/test-utils/pom.xml index 116e1d5cc3a1..cd1a38d3ad7a 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.0-SNAPSHOT + 2.28.0 ../../pom.xml test-utils diff --git a/test/tests-coverage-reporting/pom.xml b/test/tests-coverage-reporting/pom.xml index 553c1700d303..d986368f345c 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.0-SNAPSHOT + 2.28.0 ../../pom.xml 4.0.0 diff --git a/test/v2-migration-tests/pom.xml b/test/v2-migration-tests/pom.xml index 696b4fdede2a..5b1073609b90 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.0-SNAPSHOT + 2.28.0 ../.. diff --git a/third-party/pom.xml b/third-party/pom.xml index d9df31884c93..dcde553e6a16 100644 --- a/third-party/pom.xml +++ b/third-party/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.0-SNAPSHOT + 2.28.0 third-party diff --git a/third-party/third-party-jackson-core/pom.xml b/third-party/third-party-jackson-core/pom.xml index 92830730aca5..f8d1c420e1fc 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.0-SNAPSHOT + 2.28.0 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 b9c8a28678e8..355c6260f85f 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.0-SNAPSHOT + 2.28.0 4.0.0 diff --git a/third-party/third-party-slf4j-api/pom.xml b/third-party/third-party-slf4j-api/pom.xml index 149d17fede81..a57f4a9f2fc1 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.0-SNAPSHOT + 2.28.0 4.0.0 diff --git a/utils/pom.xml b/utils/pom.xml index 0a26de96cd1f..b1f75629d9e0 100644 --- a/utils/pom.xml +++ b/utils/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.0-SNAPSHOT + 2.28.0 4.0.0 diff --git a/v2-migration/pom.xml b/v2-migration/pom.xml index 21dabdb3bff6..81dfa0877f06 100644 --- a/v2-migration/pom.xml +++ b/v2-migration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.0-SNAPSHOT + 2.28.0 ../pom.xml From 84f56306e341ec63fa4018d1b40b35396b791359 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Thu, 12 Sep 2024 18:54:53 +0000 Subject: [PATCH 076/108] Update to next snapshot version: 2.28.1-SNAPSHOT --- 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/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 +- metric-publishers/cloudwatch-metric-publisher/pom.xml | 2 +- metric-publishers/pom.xml | 2 +- pom.xml | 4 ++-- 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 +- services-custom/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/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 +- services/licensemanagerlinuxsubscriptions/pom.xml | 2 +- services/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/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 +- services/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/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/worklink/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 +- test/bundle-logging-bridge-binding-test/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 +- test/old-client-version-compatibility-test/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 +- third-party/third-party-jackson-dataformat-cbor/pom.xml | 2 +- third-party/third-party-slf4j-api/pom.xml | 2 +- utils/pom.xml | 2 +- v2-migration/pom.xml | 2 +- 469 files changed, 470 insertions(+), 470 deletions(-) diff --git a/archetypes/archetype-app-quickstart/pom.xml b/archetypes/archetype-app-quickstart/pom.xml index a4661e203066..f6d375807ea8 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.0 + 2.28.1-SNAPSHOT 4.0.0 diff --git a/archetypes/archetype-lambda/pom.xml b/archetypes/archetype-lambda/pom.xml index a6a1af98fc3a..7370c6ab853d 100644 --- a/archetypes/archetype-lambda/pom.xml +++ b/archetypes/archetype-lambda/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.28.0 + 2.28.1-SNAPSHOT 4.0.0 archetype-lambda diff --git a/archetypes/archetype-tools/pom.xml b/archetypes/archetype-tools/pom.xml index d8f70ed82e97..a1952574b627 100644 --- a/archetypes/archetype-tools/pom.xml +++ b/archetypes/archetype-tools/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.28.0 + 2.28.1-SNAPSHOT 4.0.0 diff --git a/archetypes/pom.xml b/archetypes/pom.xml index 99a908afeac8..7ce6128f614f 100644 --- a/archetypes/pom.xml +++ b/archetypes/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.0 + 2.28.1-SNAPSHOT 4.0.0 archetypes diff --git a/aws-sdk-java/pom.xml b/aws-sdk-java/pom.xml index b86231f29381..995ebd458888 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.0 + 2.28.1-SNAPSHOT ../pom.xml aws-sdk-java diff --git a/bom-internal/pom.xml b/bom-internal/pom.xml index a8eb3dee4ddf..fd18111940a8 100644 --- a/bom-internal/pom.xml +++ b/bom-internal/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.0 + 2.28.1-SNAPSHOT 4.0.0 diff --git a/bom/pom.xml b/bom/pom.xml index 248562e1dfb8..c850ada6b46c 100644 --- a/bom/pom.xml +++ b/bom/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.0 + 2.28.1-SNAPSHOT ../pom.xml bom diff --git a/bundle-logging-bridge/pom.xml b/bundle-logging-bridge/pom.xml index bff06b389124..d53e43323f2b 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.0 + 2.28.1-SNAPSHOT bundle-logging-bridge jar diff --git a/bundle-sdk/pom.xml b/bundle-sdk/pom.xml index c1c7dda9f99c..c378935730bf 100644 --- a/bundle-sdk/pom.xml +++ b/bundle-sdk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.0 + 2.28.1-SNAPSHOT bundle-sdk jar diff --git a/bundle/pom.xml b/bundle/pom.xml index fc561bd0154a..48d0cd8e592f 100644 --- a/bundle/pom.xml +++ b/bundle/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.0 + 2.28.1-SNAPSHOT bundle jar diff --git a/codegen-lite-maven-plugin/pom.xml b/codegen-lite-maven-plugin/pom.xml index 0821ed8cf09e..0d193a704187 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.0 + 2.28.1-SNAPSHOT ../pom.xml codegen-lite-maven-plugin diff --git a/codegen-lite/pom.xml b/codegen-lite/pom.xml index e858c60d8b55..e3f982259354 100644 --- a/codegen-lite/pom.xml +++ b/codegen-lite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.0 + 2.28.1-SNAPSHOT codegen-lite AWS Java SDK :: Code Generator Lite diff --git a/codegen-maven-plugin/pom.xml b/codegen-maven-plugin/pom.xml index 9d7c42503616..4f179a32e5fd 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.0 + 2.28.1-SNAPSHOT ../pom.xml codegen-maven-plugin diff --git a/codegen/pom.xml b/codegen/pom.xml index 8d4aeeac3114..15d163f04a95 100644 --- a/codegen/pom.xml +++ b/codegen/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.0 + 2.28.1-SNAPSHOT codegen AWS Java SDK :: Code Generator diff --git a/core/annotations/pom.xml b/core/annotations/pom.xml index e84f36225fa4..75458918b257 100644 --- a/core/annotations/pom.xml +++ b/core/annotations/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.0 + 2.28.1-SNAPSHOT 4.0.0 diff --git a/core/arns/pom.xml b/core/arns/pom.xml index 3c15e2556ec3..1f93be6035d1 100644 --- a/core/arns/pom.xml +++ b/core/arns/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.0 + 2.28.1-SNAPSHOT 4.0.0 diff --git a/core/auth-crt/pom.xml b/core/auth-crt/pom.xml index b0a4494ddda1..97d2f340dd92 100644 --- a/core/auth-crt/pom.xml +++ b/core/auth-crt/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.0 + 2.28.1-SNAPSHOT auth-crt diff --git a/core/auth/pom.xml b/core/auth/pom.xml index 2e5c3e55494d..9d476a875f35 100644 --- a/core/auth/pom.xml +++ b/core/auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.0 + 2.28.1-SNAPSHOT auth diff --git a/core/aws-core/pom.xml b/core/aws-core/pom.xml index 13f61efce323..878c5f708782 100644 --- a/core/aws-core/pom.xml +++ b/core/aws-core/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.0 + 2.28.1-SNAPSHOT aws-core diff --git a/core/checksums-spi/pom.xml b/core/checksums-spi/pom.xml index e9ef94348bef..9564fc20a181 100644 --- a/core/checksums-spi/pom.xml +++ b/core/checksums-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.0 + 2.28.1-SNAPSHOT checksums-spi diff --git a/core/checksums/pom.xml b/core/checksums/pom.xml index 0331bf5ccf48..73f78fc91efd 100644 --- a/core/checksums/pom.xml +++ b/core/checksums/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.0 + 2.28.1-SNAPSHOT checksums diff --git a/core/crt-core/pom.xml b/core/crt-core/pom.xml index 810fe33cdc0b..ccc40e26a497 100644 --- a/core/crt-core/pom.xml +++ b/core/crt-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.28.0 + 2.28.1-SNAPSHOT crt-core diff --git a/core/endpoints-spi/pom.xml b/core/endpoints-spi/pom.xml index 531d7c2863a5..3dc74de00e04 100644 --- a/core/endpoints-spi/pom.xml +++ b/core/endpoints-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.0 + 2.28.1-SNAPSHOT 4.0.0 diff --git a/core/http-auth-aws-crt/pom.xml b/core/http-auth-aws-crt/pom.xml index c3ca1214068d..64cbb339a89c 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.0 + 2.28.1-SNAPSHOT http-auth-aws-crt diff --git a/core/http-auth-aws-eventstream/pom.xml b/core/http-auth-aws-eventstream/pom.xml index c0c521503c02..42cf4fb64fb6 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.0 + 2.28.1-SNAPSHOT http-auth-aws-eventstream diff --git a/core/http-auth-aws/pom.xml b/core/http-auth-aws/pom.xml index 81b69bfc9083..fcf89e8c5d45 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.0 + 2.28.1-SNAPSHOT http-auth-aws diff --git a/core/http-auth-spi/pom.xml b/core/http-auth-spi/pom.xml index a3df55b85cea..5b1c299c2b9a 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.0 + 2.28.1-SNAPSHOT http-auth-spi diff --git a/core/http-auth/pom.xml b/core/http-auth/pom.xml index 274520b23ff6..80a5a90a3dba 100644 --- a/core/http-auth/pom.xml +++ b/core/http-auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.0 + 2.28.1-SNAPSHOT http-auth diff --git a/core/identity-spi/pom.xml b/core/identity-spi/pom.xml index 5d862012e156..2a1b6bc324a6 100644 --- a/core/identity-spi/pom.xml +++ b/core/identity-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.0 + 2.28.1-SNAPSHOT identity-spi diff --git a/core/imds/pom.xml b/core/imds/pom.xml index c706ed173878..6747e030b8d2 100644 --- a/core/imds/pom.xml +++ b/core/imds/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.0 + 2.28.1-SNAPSHOT 4.0.0 imds diff --git a/core/json-utils/pom.xml b/core/json-utils/pom.xml index ae49f7ccea4f..81c48bd02850 100644 --- a/core/json-utils/pom.xml +++ b/core/json-utils/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.0 + 2.28.1-SNAPSHOT 4.0.0 diff --git a/core/metrics-spi/pom.xml b/core/metrics-spi/pom.xml index 53481a9be4f4..c0bb695f38eb 100644 --- a/core/metrics-spi/pom.xml +++ b/core/metrics-spi/pom.xml @@ -5,7 +5,7 @@ core software.amazon.awssdk - 2.28.0 + 2.28.1-SNAPSHOT 4.0.0 diff --git a/core/pom.xml b/core/pom.xml index 0f21e3ff6902..226ef2471966 100644 --- a/core/pom.xml +++ b/core/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.0 + 2.28.1-SNAPSHOT core diff --git a/core/profiles/pom.xml b/core/profiles/pom.xml index b6ed1a0a63bd..e0dce2737629 100644 --- a/core/profiles/pom.xml +++ b/core/profiles/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.0 + 2.28.1-SNAPSHOT profiles diff --git a/core/protocols/aws-cbor-protocol/pom.xml b/core/protocols/aws-cbor-protocol/pom.xml index c3cf6b17c617..d66681b41a35 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.0 + 2.28.1-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-json-protocol/pom.xml b/core/protocols/aws-json-protocol/pom.xml index e7a36dc92f32..175661676d80 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.0 + 2.28.1-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-query-protocol/pom.xml b/core/protocols/aws-query-protocol/pom.xml index 473b5de832c6..d4f85df96032 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.0 + 2.28.1-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-xml-protocol/pom.xml b/core/protocols/aws-xml-protocol/pom.xml index b3afcfe0030b..952e5b1d3bc2 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.0 + 2.28.1-SNAPSHOT 4.0.0 diff --git a/core/protocols/pom.xml b/core/protocols/pom.xml index 6a32cfe2ebf2..44006696acdd 100644 --- a/core/protocols/pom.xml +++ b/core/protocols/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.0 + 2.28.1-SNAPSHOT 4.0.0 diff --git a/core/protocols/protocol-core/pom.xml b/core/protocols/protocol-core/pom.xml index 8be8766f0d6f..6d667f6eb16e 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.0 + 2.28.1-SNAPSHOT 4.0.0 diff --git a/core/regions/pom.xml b/core/regions/pom.xml index 058420932df2..088165b0f6de 100644 --- a/core/regions/pom.xml +++ b/core/regions/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.0 + 2.28.1-SNAPSHOT regions diff --git a/core/retries-spi/pom.xml b/core/retries-spi/pom.xml index 895312e82b42..c5a63b20540f 100644 --- a/core/retries-spi/pom.xml +++ b/core/retries-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.0 + 2.28.1-SNAPSHOT 4.0.0 diff --git a/core/retries/pom.xml b/core/retries/pom.xml index 8d8dceae7dd8..2188bb8de8bb 100644 --- a/core/retries/pom.xml +++ b/core/retries/pom.xml @@ -21,7 +21,7 @@ core software.amazon.awssdk - 2.28.0 + 2.28.1-SNAPSHOT 4.0.0 diff --git a/core/sdk-core/pom.xml b/core/sdk-core/pom.xml index e11ca14a5efe..55f9d8743cb6 100644 --- a/core/sdk-core/pom.xml +++ b/core/sdk-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.28.0 + 2.28.1-SNAPSHOT sdk-core AWS Java SDK :: SDK Core diff --git a/http-client-spi/pom.xml b/http-client-spi/pom.xml index 829adabb5114..040fad87a0a6 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.0 + 2.28.1-SNAPSHOT http-client-spi AWS Java SDK :: HTTP Client Interface diff --git a/http-clients/apache-client/pom.xml b/http-clients/apache-client/pom.xml index e04b61c0ddd5..4ea196ab967a 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.0 + 2.28.1-SNAPSHOT apache-client diff --git a/http-clients/aws-crt-client/pom.xml b/http-clients/aws-crt-client/pom.xml index a4d6004a8697..8ea1d04f2655 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.0 + 2.28.1-SNAPSHOT 4.0.0 diff --git a/http-clients/netty-nio-client/pom.xml b/http-clients/netty-nio-client/pom.xml index 411ab4833fc2..583e52c26752 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.0 + 2.28.1-SNAPSHOT 4.0.0 diff --git a/http-clients/pom.xml b/http-clients/pom.xml index bfb9ad5c7d78..12422c74b88d 100644 --- a/http-clients/pom.xml +++ b/http-clients/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.0 + 2.28.1-SNAPSHOT 4.0.0 diff --git a/http-clients/url-connection-client/pom.xml b/http-clients/url-connection-client/pom.xml index ae59925d79bf..9647bc2ac057 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.0 + 2.28.1-SNAPSHOT 4.0.0 diff --git a/metric-publishers/cloudwatch-metric-publisher/pom.xml b/metric-publishers/cloudwatch-metric-publisher/pom.xml index d987b87ebce9..8f60e0eb13e2 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.0 + 2.28.1-SNAPSHOT cloudwatch-metric-publisher diff --git a/metric-publishers/pom.xml b/metric-publishers/pom.xml index 77ef34fac920..a4bf32cec15f 100644 --- a/metric-publishers/pom.xml +++ b/metric-publishers/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.0 + 2.28.1-SNAPSHOT metric-publishers diff --git a/pom.xml b/pom.xml index 2105d1003290..5305b3830f22 100644 --- a/pom.xml +++ b/pom.xml @@ -20,7 +20,7 @@ 4.0.0 software.amazon.awssdk aws-sdk-java-pom - 2.28.0 + 2.28.1-SNAPSHOT pom AWS Java SDK :: Parent The Amazon Web Services SDK for Java provides Java APIs @@ -99,7 +99,7 @@ ${project.version} - 2.27.24 + 2.28.0 2.15.2 2.15.2 2.13.2 diff --git a/release-scripts/pom.xml b/release-scripts/pom.xml index d53ad1802c2e..5db32e5a9c17 100644 --- a/release-scripts/pom.xml +++ b/release-scripts/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.0 + 2.28.1-SNAPSHOT ../pom.xml release-scripts diff --git a/services-custom/dynamodb-enhanced/pom.xml b/services-custom/dynamodb-enhanced/pom.xml index 1f5ff60abc9f..864bace88006 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.0 + 2.28.1-SNAPSHOT dynamodb-enhanced AWS Java SDK :: DynamoDB :: Enhanced Client diff --git a/services-custom/iam-policy-builder/pom.xml b/services-custom/iam-policy-builder/pom.xml index f7ef4dd7f49c..02ca6cde2e67 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.0 + 2.28.1-SNAPSHOT ../../pom.xml iam-policy-builder diff --git a/services-custom/pom.xml b/services-custom/pom.xml index 46a290b7251d..6636f57dd702 100644 --- a/services-custom/pom.xml +++ b/services-custom/pom.xml @@ -19,7 +19,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.0 + 2.28.1-SNAPSHOT services-custom AWS Java SDK :: Custom Services diff --git a/services-custom/s3-event-notifications/pom.xml b/services-custom/s3-event-notifications/pom.xml index e13dc65ee355..4f2477d66e31 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.0 + 2.28.1-SNAPSHOT ../../pom.xml s3-event-notifications diff --git a/services-custom/s3-transfer-manager/pom.xml b/services-custom/s3-transfer-manager/pom.xml index 9ad4e7e51487..746908a1ba16 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.0 + 2.28.1-SNAPSHOT ../../pom.xml s3-transfer-manager diff --git a/services/accessanalyzer/pom.xml b/services/accessanalyzer/pom.xml index 55695c5fc809..6c25569a9f89 100644 --- a/services/accessanalyzer/pom.xml +++ b/services/accessanalyzer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT accessanalyzer AWS Java SDK :: Services :: AccessAnalyzer diff --git a/services/account/pom.xml b/services/account/pom.xml index ec458bc9b996..c386eede7a64 100644 --- a/services/account/pom.xml +++ b/services/account/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT account AWS Java SDK :: Services :: Account diff --git a/services/acm/pom.xml b/services/acm/pom.xml index 49c36d419bf2..82db29eb38bf 100644 --- a/services/acm/pom.xml +++ b/services/acm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT acm AWS Java SDK :: Services :: AWS Certificate Manager diff --git a/services/acmpca/pom.xml b/services/acmpca/pom.xml index 3012d1282df3..b17d0418b263 100644 --- a/services/acmpca/pom.xml +++ b/services/acmpca/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT acmpca AWS Java SDK :: Services :: ACM PCA diff --git a/services/amp/pom.xml b/services/amp/pom.xml index 8c57d87ca418..0b5c8a306bea 100644 --- a/services/amp/pom.xml +++ b/services/amp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT amp AWS Java SDK :: Services :: Amp diff --git a/services/amplify/pom.xml b/services/amplify/pom.xml index 7404fa204b83..a607562fdedb 100644 --- a/services/amplify/pom.xml +++ b/services/amplify/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT amplify AWS Java SDK :: Services :: Amplify diff --git a/services/amplifybackend/pom.xml b/services/amplifybackend/pom.xml index 216cdac1711b..ad6680909e20 100644 --- a/services/amplifybackend/pom.xml +++ b/services/amplifybackend/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT amplifybackend AWS Java SDK :: Services :: Amplify Backend diff --git a/services/amplifyuibuilder/pom.xml b/services/amplifyuibuilder/pom.xml index 0637f58625f6..699f417deeca 100644 --- a/services/amplifyuibuilder/pom.xml +++ b/services/amplifyuibuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT amplifyuibuilder AWS Java SDK :: Services :: Amplify UI Builder diff --git a/services/apigateway/pom.xml b/services/apigateway/pom.xml index 21361ab9562f..0e307cdd0715 100644 --- a/services/apigateway/pom.xml +++ b/services/apigateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT apigateway AWS Java SDK :: Services :: Amazon API Gateway diff --git a/services/apigatewaymanagementapi/pom.xml b/services/apigatewaymanagementapi/pom.xml index fc75d4f5d0da..4b0750b96715 100644 --- a/services/apigatewaymanagementapi/pom.xml +++ b/services/apigatewaymanagementapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT apigatewaymanagementapi AWS Java SDK :: Services :: ApiGatewayManagementApi diff --git a/services/apigatewayv2/pom.xml b/services/apigatewayv2/pom.xml index d52c8573a819..535f8ed28d9c 100644 --- a/services/apigatewayv2/pom.xml +++ b/services/apigatewayv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT apigatewayv2 AWS Java SDK :: Services :: ApiGatewayV2 diff --git a/services/appconfig/pom.xml b/services/appconfig/pom.xml index f48e0f08f4f7..8958c9de5cb9 100644 --- a/services/appconfig/pom.xml +++ b/services/appconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT appconfig AWS Java SDK :: Services :: AppConfig diff --git a/services/appconfigdata/pom.xml b/services/appconfigdata/pom.xml index 7e860d6be80a..e66553dcb194 100644 --- a/services/appconfigdata/pom.xml +++ b/services/appconfigdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT appconfigdata AWS Java SDK :: Services :: App Config Data diff --git a/services/appfabric/pom.xml b/services/appfabric/pom.xml index 0fc5a7e5ebad..8c703fcc3f51 100644 --- a/services/appfabric/pom.xml +++ b/services/appfabric/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT appfabric AWS Java SDK :: Services :: App Fabric diff --git a/services/appflow/pom.xml b/services/appflow/pom.xml index 4e0d0cd60713..b642e5be167d 100644 --- a/services/appflow/pom.xml +++ b/services/appflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT appflow AWS Java SDK :: Services :: Appflow diff --git a/services/appintegrations/pom.xml b/services/appintegrations/pom.xml index 8eefe1d98c24..74ac4199fec9 100644 --- a/services/appintegrations/pom.xml +++ b/services/appintegrations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT appintegrations AWS Java SDK :: Services :: App Integrations diff --git a/services/applicationautoscaling/pom.xml b/services/applicationautoscaling/pom.xml index 819bfcbe8b37..d62b8cf603a8 100644 --- a/services/applicationautoscaling/pom.xml +++ b/services/applicationautoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT applicationautoscaling AWS Java SDK :: Services :: AWS Application Auto Scaling diff --git a/services/applicationcostprofiler/pom.xml b/services/applicationcostprofiler/pom.xml index 5e2a5255638f..7a8deb0c3583 100644 --- a/services/applicationcostprofiler/pom.xml +++ b/services/applicationcostprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT applicationcostprofiler AWS Java SDK :: Services :: Application Cost Profiler diff --git a/services/applicationdiscovery/pom.xml b/services/applicationdiscovery/pom.xml index 6f8deca9f032..87ea59ff406a 100644 --- a/services/applicationdiscovery/pom.xml +++ b/services/applicationdiscovery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT applicationdiscovery AWS Java SDK :: Services :: AWS Application Discovery Service diff --git a/services/applicationinsights/pom.xml b/services/applicationinsights/pom.xml index 5ec4ed8bada1..130135e62a6d 100644 --- a/services/applicationinsights/pom.xml +++ b/services/applicationinsights/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT applicationinsights AWS Java SDK :: Services :: Application Insights diff --git a/services/applicationsignals/pom.xml b/services/applicationsignals/pom.xml index 751d0cd9930c..56078d504769 100644 --- a/services/applicationsignals/pom.xml +++ b/services/applicationsignals/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT applicationsignals AWS Java SDK :: Services :: Application Signals diff --git a/services/appmesh/pom.xml b/services/appmesh/pom.xml index 3b6558c29ec9..8751db66d5e7 100644 --- a/services/appmesh/pom.xml +++ b/services/appmesh/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT appmesh AWS Java SDK :: Services :: App Mesh diff --git a/services/apprunner/pom.xml b/services/apprunner/pom.xml index 0ab07bfffc9b..6070574d1042 100644 --- a/services/apprunner/pom.xml +++ b/services/apprunner/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT apprunner AWS Java SDK :: Services :: App Runner diff --git a/services/appstream/pom.xml b/services/appstream/pom.xml index 528336404d1c..fa32afa8209c 100644 --- a/services/appstream/pom.xml +++ b/services/appstream/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT appstream AWS Java SDK :: Services :: Amazon AppStream diff --git a/services/appsync/pom.xml b/services/appsync/pom.xml index 8532732d3841..4263fa3c8a9e 100644 --- a/services/appsync/pom.xml +++ b/services/appsync/pom.xml @@ -21,7 +21,7 @@ services software.amazon.awssdk - 2.28.0 + 2.28.1-SNAPSHOT appsync diff --git a/services/apptest/pom.xml b/services/apptest/pom.xml index 093f79f36497..5b503da32a84 100644 --- a/services/apptest/pom.xml +++ b/services/apptest/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT apptest AWS Java SDK :: Services :: App Test diff --git a/services/arczonalshift/pom.xml b/services/arczonalshift/pom.xml index b7930e223154..7d663de8b493 100644 --- a/services/arczonalshift/pom.xml +++ b/services/arczonalshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT arczonalshift AWS Java SDK :: Services :: ARC Zonal Shift diff --git a/services/artifact/pom.xml b/services/artifact/pom.xml index a4cded12112c..887991e499d4 100644 --- a/services/artifact/pom.xml +++ b/services/artifact/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT artifact AWS Java SDK :: Services :: Artifact diff --git a/services/athena/pom.xml b/services/athena/pom.xml index 77fd96738559..4f125f4f9274 100644 --- a/services/athena/pom.xml +++ b/services/athena/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT athena AWS Java SDK :: Services :: Amazon Athena diff --git a/services/auditmanager/pom.xml b/services/auditmanager/pom.xml index a1199e02c47b..1cbbdfa70ec3 100644 --- a/services/auditmanager/pom.xml +++ b/services/auditmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT auditmanager AWS Java SDK :: Services :: Audit Manager diff --git a/services/autoscaling/pom.xml b/services/autoscaling/pom.xml index 48504a59f039..d1902a31e2e9 100644 --- a/services/autoscaling/pom.xml +++ b/services/autoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT autoscaling AWS Java SDK :: Services :: Auto Scaling diff --git a/services/autoscalingplans/pom.xml b/services/autoscalingplans/pom.xml index 550abc9be2a4..53b0e16c129a 100644 --- a/services/autoscalingplans/pom.xml +++ b/services/autoscalingplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT autoscalingplans AWS Java SDK :: Services :: Auto Scaling Plans diff --git a/services/b2bi/pom.xml b/services/b2bi/pom.xml index 870d128da2c3..55b0291a4d77 100644 --- a/services/b2bi/pom.xml +++ b/services/b2bi/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT b2bi AWS Java SDK :: Services :: B2 Bi diff --git a/services/backup/pom.xml b/services/backup/pom.xml index ef99e0b88ef1..871872fdd36f 100644 --- a/services/backup/pom.xml +++ b/services/backup/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT backup AWS Java SDK :: Services :: Backup diff --git a/services/backupgateway/pom.xml b/services/backupgateway/pom.xml index 0b54ae898fc3..67417c982b07 100644 --- a/services/backupgateway/pom.xml +++ b/services/backupgateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT backupgateway AWS Java SDK :: Services :: Backup Gateway diff --git a/services/batch/pom.xml b/services/batch/pom.xml index 06cace604ddc..09952b5e8a6c 100644 --- a/services/batch/pom.xml +++ b/services/batch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT batch AWS Java SDK :: Services :: AWS Batch diff --git a/services/bcmdataexports/pom.xml b/services/bcmdataexports/pom.xml index 483f82db4973..dcc8f0f023d2 100644 --- a/services/bcmdataexports/pom.xml +++ b/services/bcmdataexports/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT bcmdataexports AWS Java SDK :: Services :: BCM Data Exports diff --git a/services/bedrock/pom.xml b/services/bedrock/pom.xml index 6b903697abbb..0400721e38b2 100644 --- a/services/bedrock/pom.xml +++ b/services/bedrock/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT bedrock AWS Java SDK :: Services :: Bedrock diff --git a/services/bedrockagent/pom.xml b/services/bedrockagent/pom.xml index b379972e3c3b..d3cc86799d8d 100644 --- a/services/bedrockagent/pom.xml +++ b/services/bedrockagent/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT bedrockagent AWS Java SDK :: Services :: Bedrock Agent diff --git a/services/bedrockagentruntime/pom.xml b/services/bedrockagentruntime/pom.xml index c1a08b89c842..4ad70a67b85f 100644 --- a/services/bedrockagentruntime/pom.xml +++ b/services/bedrockagentruntime/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT bedrockagentruntime AWS Java SDK :: Services :: Bedrock Agent Runtime diff --git a/services/bedrockruntime/pom.xml b/services/bedrockruntime/pom.xml index 14536b1755ee..2aaa12b1f0ac 100644 --- a/services/bedrockruntime/pom.xml +++ b/services/bedrockruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT bedrockruntime AWS Java SDK :: Services :: Bedrock Runtime diff --git a/services/billingconductor/pom.xml b/services/billingconductor/pom.xml index 566348c90b5d..bc0f656afb12 100644 --- a/services/billingconductor/pom.xml +++ b/services/billingconductor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT billingconductor AWS Java SDK :: Services :: Billingconductor diff --git a/services/braket/pom.xml b/services/braket/pom.xml index a8eea3658027..a1deb2cde003 100644 --- a/services/braket/pom.xml +++ b/services/braket/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT braket AWS Java SDK :: Services :: Braket diff --git a/services/budgets/pom.xml b/services/budgets/pom.xml index 4d07f47b5070..aea93cd9c093 100644 --- a/services/budgets/pom.xml +++ b/services/budgets/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT budgets AWS Java SDK :: Services :: AWS Budgets diff --git a/services/chatbot/pom.xml b/services/chatbot/pom.xml index 8efd5e0cb2c8..36df37172e0b 100644 --- a/services/chatbot/pom.xml +++ b/services/chatbot/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT chatbot AWS Java SDK :: Services :: Chatbot diff --git a/services/chime/pom.xml b/services/chime/pom.xml index 672cb124233a..60eccc2372e8 100644 --- a/services/chime/pom.xml +++ b/services/chime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT chime AWS Java SDK :: Services :: Chime diff --git a/services/chimesdkidentity/pom.xml b/services/chimesdkidentity/pom.xml index cbd81acbe11d..47368fd3d6d3 100644 --- a/services/chimesdkidentity/pom.xml +++ b/services/chimesdkidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT chimesdkidentity AWS Java SDK :: Services :: Chime SDK Identity diff --git a/services/chimesdkmediapipelines/pom.xml b/services/chimesdkmediapipelines/pom.xml index 28dc3bd9e4bb..e8828200da59 100644 --- a/services/chimesdkmediapipelines/pom.xml +++ b/services/chimesdkmediapipelines/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT chimesdkmediapipelines AWS Java SDK :: Services :: Chime SDK Media Pipelines diff --git a/services/chimesdkmeetings/pom.xml b/services/chimesdkmeetings/pom.xml index 6e9ba12c324c..2b2c932465fc 100644 --- a/services/chimesdkmeetings/pom.xml +++ b/services/chimesdkmeetings/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT chimesdkmeetings AWS Java SDK :: Services :: Chime SDK Meetings diff --git a/services/chimesdkmessaging/pom.xml b/services/chimesdkmessaging/pom.xml index 3af258f9a783..a59544b5ccd1 100644 --- a/services/chimesdkmessaging/pom.xml +++ b/services/chimesdkmessaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT chimesdkmessaging AWS Java SDK :: Services :: Chime SDK Messaging diff --git a/services/chimesdkvoice/pom.xml b/services/chimesdkvoice/pom.xml index 140db9fd9210..fd7d674d12d6 100644 --- a/services/chimesdkvoice/pom.xml +++ b/services/chimesdkvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT chimesdkvoice AWS Java SDK :: Services :: Chime SDK Voice diff --git a/services/cleanrooms/pom.xml b/services/cleanrooms/pom.xml index 6966c4f1c00f..f5a091ac4dc5 100644 --- a/services/cleanrooms/pom.xml +++ b/services/cleanrooms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT cleanrooms AWS Java SDK :: Services :: Clean Rooms diff --git a/services/cleanroomsml/pom.xml b/services/cleanroomsml/pom.xml index cc992349a228..526d3d696237 100644 --- a/services/cleanroomsml/pom.xml +++ b/services/cleanroomsml/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT cleanroomsml AWS Java SDK :: Services :: Clean Rooms ML diff --git a/services/cloud9/pom.xml b/services/cloud9/pom.xml index 03d96bbb4a70..a1e60f6b9c91 100644 --- a/services/cloud9/pom.xml +++ b/services/cloud9/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0 + 2.28.1-SNAPSHOT 4.0.0 cloud9 diff --git a/services/cloudcontrol/pom.xml b/services/cloudcontrol/pom.xml index 1e2904310a59..5408d3ca9d56 100644 --- a/services/cloudcontrol/pom.xml +++ b/services/cloudcontrol/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT cloudcontrol AWS Java SDK :: Services :: Cloud Control diff --git a/services/clouddirectory/pom.xml b/services/clouddirectory/pom.xml index aa368357191f..360521d94c16 100644 --- a/services/clouddirectory/pom.xml +++ b/services/clouddirectory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT clouddirectory AWS Java SDK :: Services :: Amazon CloudDirectory diff --git a/services/cloudformation/pom.xml b/services/cloudformation/pom.xml index 58bab04dd16c..b6df63b7206a 100644 --- a/services/cloudformation/pom.xml +++ b/services/cloudformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT cloudformation AWS Java SDK :: Services :: AWS CloudFormation diff --git a/services/cloudfront/pom.xml b/services/cloudfront/pom.xml index 76ba7a6cbaa0..9c1b6aa29749 100644 --- a/services/cloudfront/pom.xml +++ b/services/cloudfront/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT cloudfront AWS Java SDK :: Services :: Amazon CloudFront diff --git a/services/cloudfrontkeyvaluestore/pom.xml b/services/cloudfrontkeyvaluestore/pom.xml index a7724775ed3b..bf32b7d53916 100644 --- a/services/cloudfrontkeyvaluestore/pom.xml +++ b/services/cloudfrontkeyvaluestore/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT cloudfrontkeyvaluestore AWS Java SDK :: Services :: Cloud Front Key Value Store diff --git a/services/cloudhsm/pom.xml b/services/cloudhsm/pom.xml index 42a8110dee28..2ae8db2c7d67 100644 --- a/services/cloudhsm/pom.xml +++ b/services/cloudhsm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT cloudhsm AWS Java SDK :: Services :: AWS CloudHSM diff --git a/services/cloudhsmv2/pom.xml b/services/cloudhsmv2/pom.xml index 9e71b86b1591..51e18f11928f 100644 --- a/services/cloudhsmv2/pom.xml +++ b/services/cloudhsmv2/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0 + 2.28.1-SNAPSHOT 4.0.0 cloudhsmv2 diff --git a/services/cloudsearch/pom.xml b/services/cloudsearch/pom.xml index 33411b3e3a11..edae54b2c8da 100644 --- a/services/cloudsearch/pom.xml +++ b/services/cloudsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT cloudsearch AWS Java SDK :: Services :: Amazon CloudSearch diff --git a/services/cloudsearchdomain/pom.xml b/services/cloudsearchdomain/pom.xml index 4cd8e28be0bf..384b8f6293ea 100644 --- a/services/cloudsearchdomain/pom.xml +++ b/services/cloudsearchdomain/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT cloudsearchdomain AWS Java SDK :: Services :: Amazon CloudSearch Domain diff --git a/services/cloudtrail/pom.xml b/services/cloudtrail/pom.xml index bee278d96085..13b1725e3af3 100644 --- a/services/cloudtrail/pom.xml +++ b/services/cloudtrail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT cloudtrail AWS Java SDK :: Services :: AWS CloudTrail diff --git a/services/cloudtraildata/pom.xml b/services/cloudtraildata/pom.xml index 2a5f74ae74b3..2842ec88bf1f 100644 --- a/services/cloudtraildata/pom.xml +++ b/services/cloudtraildata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT cloudtraildata AWS Java SDK :: Services :: Cloud Trail Data diff --git a/services/cloudwatch/pom.xml b/services/cloudwatch/pom.xml index e0d38e80e04c..b495a9596d39 100644 --- a/services/cloudwatch/pom.xml +++ b/services/cloudwatch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT cloudwatch AWS Java SDK :: Services :: Amazon CloudWatch diff --git a/services/cloudwatchevents/pom.xml b/services/cloudwatchevents/pom.xml index 7e33cf0b9187..ca06a2827039 100644 --- a/services/cloudwatchevents/pom.xml +++ b/services/cloudwatchevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT cloudwatchevents AWS Java SDK :: Services :: Amazon CloudWatch Events diff --git a/services/cloudwatchlogs/pom.xml b/services/cloudwatchlogs/pom.xml index 4a6adebe4e51..a4786df791db 100644 --- a/services/cloudwatchlogs/pom.xml +++ b/services/cloudwatchlogs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT cloudwatchlogs AWS Java SDK :: Services :: Amazon CloudWatch Logs diff --git a/services/codeartifact/pom.xml b/services/codeartifact/pom.xml index 9a427d43c8c6..ceb3a0b5156c 100644 --- a/services/codeartifact/pom.xml +++ b/services/codeartifact/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT codeartifact AWS Java SDK :: Services :: Codeartifact diff --git a/services/codebuild/pom.xml b/services/codebuild/pom.xml index 772e863a831e..ee2e08da27fb 100644 --- a/services/codebuild/pom.xml +++ b/services/codebuild/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT codebuild AWS Java SDK :: Services :: AWS Code Build diff --git a/services/codecatalyst/pom.xml b/services/codecatalyst/pom.xml index a0d09732b6ae..85798ff5de0e 100644 --- a/services/codecatalyst/pom.xml +++ b/services/codecatalyst/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT codecatalyst AWS Java SDK :: Services :: Code Catalyst diff --git a/services/codecommit/pom.xml b/services/codecommit/pom.xml index c2ea99a86fd7..02de49cae6b7 100644 --- a/services/codecommit/pom.xml +++ b/services/codecommit/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT codecommit AWS Java SDK :: Services :: AWS CodeCommit diff --git a/services/codeconnections/pom.xml b/services/codeconnections/pom.xml index e815c6db8afc..8de9f98f49a6 100644 --- a/services/codeconnections/pom.xml +++ b/services/codeconnections/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT codeconnections AWS Java SDK :: Services :: Code Connections diff --git a/services/codedeploy/pom.xml b/services/codedeploy/pom.xml index a52b8e0f3a70..ea7286bd8113 100644 --- a/services/codedeploy/pom.xml +++ b/services/codedeploy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT codedeploy AWS Java SDK :: Services :: AWS CodeDeploy diff --git a/services/codeguruprofiler/pom.xml b/services/codeguruprofiler/pom.xml index c15870219069..ff41783315af 100644 --- a/services/codeguruprofiler/pom.xml +++ b/services/codeguruprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT codeguruprofiler AWS Java SDK :: Services :: CodeGuruProfiler diff --git a/services/codegurureviewer/pom.xml b/services/codegurureviewer/pom.xml index e29ffaf50778..9e5463608adc 100644 --- a/services/codegurureviewer/pom.xml +++ b/services/codegurureviewer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT codegurureviewer AWS Java SDK :: Services :: CodeGuru Reviewer diff --git a/services/codegurusecurity/pom.xml b/services/codegurusecurity/pom.xml index 9ec9b8e1aa77..47c1398fdd52 100644 --- a/services/codegurusecurity/pom.xml +++ b/services/codegurusecurity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT codegurusecurity AWS Java SDK :: Services :: Code Guru Security diff --git a/services/codepipeline/pom.xml b/services/codepipeline/pom.xml index c02c62d11c88..411518a3ed4f 100644 --- a/services/codepipeline/pom.xml +++ b/services/codepipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT codepipeline AWS Java SDK :: Services :: AWS CodePipeline diff --git a/services/codestarconnections/pom.xml b/services/codestarconnections/pom.xml index ca3b93b5f06d..0b441ed6c526 100644 --- a/services/codestarconnections/pom.xml +++ b/services/codestarconnections/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT codestarconnections AWS Java SDK :: Services :: CodeStar connections diff --git a/services/codestarnotifications/pom.xml b/services/codestarnotifications/pom.xml index 214d8d982824..0b31c2edcd9e 100644 --- a/services/codestarnotifications/pom.xml +++ b/services/codestarnotifications/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT codestarnotifications AWS Java SDK :: Services :: Codestar Notifications diff --git a/services/cognitoidentity/pom.xml b/services/cognitoidentity/pom.xml index bc498e518c3a..f076dc1ec728 100644 --- a/services/cognitoidentity/pom.xml +++ b/services/cognitoidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT cognitoidentity AWS Java SDK :: Services :: Amazon Cognito Identity diff --git a/services/cognitoidentityprovider/pom.xml b/services/cognitoidentityprovider/pom.xml index eaa4acbbb252..f5064816d160 100644 --- a/services/cognitoidentityprovider/pom.xml +++ b/services/cognitoidentityprovider/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT cognitoidentityprovider AWS Java SDK :: Services :: Amazon Cognito Identity Provider Service diff --git a/services/cognitosync/pom.xml b/services/cognitosync/pom.xml index 02b23321b251..9da55bf39f7d 100644 --- a/services/cognitosync/pom.xml +++ b/services/cognitosync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT cognitosync AWS Java SDK :: Services :: Amazon Cognito Sync diff --git a/services/comprehend/pom.xml b/services/comprehend/pom.xml index 6175afbd61f5..6a43ba5e6db9 100644 --- a/services/comprehend/pom.xml +++ b/services/comprehend/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0 + 2.28.1-SNAPSHOT 4.0.0 comprehend diff --git a/services/comprehendmedical/pom.xml b/services/comprehendmedical/pom.xml index d9ddab4adfd9..75c8d0d790e2 100644 --- a/services/comprehendmedical/pom.xml +++ b/services/comprehendmedical/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT comprehendmedical AWS Java SDK :: Services :: ComprehendMedical diff --git a/services/computeoptimizer/pom.xml b/services/computeoptimizer/pom.xml index a974e5d3ec2d..4099ac29077a 100644 --- a/services/computeoptimizer/pom.xml +++ b/services/computeoptimizer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT computeoptimizer AWS Java SDK :: Services :: Compute Optimizer diff --git a/services/config/pom.xml b/services/config/pom.xml index f2645319880e..41ed8ac41b9f 100644 --- a/services/config/pom.xml +++ b/services/config/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT config AWS Java SDK :: Services :: AWS Config diff --git a/services/connect/pom.xml b/services/connect/pom.xml index d6e492ac0917..1734208c0439 100644 --- a/services/connect/pom.xml +++ b/services/connect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT connect AWS Java SDK :: Services :: Connect diff --git a/services/connectcampaigns/pom.xml b/services/connectcampaigns/pom.xml index 54a39a9658a8..4db3c2b60640 100644 --- a/services/connectcampaigns/pom.xml +++ b/services/connectcampaigns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT connectcampaigns AWS Java SDK :: Services :: Connect Campaigns diff --git a/services/connectcases/pom.xml b/services/connectcases/pom.xml index 4ac1c0bf5765..a7e8d5f28fbe 100644 --- a/services/connectcases/pom.xml +++ b/services/connectcases/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT connectcases AWS Java SDK :: Services :: Connect Cases diff --git a/services/connectcontactlens/pom.xml b/services/connectcontactlens/pom.xml index b22de7214209..2fd5ab70b286 100644 --- a/services/connectcontactlens/pom.xml +++ b/services/connectcontactlens/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT connectcontactlens AWS Java SDK :: Services :: Connect Contact Lens diff --git a/services/connectparticipant/pom.xml b/services/connectparticipant/pom.xml index 9e18ca6085de..a6c5f9407aff 100644 --- a/services/connectparticipant/pom.xml +++ b/services/connectparticipant/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT connectparticipant AWS Java SDK :: Services :: ConnectParticipant diff --git a/services/controlcatalog/pom.xml b/services/controlcatalog/pom.xml index 62b622f127d2..f23f9291f904 100644 --- a/services/controlcatalog/pom.xml +++ b/services/controlcatalog/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT controlcatalog AWS Java SDK :: Services :: Control Catalog diff --git a/services/controltower/pom.xml b/services/controltower/pom.xml index 8cd868156801..7cfef00c6229 100644 --- a/services/controltower/pom.xml +++ b/services/controltower/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT controltower AWS Java SDK :: Services :: Control Tower diff --git a/services/costandusagereport/pom.xml b/services/costandusagereport/pom.xml index 3deea902e386..7b5ba4721d7d 100644 --- a/services/costandusagereport/pom.xml +++ b/services/costandusagereport/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT costandusagereport AWS Java SDK :: Services :: AWS Cost and Usage Report diff --git a/services/costexplorer/pom.xml b/services/costexplorer/pom.xml index 7abe41d18d64..334639e5585f 100644 --- a/services/costexplorer/pom.xml +++ b/services/costexplorer/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0 + 2.28.1-SNAPSHOT 4.0.0 costexplorer diff --git a/services/costoptimizationhub/pom.xml b/services/costoptimizationhub/pom.xml index eee8de6099c9..dd65372839aa 100644 --- a/services/costoptimizationhub/pom.xml +++ b/services/costoptimizationhub/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT costoptimizationhub AWS Java SDK :: Services :: Cost Optimization Hub diff --git a/services/customerprofiles/pom.xml b/services/customerprofiles/pom.xml index 97274982d009..1c18d837b3f8 100644 --- a/services/customerprofiles/pom.xml +++ b/services/customerprofiles/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT customerprofiles AWS Java SDK :: Services :: Customer Profiles diff --git a/services/databasemigration/pom.xml b/services/databasemigration/pom.xml index 4ff7f10167fc..f72d00746dc4 100644 --- a/services/databasemigration/pom.xml +++ b/services/databasemigration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT databasemigration AWS Java SDK :: Services :: AWS Database Migration Service diff --git a/services/databrew/pom.xml b/services/databrew/pom.xml index 5fbc19154489..41d5390c68c8 100644 --- a/services/databrew/pom.xml +++ b/services/databrew/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT databrew AWS Java SDK :: Services :: Data Brew diff --git a/services/dataexchange/pom.xml b/services/dataexchange/pom.xml index 35cea38b71ad..39ba22b673e3 100644 --- a/services/dataexchange/pom.xml +++ b/services/dataexchange/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT dataexchange AWS Java SDK :: Services :: DataExchange diff --git a/services/datapipeline/pom.xml b/services/datapipeline/pom.xml index ecf6dbadb315..d784b8b0d49e 100644 --- a/services/datapipeline/pom.xml +++ b/services/datapipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT datapipeline AWS Java SDK :: Services :: AWS Data Pipeline diff --git a/services/datasync/pom.xml b/services/datasync/pom.xml index 1caa82115486..25195967e203 100644 --- a/services/datasync/pom.xml +++ b/services/datasync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT datasync AWS Java SDK :: Services :: DataSync diff --git a/services/datazone/pom.xml b/services/datazone/pom.xml index 586e92631e41..3a1f80324c11 100644 --- a/services/datazone/pom.xml +++ b/services/datazone/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT datazone AWS Java SDK :: Services :: Data Zone diff --git a/services/dax/pom.xml b/services/dax/pom.xml index 7a4f22261232..ff189624f65b 100644 --- a/services/dax/pom.xml +++ b/services/dax/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT dax AWS Java SDK :: Services :: Amazon DynamoDB Accelerator (DAX) diff --git a/services/deadline/pom.xml b/services/deadline/pom.xml index e7e03ef068f6..9b54b3f6b5c6 100644 --- a/services/deadline/pom.xml +++ b/services/deadline/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT deadline AWS Java SDK :: Services :: Deadline diff --git a/services/detective/pom.xml b/services/detective/pom.xml index 87500fccc64a..40638bf66cc3 100644 --- a/services/detective/pom.xml +++ b/services/detective/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT detective AWS Java SDK :: Services :: Detective diff --git a/services/devicefarm/pom.xml b/services/devicefarm/pom.xml index 005051978a44..1a810a0b3d22 100644 --- a/services/devicefarm/pom.xml +++ b/services/devicefarm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT devicefarm AWS Java SDK :: Services :: AWS Device Farm diff --git a/services/devopsguru/pom.xml b/services/devopsguru/pom.xml index 0941f0295a62..cd44632efa1c 100644 --- a/services/devopsguru/pom.xml +++ b/services/devopsguru/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT devopsguru AWS Java SDK :: Services :: Dev Ops Guru diff --git a/services/directconnect/pom.xml b/services/directconnect/pom.xml index abd5adfd31a1..0194d078d88c 100644 --- a/services/directconnect/pom.xml +++ b/services/directconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT directconnect AWS Java SDK :: Services :: AWS Direct Connect diff --git a/services/directory/pom.xml b/services/directory/pom.xml index 9216a3bbee73..0180dade6b0c 100644 --- a/services/directory/pom.xml +++ b/services/directory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT directory AWS Java SDK :: Services :: AWS Directory Service diff --git a/services/dlm/pom.xml b/services/dlm/pom.xml index 353ba7dbab26..62e42e3c97ad 100644 --- a/services/dlm/pom.xml +++ b/services/dlm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT dlm AWS Java SDK :: Services :: DLM diff --git a/services/docdb/pom.xml b/services/docdb/pom.xml index b19de4f8a106..719968881f98 100644 --- a/services/docdb/pom.xml +++ b/services/docdb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT docdb AWS Java SDK :: Services :: DocDB diff --git a/services/docdbelastic/pom.xml b/services/docdbelastic/pom.xml index 36199b23e3fa..ef03ab9e358d 100644 --- a/services/docdbelastic/pom.xml +++ b/services/docdbelastic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT docdbelastic AWS Java SDK :: Services :: Doc DB Elastic diff --git a/services/drs/pom.xml b/services/drs/pom.xml index 63b539794ba1..5e22682c56fa 100644 --- a/services/drs/pom.xml +++ b/services/drs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT drs AWS Java SDK :: Services :: Drs diff --git a/services/dynamodb/pom.xml b/services/dynamodb/pom.xml index 018dd13bc3ec..9b981cd357aa 100644 --- a/services/dynamodb/pom.xml +++ b/services/dynamodb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT dynamodb AWS Java SDK :: Services :: Amazon DynamoDB diff --git a/services/ebs/pom.xml b/services/ebs/pom.xml index 549271267de0..90576e595c41 100644 --- a/services/ebs/pom.xml +++ b/services/ebs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT ebs AWS Java SDK :: Services :: EBS diff --git a/services/ec2/pom.xml b/services/ec2/pom.xml index 07b30f6d8611..dc4043547d6d 100644 --- a/services/ec2/pom.xml +++ b/services/ec2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT ec2 AWS Java SDK :: Services :: Amazon EC2 diff --git a/services/ec2instanceconnect/pom.xml b/services/ec2instanceconnect/pom.xml index bca5da61c9b7..54cc3719a69b 100644 --- a/services/ec2instanceconnect/pom.xml +++ b/services/ec2instanceconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT ec2instanceconnect AWS Java SDK :: Services :: EC2 Instance Connect diff --git a/services/ecr/pom.xml b/services/ecr/pom.xml index 61713ded42d6..4eace301334d 100644 --- a/services/ecr/pom.xml +++ b/services/ecr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT ecr AWS Java SDK :: Services :: Amazon EC2 Container Registry diff --git a/services/ecrpublic/pom.xml b/services/ecrpublic/pom.xml index dffbf2618266..527ed023f20f 100644 --- a/services/ecrpublic/pom.xml +++ b/services/ecrpublic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT ecrpublic AWS Java SDK :: Services :: ECR PUBLIC diff --git a/services/ecs/pom.xml b/services/ecs/pom.xml index 3be4cf0007c1..74cc0a9a77fc 100644 --- a/services/ecs/pom.xml +++ b/services/ecs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT ecs AWS Java SDK :: Services :: Amazon EC2 Container Service diff --git a/services/efs/pom.xml b/services/efs/pom.xml index e25be4a62de4..ee875b532f61 100644 --- a/services/efs/pom.xml +++ b/services/efs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT efs AWS Java SDK :: Services :: Amazon Elastic File System diff --git a/services/eks/pom.xml b/services/eks/pom.xml index a3a79285c116..0380c6938de9 100644 --- a/services/eks/pom.xml +++ b/services/eks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT eks AWS Java SDK :: Services :: EKS diff --git a/services/eksauth/pom.xml b/services/eksauth/pom.xml index e63734d06c6e..2719195f5223 100644 --- a/services/eksauth/pom.xml +++ b/services/eksauth/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT eksauth AWS Java SDK :: Services :: EKS Auth diff --git a/services/elasticache/pom.xml b/services/elasticache/pom.xml index 33de3ef64a9d..3b6e9b454605 100644 --- a/services/elasticache/pom.xml +++ b/services/elasticache/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT elasticache AWS Java SDK :: Services :: Amazon ElastiCache diff --git a/services/elasticbeanstalk/pom.xml b/services/elasticbeanstalk/pom.xml index bec4e29fc290..936cf9397b26 100644 --- a/services/elasticbeanstalk/pom.xml +++ b/services/elasticbeanstalk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT elasticbeanstalk AWS Java SDK :: Services :: AWS Elastic Beanstalk diff --git a/services/elasticinference/pom.xml b/services/elasticinference/pom.xml index 1ee178597989..6e36f59a29fd 100644 --- a/services/elasticinference/pom.xml +++ b/services/elasticinference/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT elasticinference AWS Java SDK :: Services :: Elastic Inference diff --git a/services/elasticloadbalancing/pom.xml b/services/elasticloadbalancing/pom.xml index 848ff7e355f6..ca12d142b529 100644 --- a/services/elasticloadbalancing/pom.xml +++ b/services/elasticloadbalancing/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT elasticloadbalancing AWS Java SDK :: Services :: Elastic Load Balancing diff --git a/services/elasticloadbalancingv2/pom.xml b/services/elasticloadbalancingv2/pom.xml index 510f12e2cdbf..602fc8c54002 100644 --- a/services/elasticloadbalancingv2/pom.xml +++ b/services/elasticloadbalancingv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT elasticloadbalancingv2 AWS Java SDK :: Services :: Elastic Load Balancing V2 diff --git a/services/elasticsearch/pom.xml b/services/elasticsearch/pom.xml index 4eb6a474ed5b..5987338ee413 100644 --- a/services/elasticsearch/pom.xml +++ b/services/elasticsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT elasticsearch AWS Java SDK :: Services :: Amazon Elasticsearch Service diff --git a/services/elastictranscoder/pom.xml b/services/elastictranscoder/pom.xml index ddf49ba0dc97..ee6c3a1da59b 100644 --- a/services/elastictranscoder/pom.xml +++ b/services/elastictranscoder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT elastictranscoder AWS Java SDK :: Services :: Amazon Elastic Transcoder diff --git a/services/emr/pom.xml b/services/emr/pom.xml index 0d8f75cf8b94..ca3c953be6cb 100644 --- a/services/emr/pom.xml +++ b/services/emr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT emr AWS Java SDK :: Services :: Amazon EMR diff --git a/services/emrcontainers/pom.xml b/services/emrcontainers/pom.xml index 15426b838e9c..413aa1d48da8 100644 --- a/services/emrcontainers/pom.xml +++ b/services/emrcontainers/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT emrcontainers AWS Java SDK :: Services :: EMR Containers diff --git a/services/emrserverless/pom.xml b/services/emrserverless/pom.xml index be463435f4e0..f30ff632835e 100644 --- a/services/emrserverless/pom.xml +++ b/services/emrserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT emrserverless AWS Java SDK :: Services :: EMR Serverless diff --git a/services/entityresolution/pom.xml b/services/entityresolution/pom.xml index 74c5a0db2748..fd6c68a15225 100644 --- a/services/entityresolution/pom.xml +++ b/services/entityresolution/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT entityresolution AWS Java SDK :: Services :: Entity Resolution diff --git a/services/eventbridge/pom.xml b/services/eventbridge/pom.xml index 961accd36ca9..cd0e6b569c6a 100644 --- a/services/eventbridge/pom.xml +++ b/services/eventbridge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT eventbridge AWS Java SDK :: Services :: EventBridge diff --git a/services/evidently/pom.xml b/services/evidently/pom.xml index 60565075b2cd..c38f895f7cbc 100644 --- a/services/evidently/pom.xml +++ b/services/evidently/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT evidently AWS Java SDK :: Services :: Evidently diff --git a/services/finspace/pom.xml b/services/finspace/pom.xml index 2fcd6d26e381..d155d176e5f8 100644 --- a/services/finspace/pom.xml +++ b/services/finspace/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT finspace AWS Java SDK :: Services :: Finspace diff --git a/services/finspacedata/pom.xml b/services/finspacedata/pom.xml index 95649d049f93..5ab26207221b 100644 --- a/services/finspacedata/pom.xml +++ b/services/finspacedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT finspacedata AWS Java SDK :: Services :: Finspace Data diff --git a/services/firehose/pom.xml b/services/firehose/pom.xml index 4e22696afe24..86eb4a465139 100644 --- a/services/firehose/pom.xml +++ b/services/firehose/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT firehose AWS Java SDK :: Services :: Amazon Kinesis Firehose diff --git a/services/fis/pom.xml b/services/fis/pom.xml index 97bdbe63fde0..733d5c5f220d 100644 --- a/services/fis/pom.xml +++ b/services/fis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT fis AWS Java SDK :: Services :: Fis diff --git a/services/fms/pom.xml b/services/fms/pom.xml index 4862fde08c6d..9fc68cae91c1 100644 --- a/services/fms/pom.xml +++ b/services/fms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT fms AWS Java SDK :: Services :: FMS diff --git a/services/forecast/pom.xml b/services/forecast/pom.xml index cc473bc8defa..d6dacc763029 100644 --- a/services/forecast/pom.xml +++ b/services/forecast/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT forecast AWS Java SDK :: Services :: Forecast diff --git a/services/forecastquery/pom.xml b/services/forecastquery/pom.xml index f682fa1e91cf..f5696eedeaa8 100644 --- a/services/forecastquery/pom.xml +++ b/services/forecastquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT forecastquery AWS Java SDK :: Services :: Forecastquery diff --git a/services/frauddetector/pom.xml b/services/frauddetector/pom.xml index 8eaf5f50a891..7de3218ebfa5 100644 --- a/services/frauddetector/pom.xml +++ b/services/frauddetector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT frauddetector AWS Java SDK :: Services :: FraudDetector diff --git a/services/freetier/pom.xml b/services/freetier/pom.xml index e0d175b93bda..4715e6c4d290 100644 --- a/services/freetier/pom.xml +++ b/services/freetier/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT freetier AWS Java SDK :: Services :: Free Tier diff --git a/services/fsx/pom.xml b/services/fsx/pom.xml index e778ea388a38..b677fb315810 100644 --- a/services/fsx/pom.xml +++ b/services/fsx/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT fsx AWS Java SDK :: Services :: FSx diff --git a/services/gamelift/pom.xml b/services/gamelift/pom.xml index b647078c63c9..88818d2ff05b 100644 --- a/services/gamelift/pom.xml +++ b/services/gamelift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT gamelift AWS Java SDK :: Services :: AWS GameLift diff --git a/services/glacier/pom.xml b/services/glacier/pom.xml index e04c2383e2b6..a92967f304a0 100644 --- a/services/glacier/pom.xml +++ b/services/glacier/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT glacier AWS Java SDK :: Services :: Amazon Glacier diff --git a/services/globalaccelerator/pom.xml b/services/globalaccelerator/pom.xml index 1dfaedba3d9a..2c10574a55df 100644 --- a/services/globalaccelerator/pom.xml +++ b/services/globalaccelerator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT globalaccelerator AWS Java SDK :: Services :: Global Accelerator diff --git a/services/glue/pom.xml b/services/glue/pom.xml index ec3476b775cb..fdf3985fd46a 100644 --- a/services/glue/pom.xml +++ b/services/glue/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0 + 2.28.1-SNAPSHOT 4.0.0 glue diff --git a/services/grafana/pom.xml b/services/grafana/pom.xml index 4c24a83235ed..012f507752fe 100644 --- a/services/grafana/pom.xml +++ b/services/grafana/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT grafana AWS Java SDK :: Services :: Grafana diff --git a/services/greengrass/pom.xml b/services/greengrass/pom.xml index 593fb7f2173f..c996bcbda3e1 100644 --- a/services/greengrass/pom.xml +++ b/services/greengrass/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT greengrass AWS Java SDK :: Services :: AWS Greengrass diff --git a/services/greengrassv2/pom.xml b/services/greengrassv2/pom.xml index 257952b00828..9cff4a638867 100644 --- a/services/greengrassv2/pom.xml +++ b/services/greengrassv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT greengrassv2 AWS Java SDK :: Services :: Greengrass V2 diff --git a/services/groundstation/pom.xml b/services/groundstation/pom.xml index 242cd924ad11..c5f61de6c760 100644 --- a/services/groundstation/pom.xml +++ b/services/groundstation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT groundstation AWS Java SDK :: Services :: GroundStation diff --git a/services/guardduty/pom.xml b/services/guardduty/pom.xml index cabf67d8b06a..52a698b9d623 100644 --- a/services/guardduty/pom.xml +++ b/services/guardduty/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0 + 2.28.1-SNAPSHOT 4.0.0 guardduty diff --git a/services/health/pom.xml b/services/health/pom.xml index 8090673d0329..1e3c3b02427a 100644 --- a/services/health/pom.xml +++ b/services/health/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT health AWS Java SDK :: Services :: AWS Health APIs and Notifications diff --git a/services/healthlake/pom.xml b/services/healthlake/pom.xml index 89c159c2f4e6..3386d52b54ef 100644 --- a/services/healthlake/pom.xml +++ b/services/healthlake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT healthlake AWS Java SDK :: Services :: Health Lake diff --git a/services/iam/pom.xml b/services/iam/pom.xml index 280ef99c72a7..8218120cfc6b 100644 --- a/services/iam/pom.xml +++ b/services/iam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT iam AWS Java SDK :: Services :: AWS IAM diff --git a/services/identitystore/pom.xml b/services/identitystore/pom.xml index 5472a5a9495f..5dbe67a00cd4 100644 --- a/services/identitystore/pom.xml +++ b/services/identitystore/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT identitystore AWS Java SDK :: Services :: Identitystore diff --git a/services/imagebuilder/pom.xml b/services/imagebuilder/pom.xml index f6803e471c2d..441af15c0719 100644 --- a/services/imagebuilder/pom.xml +++ b/services/imagebuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT imagebuilder AWS Java SDK :: Services :: Imagebuilder diff --git a/services/inspector/pom.xml b/services/inspector/pom.xml index 4a47737e1c90..0285878811f2 100644 --- a/services/inspector/pom.xml +++ b/services/inspector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT inspector AWS Java SDK :: Services :: Amazon Inspector Service diff --git a/services/inspector2/pom.xml b/services/inspector2/pom.xml index 9031d07ca14e..86d7662a2f7a 100644 --- a/services/inspector2/pom.xml +++ b/services/inspector2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT inspector2 AWS Java SDK :: Services :: Inspector2 diff --git a/services/inspectorscan/pom.xml b/services/inspectorscan/pom.xml index be0bd2a5cf92..a8234a7c289a 100644 --- a/services/inspectorscan/pom.xml +++ b/services/inspectorscan/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT inspectorscan AWS Java SDK :: Services :: Inspector Scan diff --git a/services/internetmonitor/pom.xml b/services/internetmonitor/pom.xml index 05c3c907dffa..e61c29cf2043 100644 --- a/services/internetmonitor/pom.xml +++ b/services/internetmonitor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT internetmonitor AWS Java SDK :: Services :: Internet Monitor diff --git a/services/iot/pom.xml b/services/iot/pom.xml index ed63a625461c..7d9aa01cbfaf 100644 --- a/services/iot/pom.xml +++ b/services/iot/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT iot AWS Java SDK :: Services :: AWS IoT diff --git a/services/iot1clickdevices/pom.xml b/services/iot1clickdevices/pom.xml index 000d9a2f5a24..82703d6b61be 100644 --- a/services/iot1clickdevices/pom.xml +++ b/services/iot1clickdevices/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT iot1clickdevices AWS Java SDK :: Services :: IoT 1Click Devices Service diff --git a/services/iot1clickprojects/pom.xml b/services/iot1clickprojects/pom.xml index 27ed7b88b9ac..cdcdcbb94c9c 100644 --- a/services/iot1clickprojects/pom.xml +++ b/services/iot1clickprojects/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT iot1clickprojects AWS Java SDK :: Services :: IoT 1Click Projects diff --git a/services/iotanalytics/pom.xml b/services/iotanalytics/pom.xml index d97e8556330b..648c23e69c2f 100644 --- a/services/iotanalytics/pom.xml +++ b/services/iotanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT iotanalytics AWS Java SDK :: Services :: IoTAnalytics diff --git a/services/iotdataplane/pom.xml b/services/iotdataplane/pom.xml index e2d05fad87c2..f3f089fa0026 100644 --- a/services/iotdataplane/pom.xml +++ b/services/iotdataplane/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT iotdataplane AWS Java SDK :: Services :: AWS IoT Data Plane diff --git a/services/iotdeviceadvisor/pom.xml b/services/iotdeviceadvisor/pom.xml index c8fe717b153c..d8688e450405 100644 --- a/services/iotdeviceadvisor/pom.xml +++ b/services/iotdeviceadvisor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT iotdeviceadvisor AWS Java SDK :: Services :: Iot Device Advisor diff --git a/services/iotevents/pom.xml b/services/iotevents/pom.xml index 072ba43e3b10..589718935fe6 100644 --- a/services/iotevents/pom.xml +++ b/services/iotevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT iotevents AWS Java SDK :: Services :: IoT Events diff --git a/services/ioteventsdata/pom.xml b/services/ioteventsdata/pom.xml index 0efd23c46a82..6939ac3f6d7f 100644 --- a/services/ioteventsdata/pom.xml +++ b/services/ioteventsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT ioteventsdata AWS Java SDK :: Services :: IoT Events Data diff --git a/services/iotfleethub/pom.xml b/services/iotfleethub/pom.xml index 203ec94d9841..fcb4fedd2e08 100644 --- a/services/iotfleethub/pom.xml +++ b/services/iotfleethub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT iotfleethub AWS Java SDK :: Services :: Io T Fleet Hub diff --git a/services/iotfleetwise/pom.xml b/services/iotfleetwise/pom.xml index 8ee4cbee835a..7f09d7aade96 100644 --- a/services/iotfleetwise/pom.xml +++ b/services/iotfleetwise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT iotfleetwise AWS Java SDK :: Services :: Io T Fleet Wise diff --git a/services/iotjobsdataplane/pom.xml b/services/iotjobsdataplane/pom.xml index beb34cae5ba5..1b63715c99ee 100644 --- a/services/iotjobsdataplane/pom.xml +++ b/services/iotjobsdataplane/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT iotjobsdataplane AWS Java SDK :: Services :: IoT Jobs Data Plane diff --git a/services/iotsecuretunneling/pom.xml b/services/iotsecuretunneling/pom.xml index 1b056d01a7d6..bc82882775ae 100644 --- a/services/iotsecuretunneling/pom.xml +++ b/services/iotsecuretunneling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT iotsecuretunneling AWS Java SDK :: Services :: IoTSecureTunneling diff --git a/services/iotsitewise/pom.xml b/services/iotsitewise/pom.xml index 4d7ba7a6d2dc..122d3f8a2b7e 100644 --- a/services/iotsitewise/pom.xml +++ b/services/iotsitewise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT iotsitewise AWS Java SDK :: Services :: Io T Site Wise diff --git a/services/iotthingsgraph/pom.xml b/services/iotthingsgraph/pom.xml index 266a661f504a..f4d26f71a8e0 100644 --- a/services/iotthingsgraph/pom.xml +++ b/services/iotthingsgraph/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT iotthingsgraph AWS Java SDK :: Services :: IoTThingsGraph diff --git a/services/iottwinmaker/pom.xml b/services/iottwinmaker/pom.xml index 591102236bf9..3ffcd84ba61e 100644 --- a/services/iottwinmaker/pom.xml +++ b/services/iottwinmaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT iottwinmaker AWS Java SDK :: Services :: Io T Twin Maker diff --git a/services/iotwireless/pom.xml b/services/iotwireless/pom.xml index b89833c2217e..f7a417241498 100644 --- a/services/iotwireless/pom.xml +++ b/services/iotwireless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT iotwireless AWS Java SDK :: Services :: IoT Wireless diff --git a/services/ivs/pom.xml b/services/ivs/pom.xml index 99a3b4be5773..784a31e4595f 100644 --- a/services/ivs/pom.xml +++ b/services/ivs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT ivs AWS Java SDK :: Services :: Ivs diff --git a/services/ivschat/pom.xml b/services/ivschat/pom.xml index 97ad76104c81..de485c2ff8ba 100644 --- a/services/ivschat/pom.xml +++ b/services/ivschat/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT ivschat AWS Java SDK :: Services :: Ivschat diff --git a/services/ivsrealtime/pom.xml b/services/ivsrealtime/pom.xml index caf025951515..1c5e10687ce3 100644 --- a/services/ivsrealtime/pom.xml +++ b/services/ivsrealtime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT ivsrealtime AWS Java SDK :: Services :: IVS Real Time diff --git a/services/kafka/pom.xml b/services/kafka/pom.xml index 7acdc6dc2867..bad1b27bf7fb 100644 --- a/services/kafka/pom.xml +++ b/services/kafka/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT kafka AWS Java SDK :: Services :: Kafka diff --git a/services/kafkaconnect/pom.xml b/services/kafkaconnect/pom.xml index 412270a7d393..7d9b5e54357f 100644 --- a/services/kafkaconnect/pom.xml +++ b/services/kafkaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT kafkaconnect AWS Java SDK :: Services :: Kafka Connect diff --git a/services/kendra/pom.xml b/services/kendra/pom.xml index a6010afcdc3a..6f2610e7e0d4 100644 --- a/services/kendra/pom.xml +++ b/services/kendra/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT kendra AWS Java SDK :: Services :: Kendra diff --git a/services/kendraranking/pom.xml b/services/kendraranking/pom.xml index 3b7ef246b204..6ee9d825caa8 100644 --- a/services/kendraranking/pom.xml +++ b/services/kendraranking/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT kendraranking AWS Java SDK :: Services :: Kendra Ranking diff --git a/services/keyspaces/pom.xml b/services/keyspaces/pom.xml index 35a300a47f83..e7708b30833f 100644 --- a/services/keyspaces/pom.xml +++ b/services/keyspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT keyspaces AWS Java SDK :: Services :: Keyspaces diff --git a/services/kinesis/pom.xml b/services/kinesis/pom.xml index bb2767cf486a..665902cc8727 100644 --- a/services/kinesis/pom.xml +++ b/services/kinesis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT kinesis AWS Java SDK :: Services :: Amazon Kinesis diff --git a/services/kinesisanalytics/pom.xml b/services/kinesisanalytics/pom.xml index d09ad5d8baf1..045c4382d695 100644 --- a/services/kinesisanalytics/pom.xml +++ b/services/kinesisanalytics/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT kinesisanalytics AWS Java SDK :: Services :: Amazon Kinesis Analytics diff --git a/services/kinesisanalyticsv2/pom.xml b/services/kinesisanalyticsv2/pom.xml index 3afc06ac8e07..c29e0e98c445 100644 --- a/services/kinesisanalyticsv2/pom.xml +++ b/services/kinesisanalyticsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT kinesisanalyticsv2 AWS Java SDK :: Services :: Kinesis Analytics V2 diff --git a/services/kinesisvideo/pom.xml b/services/kinesisvideo/pom.xml index 10b904989ca3..1750a0468e99 100644 --- a/services/kinesisvideo/pom.xml +++ b/services/kinesisvideo/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0 + 2.28.1-SNAPSHOT 4.0.0 kinesisvideo diff --git a/services/kinesisvideoarchivedmedia/pom.xml b/services/kinesisvideoarchivedmedia/pom.xml index 2cecd0917432..e3951e5311b3 100644 --- a/services/kinesisvideoarchivedmedia/pom.xml +++ b/services/kinesisvideoarchivedmedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT kinesisvideoarchivedmedia AWS Java SDK :: Services :: Kinesis Video Archived Media diff --git a/services/kinesisvideomedia/pom.xml b/services/kinesisvideomedia/pom.xml index 504e1b16fb8d..1e3a6e947138 100644 --- a/services/kinesisvideomedia/pom.xml +++ b/services/kinesisvideomedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT kinesisvideomedia AWS Java SDK :: Services :: Kinesis Video Media diff --git a/services/kinesisvideosignaling/pom.xml b/services/kinesisvideosignaling/pom.xml index a965e57f5930..e20435c44d67 100644 --- a/services/kinesisvideosignaling/pom.xml +++ b/services/kinesisvideosignaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT kinesisvideosignaling AWS Java SDK :: Services :: Kinesis Video Signaling diff --git a/services/kinesisvideowebrtcstorage/pom.xml b/services/kinesisvideowebrtcstorage/pom.xml index 30ec11d282d2..c676b3118fd5 100644 --- a/services/kinesisvideowebrtcstorage/pom.xml +++ b/services/kinesisvideowebrtcstorage/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT kinesisvideowebrtcstorage AWS Java SDK :: Services :: Kinesis Video Web RTC Storage diff --git a/services/kms/pom.xml b/services/kms/pom.xml index 333ec18c223b..759e33ade5a7 100644 --- a/services/kms/pom.xml +++ b/services/kms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT kms AWS Java SDK :: Services :: AWS KMS diff --git a/services/lakeformation/pom.xml b/services/lakeformation/pom.xml index 1293ccb5c51d..0185c967b778 100644 --- a/services/lakeformation/pom.xml +++ b/services/lakeformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT lakeformation AWS Java SDK :: Services :: LakeFormation diff --git a/services/lambda/pom.xml b/services/lambda/pom.xml index a81c1470aa78..837ad1fef66e 100644 --- a/services/lambda/pom.xml +++ b/services/lambda/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT lambda AWS Java SDK :: Services :: AWS Lambda diff --git a/services/launchwizard/pom.xml b/services/launchwizard/pom.xml index 4ab846f486b6..5614ea155f18 100644 --- a/services/launchwizard/pom.xml +++ b/services/launchwizard/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT launchwizard AWS Java SDK :: Services :: Launch Wizard diff --git a/services/lexmodelbuilding/pom.xml b/services/lexmodelbuilding/pom.xml index 8a1dcd62f8c2..069efe747856 100644 --- a/services/lexmodelbuilding/pom.xml +++ b/services/lexmodelbuilding/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT lexmodelbuilding AWS Java SDK :: Services :: Amazon Lex Model Building diff --git a/services/lexmodelsv2/pom.xml b/services/lexmodelsv2/pom.xml index 51b46ac6e64d..64bc757cb8d6 100644 --- a/services/lexmodelsv2/pom.xml +++ b/services/lexmodelsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT lexmodelsv2 AWS Java SDK :: Services :: Lex Models V2 diff --git a/services/lexruntime/pom.xml b/services/lexruntime/pom.xml index 6daa6cd9857c..94cecdfc7ac2 100644 --- a/services/lexruntime/pom.xml +++ b/services/lexruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT lexruntime AWS Java SDK :: Services :: Amazon Lex Runtime diff --git a/services/lexruntimev2/pom.xml b/services/lexruntimev2/pom.xml index 9ace1a21bdb2..67d41b36502f 100644 --- a/services/lexruntimev2/pom.xml +++ b/services/lexruntimev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT lexruntimev2 AWS Java SDK :: Services :: Lex Runtime V2 diff --git a/services/licensemanager/pom.xml b/services/licensemanager/pom.xml index 4a0321c61ce3..e27105d31e7f 100644 --- a/services/licensemanager/pom.xml +++ b/services/licensemanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT licensemanager AWS Java SDK :: Services :: License Manager diff --git a/services/licensemanagerlinuxsubscriptions/pom.xml b/services/licensemanagerlinuxsubscriptions/pom.xml index 95ed79263ac6..4091f3449586 100644 --- a/services/licensemanagerlinuxsubscriptions/pom.xml +++ b/services/licensemanagerlinuxsubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT licensemanagerlinuxsubscriptions AWS Java SDK :: Services :: License Manager Linux Subscriptions diff --git a/services/licensemanagerusersubscriptions/pom.xml b/services/licensemanagerusersubscriptions/pom.xml index 0d596330d8f7..264d898f3855 100644 --- a/services/licensemanagerusersubscriptions/pom.xml +++ b/services/licensemanagerusersubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT licensemanagerusersubscriptions AWS Java SDK :: Services :: License Manager User Subscriptions diff --git a/services/lightsail/pom.xml b/services/lightsail/pom.xml index 2f9ed0b0670f..dccda7cafe21 100644 --- a/services/lightsail/pom.xml +++ b/services/lightsail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT lightsail AWS Java SDK :: Services :: Amazon Lightsail diff --git a/services/location/pom.xml b/services/location/pom.xml index 4c8154343288..cf60dc295bbc 100644 --- a/services/location/pom.xml +++ b/services/location/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT location AWS Java SDK :: Services :: Location diff --git a/services/lookoutequipment/pom.xml b/services/lookoutequipment/pom.xml index 5698426e7807..b98d64bd6902 100644 --- a/services/lookoutequipment/pom.xml +++ b/services/lookoutequipment/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT lookoutequipment AWS Java SDK :: Services :: Lookout Equipment diff --git a/services/lookoutmetrics/pom.xml b/services/lookoutmetrics/pom.xml index 55f46bf95bf6..d7da6fbd4829 100644 --- a/services/lookoutmetrics/pom.xml +++ b/services/lookoutmetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT lookoutmetrics AWS Java SDK :: Services :: Lookout Metrics diff --git a/services/lookoutvision/pom.xml b/services/lookoutvision/pom.xml index 556530943ac0..ffc4f4b43858 100644 --- a/services/lookoutvision/pom.xml +++ b/services/lookoutvision/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT lookoutvision AWS Java SDK :: Services :: Lookout Vision diff --git a/services/m2/pom.xml b/services/m2/pom.xml index c579cc546a6d..d1454ab91491 100644 --- a/services/m2/pom.xml +++ b/services/m2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT m2 AWS Java SDK :: Services :: M2 diff --git a/services/machinelearning/pom.xml b/services/machinelearning/pom.xml index 8b481ee32fc8..8cbe0122fe16 100644 --- a/services/machinelearning/pom.xml +++ b/services/machinelearning/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT machinelearning AWS Java SDK :: Services :: Amazon Machine Learning diff --git a/services/macie2/pom.xml b/services/macie2/pom.xml index fa614547329e..7174f94e54de 100644 --- a/services/macie2/pom.xml +++ b/services/macie2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT macie2 AWS Java SDK :: Services :: Macie2 diff --git a/services/mailmanager/pom.xml b/services/mailmanager/pom.xml index 842fdb2a81dd..bd1b02c3b9d3 100644 --- a/services/mailmanager/pom.xml +++ b/services/mailmanager/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT mailmanager AWS Java SDK :: Services :: Mail Manager diff --git a/services/managedblockchain/pom.xml b/services/managedblockchain/pom.xml index 8548df5fc509..53588c9be169 100644 --- a/services/managedblockchain/pom.xml +++ b/services/managedblockchain/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT managedblockchain AWS Java SDK :: Services :: ManagedBlockchain diff --git a/services/managedblockchainquery/pom.xml b/services/managedblockchainquery/pom.xml index 4d783b9703f0..b26696d3725f 100644 --- a/services/managedblockchainquery/pom.xml +++ b/services/managedblockchainquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT managedblockchainquery AWS Java SDK :: Services :: Managed Blockchain Query diff --git a/services/marketplaceagreement/pom.xml b/services/marketplaceagreement/pom.xml index 9893dc7b86c1..72cb530d2121 100644 --- a/services/marketplaceagreement/pom.xml +++ b/services/marketplaceagreement/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT marketplaceagreement AWS Java SDK :: Services :: Marketplace Agreement diff --git a/services/marketplacecatalog/pom.xml b/services/marketplacecatalog/pom.xml index 9d9d79665bad..8468e03cc54c 100644 --- a/services/marketplacecatalog/pom.xml +++ b/services/marketplacecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT marketplacecatalog AWS Java SDK :: Services :: Marketplace Catalog diff --git a/services/marketplacecommerceanalytics/pom.xml b/services/marketplacecommerceanalytics/pom.xml index 8327a79f90b5..820f69467059 100644 --- a/services/marketplacecommerceanalytics/pom.xml +++ b/services/marketplacecommerceanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT marketplacecommerceanalytics AWS Java SDK :: Services :: AWS Marketplace Commerce Analytics diff --git a/services/marketplacedeployment/pom.xml b/services/marketplacedeployment/pom.xml index 0ea702ab86d1..62fa3eb7d66f 100644 --- a/services/marketplacedeployment/pom.xml +++ b/services/marketplacedeployment/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT marketplacedeployment AWS Java SDK :: Services :: Marketplace Deployment diff --git a/services/marketplaceentitlement/pom.xml b/services/marketplaceentitlement/pom.xml index f179e911d7b7..30ce6f586676 100644 --- a/services/marketplaceentitlement/pom.xml +++ b/services/marketplaceentitlement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT marketplaceentitlement AWS Java SDK :: Services :: AWS Marketplace Entitlement diff --git a/services/marketplacemetering/pom.xml b/services/marketplacemetering/pom.xml index 785a2800fc91..43909fb17dd6 100644 --- a/services/marketplacemetering/pom.xml +++ b/services/marketplacemetering/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT marketplacemetering AWS Java SDK :: Services :: AWS Marketplace Metering Service diff --git a/services/mediaconnect/pom.xml b/services/mediaconnect/pom.xml index 11c2ccaca2ce..940c90808513 100644 --- a/services/mediaconnect/pom.xml +++ b/services/mediaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT mediaconnect AWS Java SDK :: Services :: MediaConnect diff --git a/services/mediaconvert/pom.xml b/services/mediaconvert/pom.xml index 33a062e9c88f..217dc491b34f 100644 --- a/services/mediaconvert/pom.xml +++ b/services/mediaconvert/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0 + 2.28.1-SNAPSHOT 4.0.0 mediaconvert diff --git a/services/medialive/pom.xml b/services/medialive/pom.xml index 4b371077e7c1..b533610e35e6 100644 --- a/services/medialive/pom.xml +++ b/services/medialive/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0 + 2.28.1-SNAPSHOT 4.0.0 medialive diff --git a/services/mediapackage/pom.xml b/services/mediapackage/pom.xml index af2d2e4338be..5c3ee553d8d9 100644 --- a/services/mediapackage/pom.xml +++ b/services/mediapackage/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0 + 2.28.1-SNAPSHOT 4.0.0 mediapackage diff --git a/services/mediapackagev2/pom.xml b/services/mediapackagev2/pom.xml index dee6156e5586..04f403c88597 100644 --- a/services/mediapackagev2/pom.xml +++ b/services/mediapackagev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT mediapackagev2 AWS Java SDK :: Services :: Media Package V2 diff --git a/services/mediapackagevod/pom.xml b/services/mediapackagevod/pom.xml index d8326e99c40b..3989b3df94a4 100644 --- a/services/mediapackagevod/pom.xml +++ b/services/mediapackagevod/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT mediapackagevod AWS Java SDK :: Services :: MediaPackage Vod diff --git a/services/mediastore/pom.xml b/services/mediastore/pom.xml index d6b3d1ec4402..057eb636dd5e 100644 --- a/services/mediastore/pom.xml +++ b/services/mediastore/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0 + 2.28.1-SNAPSHOT 4.0.0 mediastore diff --git a/services/mediastoredata/pom.xml b/services/mediastoredata/pom.xml index 115ddff30ed8..be9a59cd975a 100644 --- a/services/mediastoredata/pom.xml +++ b/services/mediastoredata/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0 + 2.28.1-SNAPSHOT 4.0.0 mediastoredata diff --git a/services/mediatailor/pom.xml b/services/mediatailor/pom.xml index ff392758ae4c..7611187262d7 100644 --- a/services/mediatailor/pom.xml +++ b/services/mediatailor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT mediatailor AWS Java SDK :: Services :: MediaTailor diff --git a/services/medicalimaging/pom.xml b/services/medicalimaging/pom.xml index e2fc2fcb94df..0ed90a106813 100644 --- a/services/medicalimaging/pom.xml +++ b/services/medicalimaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT medicalimaging AWS Java SDK :: Services :: Medical Imaging diff --git a/services/memorydb/pom.xml b/services/memorydb/pom.xml index aaf371db669e..be7541a82a5a 100644 --- a/services/memorydb/pom.xml +++ b/services/memorydb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT memorydb AWS Java SDK :: Services :: Memory DB diff --git a/services/mgn/pom.xml b/services/mgn/pom.xml index c0e0aeac921a..cf4eab328154 100644 --- a/services/mgn/pom.xml +++ b/services/mgn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT mgn AWS Java SDK :: Services :: Mgn diff --git a/services/migrationhub/pom.xml b/services/migrationhub/pom.xml index 06d415a163c0..ab205bf8c352 100644 --- a/services/migrationhub/pom.xml +++ b/services/migrationhub/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0 + 2.28.1-SNAPSHOT 4.0.0 migrationhub diff --git a/services/migrationhubconfig/pom.xml b/services/migrationhubconfig/pom.xml index cdfb2c0bf80a..e0bacadbd02e 100644 --- a/services/migrationhubconfig/pom.xml +++ b/services/migrationhubconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT migrationhubconfig AWS Java SDK :: Services :: MigrationHub Config diff --git a/services/migrationhuborchestrator/pom.xml b/services/migrationhuborchestrator/pom.xml index 6f802a95e8c6..c22d68e2ce98 100644 --- a/services/migrationhuborchestrator/pom.xml +++ b/services/migrationhuborchestrator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT migrationhuborchestrator AWS Java SDK :: Services :: Migration Hub Orchestrator diff --git a/services/migrationhubrefactorspaces/pom.xml b/services/migrationhubrefactorspaces/pom.xml index b079086b2e24..d370f816d30d 100644 --- a/services/migrationhubrefactorspaces/pom.xml +++ b/services/migrationhubrefactorspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT migrationhubrefactorspaces AWS Java SDK :: Services :: Migration Hub Refactor Spaces diff --git a/services/migrationhubstrategy/pom.xml b/services/migrationhubstrategy/pom.xml index 26e9b1b0e109..c844794bcb95 100644 --- a/services/migrationhubstrategy/pom.xml +++ b/services/migrationhubstrategy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT migrationhubstrategy AWS Java SDK :: Services :: Migration Hub Strategy diff --git a/services/mq/pom.xml b/services/mq/pom.xml index 7ae9088fb7d5..a168de048e41 100644 --- a/services/mq/pom.xml +++ b/services/mq/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0 + 2.28.1-SNAPSHOT 4.0.0 mq diff --git a/services/mturk/pom.xml b/services/mturk/pom.xml index d2eb75f47825..5a48e719b3e0 100644 --- a/services/mturk/pom.xml +++ b/services/mturk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT mturk AWS Java SDK :: Services :: Amazon Mechanical Turk Requester diff --git a/services/mwaa/pom.xml b/services/mwaa/pom.xml index a3d40ed554b3..a382d963e41d 100644 --- a/services/mwaa/pom.xml +++ b/services/mwaa/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT mwaa AWS Java SDK :: Services :: MWAA diff --git a/services/neptune/pom.xml b/services/neptune/pom.xml index 51cb95e01da6..b3c20b0f1d5c 100644 --- a/services/neptune/pom.xml +++ b/services/neptune/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT neptune AWS Java SDK :: Services :: Neptune diff --git a/services/neptunedata/pom.xml b/services/neptunedata/pom.xml index 216c7a4d5fbf..899c4e8df734 100644 --- a/services/neptunedata/pom.xml +++ b/services/neptunedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT neptunedata AWS Java SDK :: Services :: Neptunedata diff --git a/services/neptunegraph/pom.xml b/services/neptunegraph/pom.xml index c9ae2c348c96..d7063e190242 100644 --- a/services/neptunegraph/pom.xml +++ b/services/neptunegraph/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT neptunegraph AWS Java SDK :: Services :: Neptune Graph diff --git a/services/networkfirewall/pom.xml b/services/networkfirewall/pom.xml index 43fc866bc1e0..7c22b6b5ae7d 100644 --- a/services/networkfirewall/pom.xml +++ b/services/networkfirewall/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT networkfirewall AWS Java SDK :: Services :: Network Firewall diff --git a/services/networkmanager/pom.xml b/services/networkmanager/pom.xml index 937504871b8a..31debffcd899 100644 --- a/services/networkmanager/pom.xml +++ b/services/networkmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT networkmanager AWS Java SDK :: Services :: NetworkManager diff --git a/services/networkmonitor/pom.xml b/services/networkmonitor/pom.xml index a8dd333fe9da..318df4e169ea 100644 --- a/services/networkmonitor/pom.xml +++ b/services/networkmonitor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT networkmonitor AWS Java SDK :: Services :: Network Monitor diff --git a/services/nimble/pom.xml b/services/nimble/pom.xml index 527b40b5c109..f95c44e9dddf 100644 --- a/services/nimble/pom.xml +++ b/services/nimble/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT nimble AWS Java SDK :: Services :: Nimble diff --git a/services/oam/pom.xml b/services/oam/pom.xml index c82ff61de987..e9ae48892b2d 100644 --- a/services/oam/pom.xml +++ b/services/oam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT oam AWS Java SDK :: Services :: OAM diff --git a/services/omics/pom.xml b/services/omics/pom.xml index 12695d63d58a..a3b17e696ba2 100644 --- a/services/omics/pom.xml +++ b/services/omics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT omics AWS Java SDK :: Services :: Omics diff --git a/services/opensearch/pom.xml b/services/opensearch/pom.xml index 6286b7c744d5..1df30405124f 100644 --- a/services/opensearch/pom.xml +++ b/services/opensearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT opensearch AWS Java SDK :: Services :: Open Search diff --git a/services/opensearchserverless/pom.xml b/services/opensearchserverless/pom.xml index 88ea5d35ea02..62286293568b 100644 --- a/services/opensearchserverless/pom.xml +++ b/services/opensearchserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT opensearchserverless AWS Java SDK :: Services :: Open Search Serverless diff --git a/services/opsworks/pom.xml b/services/opsworks/pom.xml index 170126293c8b..07df547006af 100644 --- a/services/opsworks/pom.xml +++ b/services/opsworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT opsworks AWS Java SDK :: Services :: AWS OpsWorks diff --git a/services/opsworkscm/pom.xml b/services/opsworkscm/pom.xml index e17f1ef05b86..b2cfbb9f1c80 100644 --- a/services/opsworkscm/pom.xml +++ b/services/opsworkscm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT opsworkscm AWS Java SDK :: Services :: AWS OpsWorks for Chef Automate diff --git a/services/organizations/pom.xml b/services/organizations/pom.xml index f2e8fdbfd968..f412b404c239 100644 --- a/services/organizations/pom.xml +++ b/services/organizations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT organizations AWS Java SDK :: Services :: AWS Organizations diff --git a/services/osis/pom.xml b/services/osis/pom.xml index bbb2c799afa9..1f5cdd2b244e 100644 --- a/services/osis/pom.xml +++ b/services/osis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT osis AWS Java SDK :: Services :: OSIS diff --git a/services/outposts/pom.xml b/services/outposts/pom.xml index d690e165d084..948df2055bcf 100644 --- a/services/outposts/pom.xml +++ b/services/outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT outposts AWS Java SDK :: Services :: Outposts diff --git a/services/panorama/pom.xml b/services/panorama/pom.xml index d47d785bbf8c..b51a35c9e39f 100644 --- a/services/panorama/pom.xml +++ b/services/panorama/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT panorama AWS Java SDK :: Services :: Panorama diff --git a/services/paymentcryptography/pom.xml b/services/paymentcryptography/pom.xml index 1b44d960c4d8..74f4d40afaec 100644 --- a/services/paymentcryptography/pom.xml +++ b/services/paymentcryptography/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT paymentcryptography AWS Java SDK :: Services :: Payment Cryptography diff --git a/services/paymentcryptographydata/pom.xml b/services/paymentcryptographydata/pom.xml index 14b2dee79180..18e14475e2d4 100644 --- a/services/paymentcryptographydata/pom.xml +++ b/services/paymentcryptographydata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT paymentcryptographydata AWS Java SDK :: Services :: Payment Cryptography Data diff --git a/services/pcaconnectorad/pom.xml b/services/pcaconnectorad/pom.xml index ab803800973d..1e393bbda968 100644 --- a/services/pcaconnectorad/pom.xml +++ b/services/pcaconnectorad/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT pcaconnectorad AWS Java SDK :: Services :: Pca Connector Ad diff --git a/services/pcaconnectorscep/pom.xml b/services/pcaconnectorscep/pom.xml index 5f83c90ce077..51c8117f576e 100644 --- a/services/pcaconnectorscep/pom.xml +++ b/services/pcaconnectorscep/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT pcaconnectorscep AWS Java SDK :: Services :: Pca Connector Scep diff --git a/services/pcs/pom.xml b/services/pcs/pom.xml index 18b1e611baad..4da7265a78cc 100644 --- a/services/pcs/pom.xml +++ b/services/pcs/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT pcs AWS Java SDK :: Services :: PCS diff --git a/services/personalize/pom.xml b/services/personalize/pom.xml index 2904b64e6520..0558471583e8 100644 --- a/services/personalize/pom.xml +++ b/services/personalize/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT personalize AWS Java SDK :: Services :: Personalize diff --git a/services/personalizeevents/pom.xml b/services/personalizeevents/pom.xml index df55ccaedd4c..32669a8ceb4e 100644 --- a/services/personalizeevents/pom.xml +++ b/services/personalizeevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT personalizeevents AWS Java SDK :: Services :: Personalize Events diff --git a/services/personalizeruntime/pom.xml b/services/personalizeruntime/pom.xml index 677d2bae46db..9af97b2b5cad 100644 --- a/services/personalizeruntime/pom.xml +++ b/services/personalizeruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT personalizeruntime AWS Java SDK :: Services :: Personalize Runtime diff --git a/services/pi/pom.xml b/services/pi/pom.xml index 87f62bffbaa9..d97b64403026 100644 --- a/services/pi/pom.xml +++ b/services/pi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT pi AWS Java SDK :: Services :: PI diff --git a/services/pinpoint/pom.xml b/services/pinpoint/pom.xml index e4f9193f6837..7951eb34d49d 100644 --- a/services/pinpoint/pom.xml +++ b/services/pinpoint/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT pinpoint AWS Java SDK :: Services :: Amazon Pinpoint diff --git a/services/pinpointemail/pom.xml b/services/pinpointemail/pom.xml index 1be1bd92e65d..ae93dfbc3761 100644 --- a/services/pinpointemail/pom.xml +++ b/services/pinpointemail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT pinpointemail AWS Java SDK :: Services :: Pinpoint Email diff --git a/services/pinpointsmsvoice/pom.xml b/services/pinpointsmsvoice/pom.xml index ef709995692c..12bfa1946e76 100644 --- a/services/pinpointsmsvoice/pom.xml +++ b/services/pinpointsmsvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT pinpointsmsvoice AWS Java SDK :: Services :: Pinpoint SMS Voice diff --git a/services/pinpointsmsvoicev2/pom.xml b/services/pinpointsmsvoicev2/pom.xml index 31bc8741b67b..ec9757de95ae 100644 --- a/services/pinpointsmsvoicev2/pom.xml +++ b/services/pinpointsmsvoicev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT pinpointsmsvoicev2 AWS Java SDK :: Services :: Pinpoint SMS Voice V2 diff --git a/services/pipes/pom.xml b/services/pipes/pom.xml index 3e7fdb8dc1d9..fda26256930b 100644 --- a/services/pipes/pom.xml +++ b/services/pipes/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT pipes AWS Java SDK :: Services :: Pipes diff --git a/services/polly/pom.xml b/services/polly/pom.xml index 133d513d9f95..81b378dd08d8 100644 --- a/services/polly/pom.xml +++ b/services/polly/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT polly AWS Java SDK :: Services :: Amazon Polly diff --git a/services/pom.xml b/services/pom.xml index b6a838256e2f..b740c08b0c51 100644 --- a/services/pom.xml +++ b/services/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.0 + 2.28.1-SNAPSHOT services AWS Java SDK :: Services diff --git a/services/pricing/pom.xml b/services/pricing/pom.xml index c1d45bf507fe..f8338cc812c6 100644 --- a/services/pricing/pom.xml +++ b/services/pricing/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0 + 2.28.1-SNAPSHOT 4.0.0 pricing diff --git a/services/privatenetworks/pom.xml b/services/privatenetworks/pom.xml index cfe0fcc45bed..2c8d769b013a 100644 --- a/services/privatenetworks/pom.xml +++ b/services/privatenetworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT privatenetworks AWS Java SDK :: Services :: Private Networks diff --git a/services/proton/pom.xml b/services/proton/pom.xml index 5e3c944f80bb..fca1b06552d8 100644 --- a/services/proton/pom.xml +++ b/services/proton/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT proton AWS Java SDK :: Services :: Proton diff --git a/services/qapps/pom.xml b/services/qapps/pom.xml index 8b9695f3a0ac..bb7711e93ab5 100644 --- a/services/qapps/pom.xml +++ b/services/qapps/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT qapps AWS Java SDK :: Services :: Q Apps diff --git a/services/qbusiness/pom.xml b/services/qbusiness/pom.xml index 847f33a93bc8..e8cdd0123710 100644 --- a/services/qbusiness/pom.xml +++ b/services/qbusiness/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT qbusiness AWS Java SDK :: Services :: Q Business diff --git a/services/qconnect/pom.xml b/services/qconnect/pom.xml index 464d8aa46257..63dc0cb10a09 100644 --- a/services/qconnect/pom.xml +++ b/services/qconnect/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT qconnect AWS Java SDK :: Services :: Q Connect diff --git a/services/qldb/pom.xml b/services/qldb/pom.xml index ea9ceabd7595..96889a701d85 100644 --- a/services/qldb/pom.xml +++ b/services/qldb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT qldb AWS Java SDK :: Services :: QLDB diff --git a/services/qldbsession/pom.xml b/services/qldbsession/pom.xml index 6871780fb01d..870ad1861c44 100644 --- a/services/qldbsession/pom.xml +++ b/services/qldbsession/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT qldbsession AWS Java SDK :: Services :: QLDB Session diff --git a/services/quicksight/pom.xml b/services/quicksight/pom.xml index cb55c6d45c05..36d428c37607 100644 --- a/services/quicksight/pom.xml +++ b/services/quicksight/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT quicksight AWS Java SDK :: Services :: QuickSight diff --git a/services/ram/pom.xml b/services/ram/pom.xml index 53574c649bb2..713777b186ae 100644 --- a/services/ram/pom.xml +++ b/services/ram/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT ram AWS Java SDK :: Services :: RAM diff --git a/services/rbin/pom.xml b/services/rbin/pom.xml index b5b10299dbd4..d861702f49d0 100644 --- a/services/rbin/pom.xml +++ b/services/rbin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT rbin AWS Java SDK :: Services :: Rbin diff --git a/services/rds/pom.xml b/services/rds/pom.xml index a0465cbd1c90..2ad04f41dfd5 100644 --- a/services/rds/pom.xml +++ b/services/rds/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT rds AWS Java SDK :: Services :: Amazon RDS diff --git a/services/rdsdata/pom.xml b/services/rdsdata/pom.xml index 13783fa2a664..193a3a8814d3 100644 --- a/services/rdsdata/pom.xml +++ b/services/rdsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT rdsdata AWS Java SDK :: Services :: RDS Data diff --git a/services/redshift/pom.xml b/services/redshift/pom.xml index 7de9a038e541..356071ed31e9 100644 --- a/services/redshift/pom.xml +++ b/services/redshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT redshift AWS Java SDK :: Services :: Amazon Redshift diff --git a/services/redshiftdata/pom.xml b/services/redshiftdata/pom.xml index 5e15a654bf17..395b9e51d232 100644 --- a/services/redshiftdata/pom.xml +++ b/services/redshiftdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT redshiftdata AWS Java SDK :: Services :: Redshift Data diff --git a/services/redshiftserverless/pom.xml b/services/redshiftserverless/pom.xml index 991ce946d638..62339574067c 100644 --- a/services/redshiftserverless/pom.xml +++ b/services/redshiftserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT redshiftserverless AWS Java SDK :: Services :: Redshift Serverless diff --git a/services/rekognition/pom.xml b/services/rekognition/pom.xml index 6efd9ea22120..551e9362bd82 100644 --- a/services/rekognition/pom.xml +++ b/services/rekognition/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT rekognition AWS Java SDK :: Services :: Amazon Rekognition diff --git a/services/repostspace/pom.xml b/services/repostspace/pom.xml index 97f257bb5d04..358faed9ba9f 100644 --- a/services/repostspace/pom.xml +++ b/services/repostspace/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT repostspace AWS Java SDK :: Services :: Repostspace diff --git a/services/resiliencehub/pom.xml b/services/resiliencehub/pom.xml index 26179fbe46fc..06bfefbd5f24 100644 --- a/services/resiliencehub/pom.xml +++ b/services/resiliencehub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT resiliencehub AWS Java SDK :: Services :: Resiliencehub diff --git a/services/resourceexplorer2/pom.xml b/services/resourceexplorer2/pom.xml index 0c4fdf58a71a..0337fc1ff6ac 100644 --- a/services/resourceexplorer2/pom.xml +++ b/services/resourceexplorer2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT resourceexplorer2 AWS Java SDK :: Services :: Resource Explorer 2 diff --git a/services/resourcegroups/pom.xml b/services/resourcegroups/pom.xml index 987fe590cb29..1d5dcfa6458c 100644 --- a/services/resourcegroups/pom.xml +++ b/services/resourcegroups/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0 + 2.28.1-SNAPSHOT 4.0.0 resourcegroups diff --git a/services/resourcegroupstaggingapi/pom.xml b/services/resourcegroupstaggingapi/pom.xml index 10945a357e74..9c910b38ef4b 100644 --- a/services/resourcegroupstaggingapi/pom.xml +++ b/services/resourcegroupstaggingapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT resourcegroupstaggingapi AWS Java SDK :: Services :: AWS Resource Groups Tagging API diff --git a/services/robomaker/pom.xml b/services/robomaker/pom.xml index 5145ee86d233..7b369a323ae2 100644 --- a/services/robomaker/pom.xml +++ b/services/robomaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT robomaker AWS Java SDK :: Services :: RoboMaker diff --git a/services/rolesanywhere/pom.xml b/services/rolesanywhere/pom.xml index 7ef67bfa08c8..b5fe9bb7f2db 100644 --- a/services/rolesanywhere/pom.xml +++ b/services/rolesanywhere/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT rolesanywhere AWS Java SDK :: Services :: Roles Anywhere diff --git a/services/route53/pom.xml b/services/route53/pom.xml index b2d7a6ec7171..31abb8904840 100644 --- a/services/route53/pom.xml +++ b/services/route53/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT route53 AWS Java SDK :: Services :: Amazon Route53 diff --git a/services/route53domains/pom.xml b/services/route53domains/pom.xml index aa152357d3d2..f68a9950cd62 100644 --- a/services/route53domains/pom.xml +++ b/services/route53domains/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT route53domains AWS Java SDK :: Services :: Amazon Route53 Domains diff --git a/services/route53profiles/pom.xml b/services/route53profiles/pom.xml index fb6c6cc88513..1a2d2291cb0a 100644 --- a/services/route53profiles/pom.xml +++ b/services/route53profiles/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT route53profiles AWS Java SDK :: Services :: Route53 Profiles diff --git a/services/route53recoverycluster/pom.xml b/services/route53recoverycluster/pom.xml index e4ec5528c29e..5867b4963d08 100644 --- a/services/route53recoverycluster/pom.xml +++ b/services/route53recoverycluster/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT route53recoverycluster AWS Java SDK :: Services :: Route53 Recovery Cluster diff --git a/services/route53recoverycontrolconfig/pom.xml b/services/route53recoverycontrolconfig/pom.xml index 440c512eb784..3e9bc6d65332 100644 --- a/services/route53recoverycontrolconfig/pom.xml +++ b/services/route53recoverycontrolconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT route53recoverycontrolconfig AWS Java SDK :: Services :: Route53 Recovery Control Config diff --git a/services/route53recoveryreadiness/pom.xml b/services/route53recoveryreadiness/pom.xml index c1360835134c..dd0825c21456 100644 --- a/services/route53recoveryreadiness/pom.xml +++ b/services/route53recoveryreadiness/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT route53recoveryreadiness AWS Java SDK :: Services :: Route53 Recovery Readiness diff --git a/services/route53resolver/pom.xml b/services/route53resolver/pom.xml index 2194208db42c..283951d11452 100644 --- a/services/route53resolver/pom.xml +++ b/services/route53resolver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT route53resolver AWS Java SDK :: Services :: Route53Resolver diff --git a/services/rum/pom.xml b/services/rum/pom.xml index 311679807c40..e64e47166004 100644 --- a/services/rum/pom.xml +++ b/services/rum/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT rum AWS Java SDK :: Services :: RUM diff --git a/services/s3/pom.xml b/services/s3/pom.xml index 804ff59834b4..38f757f4760a 100644 --- a/services/s3/pom.xml +++ b/services/s3/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT s3 AWS Java SDK :: Services :: Amazon S3 diff --git a/services/s3control/pom.xml b/services/s3control/pom.xml index 11bc75e52b37..988f26057e2e 100644 --- a/services/s3control/pom.xml +++ b/services/s3control/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT s3control AWS Java SDK :: Services :: Amazon S3 Control diff --git a/services/s3outposts/pom.xml b/services/s3outposts/pom.xml index e96f9a03ef3a..50c66aaffbb8 100644 --- a/services/s3outposts/pom.xml +++ b/services/s3outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT s3outposts AWS Java SDK :: Services :: S3 Outposts diff --git a/services/sagemaker/pom.xml b/services/sagemaker/pom.xml index c95ee1e0986d..11e60826fb96 100644 --- a/services/sagemaker/pom.xml +++ b/services/sagemaker/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0 + 2.28.1-SNAPSHOT 4.0.0 sagemaker diff --git a/services/sagemakera2iruntime/pom.xml b/services/sagemakera2iruntime/pom.xml index caba20c9c232..5ce078d05d7d 100644 --- a/services/sagemakera2iruntime/pom.xml +++ b/services/sagemakera2iruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT sagemakera2iruntime AWS Java SDK :: Services :: SageMaker A2I Runtime diff --git a/services/sagemakeredge/pom.xml b/services/sagemakeredge/pom.xml index d7657d5dca3b..7e7d955bc284 100644 --- a/services/sagemakeredge/pom.xml +++ b/services/sagemakeredge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT sagemakeredge AWS Java SDK :: Services :: Sagemaker Edge diff --git a/services/sagemakerfeaturestoreruntime/pom.xml b/services/sagemakerfeaturestoreruntime/pom.xml index f9971958d369..106a4e6e42f6 100644 --- a/services/sagemakerfeaturestoreruntime/pom.xml +++ b/services/sagemakerfeaturestoreruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT sagemakerfeaturestoreruntime AWS Java SDK :: Services :: Sage Maker Feature Store Runtime diff --git a/services/sagemakergeospatial/pom.xml b/services/sagemakergeospatial/pom.xml index d458169727c8..59177168eac9 100644 --- a/services/sagemakergeospatial/pom.xml +++ b/services/sagemakergeospatial/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT sagemakergeospatial AWS Java SDK :: Services :: Sage Maker Geospatial diff --git a/services/sagemakermetrics/pom.xml b/services/sagemakermetrics/pom.xml index c91eb63d0cea..d9c6ef474f80 100644 --- a/services/sagemakermetrics/pom.xml +++ b/services/sagemakermetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT sagemakermetrics AWS Java SDK :: Services :: Sage Maker Metrics diff --git a/services/sagemakerruntime/pom.xml b/services/sagemakerruntime/pom.xml index 78095e563588..4bc2f9b4520e 100644 --- a/services/sagemakerruntime/pom.xml +++ b/services/sagemakerruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT sagemakerruntime AWS Java SDK :: Services :: SageMaker Runtime diff --git a/services/savingsplans/pom.xml b/services/savingsplans/pom.xml index 66cc91b45e3f..bde508b59c9d 100644 --- a/services/savingsplans/pom.xml +++ b/services/savingsplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT savingsplans AWS Java SDK :: Services :: Savingsplans diff --git a/services/scheduler/pom.xml b/services/scheduler/pom.xml index 995b3d4dc9c0..dd2f523e6283 100644 --- a/services/scheduler/pom.xml +++ b/services/scheduler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT scheduler AWS Java SDK :: Services :: Scheduler diff --git a/services/schemas/pom.xml b/services/schemas/pom.xml index 5e697992d1ff..7aff1cc238e1 100644 --- a/services/schemas/pom.xml +++ b/services/schemas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT schemas AWS Java SDK :: Services :: Schemas diff --git a/services/secretsmanager/pom.xml b/services/secretsmanager/pom.xml index 0336cc2d9b80..e58cef70a39a 100644 --- a/services/secretsmanager/pom.xml +++ b/services/secretsmanager/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT secretsmanager AWS Java SDK :: Services :: AWS Secrets Manager diff --git a/services/securityhub/pom.xml b/services/securityhub/pom.xml index 3bce8a2db3e1..19801bcee6f4 100644 --- a/services/securityhub/pom.xml +++ b/services/securityhub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT securityhub AWS Java SDK :: Services :: SecurityHub diff --git a/services/securitylake/pom.xml b/services/securitylake/pom.xml index 39cf968ce0b4..0c4a3dee3af7 100644 --- a/services/securitylake/pom.xml +++ b/services/securitylake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT securitylake AWS Java SDK :: Services :: Security Lake diff --git a/services/serverlessapplicationrepository/pom.xml b/services/serverlessapplicationrepository/pom.xml index 81ce0ae46a7e..9029c29567a6 100644 --- a/services/serverlessapplicationrepository/pom.xml +++ b/services/serverlessapplicationrepository/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0 + 2.28.1-SNAPSHOT 4.0.0 serverlessapplicationrepository diff --git a/services/servicecatalog/pom.xml b/services/servicecatalog/pom.xml index b3bfe5013f0e..4457fce71efd 100644 --- a/services/servicecatalog/pom.xml +++ b/services/servicecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT servicecatalog AWS Java SDK :: Services :: AWS Service Catalog diff --git a/services/servicecatalogappregistry/pom.xml b/services/servicecatalogappregistry/pom.xml index f7eaa441f685..5f79d8b5bd41 100644 --- a/services/servicecatalogappregistry/pom.xml +++ b/services/servicecatalogappregistry/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT servicecatalogappregistry AWS Java SDK :: Services :: Service Catalog App Registry diff --git a/services/servicediscovery/pom.xml b/services/servicediscovery/pom.xml index 30d9c8891ae8..b6df0a807eb9 100644 --- a/services/servicediscovery/pom.xml +++ b/services/servicediscovery/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0 + 2.28.1-SNAPSHOT 4.0.0 servicediscovery diff --git a/services/servicequotas/pom.xml b/services/servicequotas/pom.xml index ef6ee60ee8b7..be70dca15c48 100644 --- a/services/servicequotas/pom.xml +++ b/services/servicequotas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT servicequotas AWS Java SDK :: Services :: Service Quotas diff --git a/services/ses/pom.xml b/services/ses/pom.xml index b4bece76d5ca..f5dc26863f02 100644 --- a/services/ses/pom.xml +++ b/services/ses/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT ses AWS Java SDK :: Services :: Amazon SES diff --git a/services/sesv2/pom.xml b/services/sesv2/pom.xml index 4f894856e4e3..222861a03a56 100644 --- a/services/sesv2/pom.xml +++ b/services/sesv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT sesv2 AWS Java SDK :: Services :: SESv2 diff --git a/services/sfn/pom.xml b/services/sfn/pom.xml index 0f15f84b37a6..8a7c05fd726b 100644 --- a/services/sfn/pom.xml +++ b/services/sfn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT sfn AWS Java SDK :: Services :: AWS Step Functions diff --git a/services/shield/pom.xml b/services/shield/pom.xml index 293a66f8036b..9c7a91801a82 100644 --- a/services/shield/pom.xml +++ b/services/shield/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT shield AWS Java SDK :: Services :: AWS Shield diff --git a/services/signer/pom.xml b/services/signer/pom.xml index e68b6a68cc57..5cb4db5fd3c9 100644 --- a/services/signer/pom.xml +++ b/services/signer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT signer AWS Java SDK :: Services :: Signer diff --git a/services/simspaceweaver/pom.xml b/services/simspaceweaver/pom.xml index fd56bdbabcf6..f36ee128c064 100644 --- a/services/simspaceweaver/pom.xml +++ b/services/simspaceweaver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT simspaceweaver AWS Java SDK :: Services :: Sim Space Weaver diff --git a/services/sms/pom.xml b/services/sms/pom.xml index 00f8f6154da3..ff7956245154 100644 --- a/services/sms/pom.xml +++ b/services/sms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT sms AWS Java SDK :: Services :: AWS Server Migration diff --git a/services/snowball/pom.xml b/services/snowball/pom.xml index d22a5496b7e4..5062f19bbaca 100644 --- a/services/snowball/pom.xml +++ b/services/snowball/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT snowball AWS Java SDK :: Services :: Amazon Snowball diff --git a/services/snowdevicemanagement/pom.xml b/services/snowdevicemanagement/pom.xml index 28c3449f7696..ae8fddf70404 100644 --- a/services/snowdevicemanagement/pom.xml +++ b/services/snowdevicemanagement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT snowdevicemanagement AWS Java SDK :: Services :: Snow Device Management diff --git a/services/sns/pom.xml b/services/sns/pom.xml index 7b7463aa0640..761856d8984a 100644 --- a/services/sns/pom.xml +++ b/services/sns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT sns AWS Java SDK :: Services :: Amazon SNS diff --git a/services/sqs/pom.xml b/services/sqs/pom.xml index dc6a7a3ed883..e45376d70f12 100644 --- a/services/sqs/pom.xml +++ b/services/sqs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT sqs AWS Java SDK :: Services :: Amazon SQS diff --git a/services/ssm/pom.xml b/services/ssm/pom.xml index 721b31eda604..26786f9fdb95 100644 --- a/services/ssm/pom.xml +++ b/services/ssm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT ssm AWS Java SDK :: Services :: AWS Simple Systems Management (SSM) diff --git a/services/ssmcontacts/pom.xml b/services/ssmcontacts/pom.xml index befb73a91027..aac293486c34 100644 --- a/services/ssmcontacts/pom.xml +++ b/services/ssmcontacts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT ssmcontacts AWS Java SDK :: Services :: SSM Contacts diff --git a/services/ssmincidents/pom.xml b/services/ssmincidents/pom.xml index b365d55f9c10..56cf936db6b6 100644 --- a/services/ssmincidents/pom.xml +++ b/services/ssmincidents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT ssmincidents AWS Java SDK :: Services :: SSM Incidents diff --git a/services/ssmquicksetup/pom.xml b/services/ssmquicksetup/pom.xml index 881484f69409..98e05f57cb6f 100644 --- a/services/ssmquicksetup/pom.xml +++ b/services/ssmquicksetup/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT ssmquicksetup AWS Java SDK :: Services :: SSM Quick Setup diff --git a/services/ssmsap/pom.xml b/services/ssmsap/pom.xml index 52973e543d73..a1582763b4b4 100644 --- a/services/ssmsap/pom.xml +++ b/services/ssmsap/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT ssmsap AWS Java SDK :: Services :: Ssm Sap diff --git a/services/sso/pom.xml b/services/sso/pom.xml index 4826644d4f66..c9cf9e1d923a 100644 --- a/services/sso/pom.xml +++ b/services/sso/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT sso AWS Java SDK :: Services :: SSO diff --git a/services/ssoadmin/pom.xml b/services/ssoadmin/pom.xml index 22715d216d59..9972e6cb1a9d 100644 --- a/services/ssoadmin/pom.xml +++ b/services/ssoadmin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT ssoadmin AWS Java SDK :: Services :: SSO Admin diff --git a/services/ssooidc/pom.xml b/services/ssooidc/pom.xml index d2ad00ba6088..90ad29c62fd4 100644 --- a/services/ssooidc/pom.xml +++ b/services/ssooidc/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT ssooidc AWS Java SDK :: Services :: SSO OIDC diff --git a/services/storagegateway/pom.xml b/services/storagegateway/pom.xml index 09b4f487146e..84eb87dfc5f6 100644 --- a/services/storagegateway/pom.xml +++ b/services/storagegateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT storagegateway AWS Java SDK :: Services :: AWS Storage Gateway diff --git a/services/sts/pom.xml b/services/sts/pom.xml index f2f3a129b502..06341ac3f6d4 100644 --- a/services/sts/pom.xml +++ b/services/sts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT sts AWS Java SDK :: Services :: AWS STS diff --git a/services/supplychain/pom.xml b/services/supplychain/pom.xml index ee77288b40ee..acd6b1f9b2f7 100644 --- a/services/supplychain/pom.xml +++ b/services/supplychain/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT supplychain AWS Java SDK :: Services :: Supply Chain diff --git a/services/support/pom.xml b/services/support/pom.xml index 37ba7fb61443..59a71fb8193b 100644 --- a/services/support/pom.xml +++ b/services/support/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT support AWS Java SDK :: Services :: AWS Support diff --git a/services/supportapp/pom.xml b/services/supportapp/pom.xml index ef42642e3d49..9fb74bf48280 100644 --- a/services/supportapp/pom.xml +++ b/services/supportapp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT supportapp AWS Java SDK :: Services :: Support App diff --git a/services/swf/pom.xml b/services/swf/pom.xml index 3f78ebd8dcad..9c328a940899 100644 --- a/services/swf/pom.xml +++ b/services/swf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT swf AWS Java SDK :: Services :: Amazon SWF diff --git a/services/synthetics/pom.xml b/services/synthetics/pom.xml index 00668ac393f7..7599cfef23a1 100644 --- a/services/synthetics/pom.xml +++ b/services/synthetics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT synthetics AWS Java SDK :: Services :: Synthetics diff --git a/services/taxsettings/pom.xml b/services/taxsettings/pom.xml index 81b5d7629614..a03c7001121f 100644 --- a/services/taxsettings/pom.xml +++ b/services/taxsettings/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT taxsettings AWS Java SDK :: Services :: Tax Settings diff --git a/services/textract/pom.xml b/services/textract/pom.xml index 663daa987c52..572e950c7f14 100644 --- a/services/textract/pom.xml +++ b/services/textract/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT textract AWS Java SDK :: Services :: Textract diff --git a/services/timestreaminfluxdb/pom.xml b/services/timestreaminfluxdb/pom.xml index f992f3b3d191..4e87a3d7f3eb 100644 --- a/services/timestreaminfluxdb/pom.xml +++ b/services/timestreaminfluxdb/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT timestreaminfluxdb AWS Java SDK :: Services :: Timestream Influx DB diff --git a/services/timestreamquery/pom.xml b/services/timestreamquery/pom.xml index 1d8a0580566a..f9750e2bbdcd 100644 --- a/services/timestreamquery/pom.xml +++ b/services/timestreamquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT timestreamquery AWS Java SDK :: Services :: Timestream Query diff --git a/services/timestreamwrite/pom.xml b/services/timestreamwrite/pom.xml index 3a37e37a9fb0..c0a199059f23 100644 --- a/services/timestreamwrite/pom.xml +++ b/services/timestreamwrite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT timestreamwrite AWS Java SDK :: Services :: Timestream Write diff --git a/services/tnb/pom.xml b/services/tnb/pom.xml index 7d48a0e6d3d8..3f3e92aed0bb 100644 --- a/services/tnb/pom.xml +++ b/services/tnb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT tnb AWS Java SDK :: Services :: Tnb diff --git a/services/transcribe/pom.xml b/services/transcribe/pom.xml index 32009502dbaf..57c485a1b0e7 100644 --- a/services/transcribe/pom.xml +++ b/services/transcribe/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT transcribe AWS Java SDK :: Services :: Transcribe diff --git a/services/transcribestreaming/pom.xml b/services/transcribestreaming/pom.xml index fbb67d4da346..8a7bda245030 100644 --- a/services/transcribestreaming/pom.xml +++ b/services/transcribestreaming/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT transcribestreaming AWS Java SDK :: Services :: AWS Transcribe Streaming diff --git a/services/transfer/pom.xml b/services/transfer/pom.xml index 712200f1de84..4d1652b2e739 100644 --- a/services/transfer/pom.xml +++ b/services/transfer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT transfer AWS Java SDK :: Services :: Transfer diff --git a/services/translate/pom.xml b/services/translate/pom.xml index 2865a192e904..46dbcd696f4d 100644 --- a/services/translate/pom.xml +++ b/services/translate/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0 + 2.28.1-SNAPSHOT 4.0.0 translate diff --git a/services/trustedadvisor/pom.xml b/services/trustedadvisor/pom.xml index dad1bf16a3f1..aefe968e54f5 100644 --- a/services/trustedadvisor/pom.xml +++ b/services/trustedadvisor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT trustedadvisor AWS Java SDK :: Services :: Trusted Advisor diff --git a/services/verifiedpermissions/pom.xml b/services/verifiedpermissions/pom.xml index cf17d3b58fc9..b9a1f6b6f4bf 100644 --- a/services/verifiedpermissions/pom.xml +++ b/services/verifiedpermissions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT verifiedpermissions AWS Java SDK :: Services :: Verified Permissions diff --git a/services/voiceid/pom.xml b/services/voiceid/pom.xml index 2c26894481cc..2bba94854827 100644 --- a/services/voiceid/pom.xml +++ b/services/voiceid/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT voiceid AWS Java SDK :: Services :: Voice ID diff --git a/services/vpclattice/pom.xml b/services/vpclattice/pom.xml index 0477527aa7d4..c91b05d62e4b 100644 --- a/services/vpclattice/pom.xml +++ b/services/vpclattice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT vpclattice AWS Java SDK :: Services :: VPC Lattice diff --git a/services/waf/pom.xml b/services/waf/pom.xml index 815bb6c8535c..8f6e478cc9ec 100644 --- a/services/waf/pom.xml +++ b/services/waf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT waf AWS Java SDK :: Services :: AWS WAF diff --git a/services/wafv2/pom.xml b/services/wafv2/pom.xml index b08cad79c22e..7336f12b54cc 100644 --- a/services/wafv2/pom.xml +++ b/services/wafv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT wafv2 AWS Java SDK :: Services :: WAFV2 diff --git a/services/wellarchitected/pom.xml b/services/wellarchitected/pom.xml index 89105539aeed..26ef1fb46678 100644 --- a/services/wellarchitected/pom.xml +++ b/services/wellarchitected/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT wellarchitected AWS Java SDK :: Services :: Well Architected diff --git a/services/wisdom/pom.xml b/services/wisdom/pom.xml index 701ad47996d9..5325259b6ff7 100644 --- a/services/wisdom/pom.xml +++ b/services/wisdom/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT wisdom AWS Java SDK :: Services :: Wisdom diff --git a/services/workdocs/pom.xml b/services/workdocs/pom.xml index 001def99c793..9dbde96d87a1 100644 --- a/services/workdocs/pom.xml +++ b/services/workdocs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT workdocs AWS Java SDK :: Services :: Amazon WorkDocs diff --git a/services/worklink/pom.xml b/services/worklink/pom.xml index 505db9188043..4238a3cf7feb 100644 --- a/services/worklink/pom.xml +++ b/services/worklink/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT worklink AWS Java SDK :: Services :: WorkLink diff --git a/services/workmail/pom.xml b/services/workmail/pom.xml index 89a755e7b127..9eb7876c4e81 100644 --- a/services/workmail/pom.xml +++ b/services/workmail/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.0 + 2.28.1-SNAPSHOT 4.0.0 workmail diff --git a/services/workmailmessageflow/pom.xml b/services/workmailmessageflow/pom.xml index a53dd36cdeac..bead4985352f 100644 --- a/services/workmailmessageflow/pom.xml +++ b/services/workmailmessageflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT workmailmessageflow AWS Java SDK :: Services :: WorkMailMessageFlow diff --git a/services/workspaces/pom.xml b/services/workspaces/pom.xml index f90341202cb6..1acdff08ee11 100644 --- a/services/workspaces/pom.xml +++ b/services/workspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT workspaces AWS Java SDK :: Services :: Amazon WorkSpaces diff --git a/services/workspacesthinclient/pom.xml b/services/workspacesthinclient/pom.xml index 367f7cfc4446..b24e049cf8ec 100644 --- a/services/workspacesthinclient/pom.xml +++ b/services/workspacesthinclient/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT workspacesthinclient AWS Java SDK :: Services :: Work Spaces Thin Client diff --git a/services/workspacesweb/pom.xml b/services/workspacesweb/pom.xml index e0e1b5201d42..8c474a14ac3e 100644 --- a/services/workspacesweb/pom.xml +++ b/services/workspacesweb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT workspacesweb AWS Java SDK :: Services :: Work Spaces Web diff --git a/services/xray/pom.xml b/services/xray/pom.xml index cb7f121ea434..ced710da081d 100644 --- a/services/xray/pom.xml +++ b/services/xray/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.0 + 2.28.1-SNAPSHOT xray AWS Java SDK :: Services :: AWS X-Ray diff --git a/test/auth-tests/pom.xml b/test/auth-tests/pom.xml index 96aee93f63c4..1a131724d14e 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.0 + 2.28.1-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/bundle-logging-bridge-binding-test/pom.xml b/test/bundle-logging-bridge-binding-test/pom.xml index 20556ecf473d..c92f620cb969 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.0 + 2.28.1-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/bundle-shading-tests/pom.xml b/test/bundle-shading-tests/pom.xml index 7e0dcb865777..2e41a84b43a5 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.0 + 2.28.1-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/codegen-generated-classes-test/pom.xml b/test/codegen-generated-classes-test/pom.xml index e3c8c5306fa6..f8e91f6a8c3c 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.0 + 2.28.1-SNAPSHOT ../../pom.xml diff --git a/test/crt-unavailable-tests/pom.xml b/test/crt-unavailable-tests/pom.xml index f9078c3ed136..f10dc8bc2365 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.0 + 2.28.1-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/http-client-tests/pom.xml b/test/http-client-tests/pom.xml index eb0bedd8dc51..c301227dc035 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.0 + 2.28.1-SNAPSHOT ../../pom.xml http-client-tests diff --git a/test/module-path-tests/pom.xml b/test/module-path-tests/pom.xml index 3b46083bd609..0295bc9023c0 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.0 + 2.28.1-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/old-client-version-compatibility-test/pom.xml b/test/old-client-version-compatibility-test/pom.xml index d2026e612d2a..b548e2c46fac 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.0 + 2.28.1-SNAPSHOT ../../pom.xml diff --git a/test/protocol-tests-core/pom.xml b/test/protocol-tests-core/pom.xml index 7ab0dc4f4655..9996e8c7aaa5 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.0 + 2.28.1-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/protocol-tests/pom.xml b/test/protocol-tests/pom.xml index a3cf3860d56f..2f00361896f8 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.0 + 2.28.1-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/region-testing/pom.xml b/test/region-testing/pom.xml index 43daed8fdd6f..d804ef8b0902 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.0 + 2.28.1-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/ruleset-testing-core/pom.xml b/test/ruleset-testing-core/pom.xml index ec25edd52fab..3e7e36674fdf 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.0 + 2.28.1-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/s3-benchmarks/pom.xml b/test/s3-benchmarks/pom.xml index dd5772648ba4..738dc56a71f3 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.0 + 2.28.1-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/sdk-benchmarks/pom.xml b/test/sdk-benchmarks/pom.xml index 4c1ece979d8a..71dd32771322 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.0 + 2.28.1-SNAPSHOT ../../pom.xml diff --git a/test/sdk-native-image-test/pom.xml b/test/sdk-native-image-test/pom.xml index e0e27bf8f34f..25577d92ea3a 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.0 + 2.28.1-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/service-test-utils/pom.xml b/test/service-test-utils/pom.xml index 2a55f484161d..1f2a87033e35 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.0 + 2.28.1-SNAPSHOT ../../pom.xml service-test-utils diff --git a/test/stability-tests/pom.xml b/test/stability-tests/pom.xml index a08b3ff3990f..430dab37f13d 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.0 + 2.28.1-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/test-utils/pom.xml b/test/test-utils/pom.xml index cd1a38d3ad7a..fba6245a5026 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.0 + 2.28.1-SNAPSHOT ../../pom.xml test-utils diff --git a/test/tests-coverage-reporting/pom.xml b/test/tests-coverage-reporting/pom.xml index d986368f345c..07f8a024c3b0 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.0 + 2.28.1-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/v2-migration-tests/pom.xml b/test/v2-migration-tests/pom.xml index 5b1073609b90..7ceb4cd57cbc 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.0 + 2.28.1-SNAPSHOT ../.. diff --git a/third-party/pom.xml b/third-party/pom.xml index dcde553e6a16..26cac36e340d 100644 --- a/third-party/pom.xml +++ b/third-party/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.0 + 2.28.1-SNAPSHOT third-party diff --git a/third-party/third-party-jackson-core/pom.xml b/third-party/third-party-jackson-core/pom.xml index f8d1c420e1fc..ffdb4c69ab72 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.0 + 2.28.1-SNAPSHOT 4.0.0 diff --git a/third-party/third-party-jackson-dataformat-cbor/pom.xml b/third-party/third-party-jackson-dataformat-cbor/pom.xml index 355c6260f85f..3edac3f1d167 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.0 + 2.28.1-SNAPSHOT 4.0.0 diff --git a/third-party/third-party-slf4j-api/pom.xml b/third-party/third-party-slf4j-api/pom.xml index a57f4a9f2fc1..a8259b8f83b0 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.0 + 2.28.1-SNAPSHOT 4.0.0 diff --git a/utils/pom.xml b/utils/pom.xml index b1f75629d9e0..6a61663cce37 100644 --- a/utils/pom.xml +++ b/utils/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.0 + 2.28.1-SNAPSHOT 4.0.0 diff --git a/v2-migration/pom.xml b/v2-migration/pom.xml index 81dfa0877f06..adc625c6fb50 100644 --- a/v2-migration/pom.xml +++ b/v2-migration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.0 + 2.28.1-SNAPSHOT ../pom.xml From 90c2f0d68abeff521ed152d6b06bfd86bb5bac88 Mon Sep 17 00:00:00 2001 From: Dongie Agnir <261310+dagnir@users.noreply.github.com> Date: Thu, 12 Sep 2024 11:19:01 -0700 Subject: [PATCH 077/108] Add changelog entry for #5579 (#5590) --- .changes/next-release/bugfix-AmazonS3-1a6bf80.json | 6 ++++++ .changes/next-release/bugfix-AmazonS3Control-2637de3.json | 6 ++++++ 2 files changed, 12 insertions(+) create mode 100644 .changes/next-release/bugfix-AmazonS3-1a6bf80.json create mode 100644 .changes/next-release/bugfix-AmazonS3Control-2637de3.json diff --git a/.changes/next-release/bugfix-AmazonS3-1a6bf80.json b/.changes/next-release/bugfix-AmazonS3-1a6bf80.json new file mode 100644 index 000000000000..0ded62a58141 --- /dev/null +++ b/.changes/next-release/bugfix-AmazonS3-1a6bf80.json @@ -0,0 +1,6 @@ +{ + "type": "bugfix", + "category": "Amazon S3", + "contributor": "", + "description": "Fix issue where the `AWS_USE_DUALSTACK_ENDPOINT` environment variable and `aws.useDualstackEndpoint` system property are not resolved during client creation time." +} diff --git a/.changes/next-release/bugfix-AmazonS3Control-2637de3.json b/.changes/next-release/bugfix-AmazonS3Control-2637de3.json new file mode 100644 index 000000000000..d4d42615c056 --- /dev/null +++ b/.changes/next-release/bugfix-AmazonS3Control-2637de3.json @@ -0,0 +1,6 @@ +{ + "type": "bugfix", + "category": "Amazon S3 Control", + "contributor": "", + "description": "Fix issue where the `AWS_USE_DUALSTACK_ENDPOINT` environment variable and `aws.useDualstackEndpoint` system property are not resolved during client creation time." +} From a495ee8fb9ddf6dc200d402a63d9f2a5b9d79ec4 Mon Sep 17 00:00:00 2001 From: Dongie Agnir <261310+dagnir@users.noreply.github.com> Date: Thu, 12 Sep 2024 11:19:54 -0700 Subject: [PATCH 078/108] Remove Gitter badge/link (#5591) Gitter is no longer actively monitored; GitHub Discussion is preferred. --- CONTRIBUTING.md | 8 +++----- README.md | 2 -- 2 files changed, 3 insertions(+), 7 deletions(-) diff --git a/CONTRIBUTING.md b/CONTRIBUTING.md index 1f53a5db272f..7258cd01cfe2 100644 --- a/CONTRIBUTING.md +++ b/CONTRIBUTING.md @@ -99,10 +99,9 @@ Please keep the following in mind when considering a code contribution: be assigned to it. If you are thinking about adding entirely new functionality, open a [Feature - Request](#feature-requests) or [ping][gitter] the maintainers to ask for - feedback first before beginning work; again this is to make sure that no one - else is already working on it, and also that it makes sense to be included in - the SDK. + Request](#feature-requests) to ask for feedback first before beginning work; + again this is to make sure that no one else is already working on it, and + also that it makes sense to be included in the SDK. * All code contributions must be accompanied with new or modified tests that verify that the code works as expected; i.e. that the issue has been fixed or that the functionality works as intended. @@ -162,6 +161,5 @@ when contributing to the SDK. [label-doc-issue]: https://github.com/aws/aws-sdk-java-v2/labels/documentation [label-feature-request]: https://github.com/aws/aws-sdk-java-v2/labels/feature-request [git-rewriting-history]: https://git-scm.com/book/en/v2/Git-Tools-Rewriting-History -[gitter]: https://gitter.im/aws/aws-sdk-java-v2 [bug-report]: https://github.com/aws/aws-sdk-java-v2/issues/new?assignees=&labels=bug%2Cneeds-triage&template=bug-report.yml&title=%28short+issue+description%29 [feature-request]: https://github.com/aws/aws-sdk-java-v2/issues/new?assignees=&labels=feature-request%2Cneeds-triage&template=feature-request.yml&title=%28short+issue+description%29 diff --git a/README.md b/README.md index ecd62a92044c..51beaa9db89a 100644 --- a/README.md +++ b/README.md @@ -1,7 +1,6 @@ # AWS SDK for Java 2.0 ![Build Status](https://codebuild.us-west-2.amazonaws.com/badges?uuid=eyJlbmNyeXB0ZWREYXRhIjoiTFJSRXBBN1hkU1ZEQzZ4M1hoaWlFUExuNER3WjNpVllSQ09Qam1YdFlTSDNTd3RpZzNia3F0VkJRUTBwZlQwR1BEelpSV2dWVnp4YTBCOFZKRzRUR004PSIsIml2UGFyYW1ldGVyU3BlYyI6ImdHdEp1UHhKckpDRmhmQU4iLCJtYXRlcmlhbFNldFNlcmlhbCI6MX0%3D&branch=master) [![Maven](https://img.shields.io/maven-central/v/software.amazon.awssdk/s3.svg?label=Maven)](https://search.maven.org/search?q=g:%22software.amazon.awssdk%22%20AND%20a:%22s3%22) -[![Gitter](https://badges.gitter.im/aws/aws-sdk-java-v2.svg)](https://gitter.im/aws/aws-sdk-java-v2?utm_source=badge&utm_medium=badge&utm_campaign=pr-badge) [![codecov](https://codecov.io/gh/aws/aws-sdk-java-v2/branch/master/graph/badge.svg)](https://codecov.io/gh/aws/aws-sdk-java-v2) [![All Contributors](https://img.shields.io/badge/all_contributors-111-orange.svg?style=flat-square)](#contributors-) @@ -173,7 +172,6 @@ We need your help in making this SDK great. Please participate in the community [sdk-website]: http://aws.amazon.com/sdkforjava [aws-java-sdk-bom]: https://github.com/aws/aws-sdk-java-v2/tree/master/bom [stack-overflow]: http://stackoverflow.com/questions/tagged/aws-java-sdk -[gitter]: https://gitter.im/aws/aws-sdk-java-v2 [features]: https://github.com/aws/aws-sdk-java-v2/issues?q=is%3Aopen+is%3Aissue+label%3A%22feature-request%22 [support-center]: https://console.aws.amazon.com/support/ [console]: https://console.aws.amazon.com From cfc4a3e395efbaf347eaa97a2841897c432296c4 Mon Sep 17 00:00:00 2001 From: Matthew Miller Date: Thu, 12 Sep 2024 11:37:22 -0700 Subject: [PATCH 079/108] Add support for service-specific endpoint overrides without code changes. (#5562) * Made protected API changes in support of service-specific endpoint overrides. Class-Level Changes: * DefaultServiceEndpointBuilder - Deprecated in favor of the new ClientEndpointProvider and AwsClientEndpointProvider * ClientEndpointProvider - An interface for resolving the client-level endpoint. This endpoint may be overridden by the request-level EndpointProvider. This joins the existing fleet of endpoint-related providers, like region providers, dualstack providers, and FIPS providers. * AwsClientEndpointProvider - An implementation of ClientEndpointProvider that checks the client configuration, environment and service metadata to determine the client endpoint. Field Changes: * Deprecated SdkClientOption.ENDPOINT and SdkClientOption.ENDPOINT_OVERRIDDEN in favor of a new SdkClientOption.CLIENT_ENDPOINT_PROVIDER. The new property allows updating both values in a single field. It was a necessary improvement so that these properties can stay in sync, reliably. * Deprecated SdkExecutionAttribute.CLIENT_ENDPOINT and SdkClientOption.ENDPOINT_OVERRIDDEN in favor of a new SdkInternalExecutionAttribute.CLIENT_ENDPOINT_PROVIDER. The new property exists for much the same reasons as the new SdkClientOption, but also provides an opportunity to hide these should-be-internal-to-the-SDK attributes. * Updates to the way SDK clients are built, to support the new client endpoint providers. 1. Make clients set the SdkClientOption.CLIENT_ENDPOINT_PROVIDER when they are created. 2. Update the default AWS and SDK client builders to default the SdkClientOption.CLIENT_ENDPOINT_PROVIDERs so that old clients continue to work with the new core. Old clients versions won't support setting the endpoint with the new environment variable/system property/profile settings. This commit also includes EndpointSharedConfigTest which tests to make sure that the new ways of overriding the endpoint work for clients. * Moved non-client users of DefaultServiceEndpointBuilder over to AwsClientEndpointProvider. These are the users that remain after the last commit: 1. RdsPresignInterceptors in RDS, Neptune and DocDB. It's unfortunate that these are pretty much copy+pasted classes, but that seems like a future problem to figure out. 2. S3Utilities 3. S3Presigner 4. PollyPresigner * Miscellaneous changes required to move the SDK over from the old SdkClientOptions and SdkExecutionAttributes to the new SdkClientOptions and SdkInternalExecutionAttribute. * Codegen test file changes. * Changelog entry. * Fix checkstyle issue. * Update .changes/next-release/feature-AWSSDKforJavav2-eea40a4.json Co-authored-by: David Ho <70000000+davidh44@users.noreply.github.com> * WIP * Updated environment variables and profile properties to match the other AWS SDKs. * Addressed comments. * Updated test to use new profile property and environment variables. --------- Co-authored-by: David Ho <70000000+davidh44@users.noreply.github.com> --- .../feature-AWSSDKforJavav2-eea40a4.json | 6 + .../amazon/awssdk/codegen/internal/Utils.java | 5 +- .../codegen/naming/DefaultNamingStrategy.java | 43 +- .../awssdk/codegen/naming/NamingStrategy.java | 15 + .../poet/builder/BaseClientBuilderClass.java | 23 + .../codegen/poet/client/AsyncClientClass.java | 10 +- .../codegen/poet/client/SyncClientClass.java | 10 +- .../ServiceClientConfigurationUtils.java | 15 +- .../rules/RequestEndpointInterceptorSpec.java | 7 +- .../AwsEndpointProviderUtils.java.resource | 8 +- .../naming/DefaultNamingStrategyTest.java | 407 ++++++++++++++++ ...test-bearer-auth-client-builder-class.java | 34 +- .../sra/test-client-builder-class.java | 18 + ...-client-builder-endpoints-auth-params.java | 40 +- ...lient-builder-internal-defaults-class.java | 26 +- ...-composed-sync-default-client-builder.java | 42 +- ...test-no-auth-ops-client-builder-class.java | 30 +- ...-no-auth-service-client-builder-class.java | 31 +- .../sra/test-query-client-builder-class.java | 40 +- ...test-bearer-auth-client-builder-class.java | 34 +- .../builder/test-client-builder-class.java | 18 + ...-client-builder-endpoints-auth-params.java | 44 +- ...lient-builder-internal-defaults-class.java | 26 +- ...-composed-sync-default-client-builder.java | 46 +- ...test-no-auth-ops-client-builder-class.java | 30 +- ...-no-auth-service-client-builder-class.java | 27 +- .../test-query-client-builder-class.java | 44 +- .../client/test-endpoint-discovery-async.java | 186 +++---- .../client/test-endpoint-discovery-sync.java | 152 +++--- .../serviceclientconfiguration-builder.java | 12 +- .../request-set-endpoint-interceptor.java | 6 +- .../builder/AwsDefaultClientBuilder.java | 68 ++- .../endpoint/AwsClientEndpointProvider.java | 461 ++++++++++++++++++ .../DefaultServiceEndpointBuilder.java | 123 +---- .../internal/AwsExecutionContextBuilder.java | 4 +- .../builder/DefaultAwsClientBuilderTest.java | 12 + .../awscore/client/utils/HttpTestUtils.java | 4 +- .../json/BaseAwsJsonProtocolFactory.java | 14 +- .../query/AwsQueryProtocolFactory.java | 14 +- .../protocols/xml/AwsXmlProtocolFactory.java | 14 +- .../awssdk/core/ClientEndpointProvider.java | 56 +++ .../builder/SdkDefaultClientBuilder.java | 9 +- .../client/config/SdkClientConfiguration.java | 16 +- .../core/client/config/SdkClientOption.java | 17 + .../config/SdkClientOptionValidation.java | 2 - .../core/interceptor/ExecutionAttribute.java | 21 +- .../interceptor/SdkExecutionAttribute.java | 35 +- .../SdkInternalExecutionAttribute.java | 8 + .../SdkInternalTestAdvancedClientOption.java | 3 +- .../StaticClientEndpointProvider.java | 81 +++ .../builder/DefaultClientBuilderTest.java | 12 +- .../src/test/java/utils/HttpTestUtils.java | 4 +- .../docdb/internal/RdsPresignInterceptor.java | 36 +- .../PutItemRequestMarshallerTest.java | 4 +- .../GeneratePreSignUrlInterceptor.java | 7 +- .../internal/RdsPresignInterceptor.java | 36 +- .../presigner/DefaultPollyPresigner.java | 27 +- .../rds/internal/RdsPresignInterceptor.java | 36 +- .../route53/QueryParamBindingTest.java | 4 +- .../awssdk/services/s3/S3Utilities.java | 57 +-- .../internal/signing/DefaultS3Presigner.java | 48 +- .../S3ExpressAuthSchemeProviderTest.java | 4 + ...CodegenServiceClientConfigurationTest.java | 8 + .../services/EndpointSharedConfigTest.java | 267 ++++++++++ .../AwsEndpointProviderUtilsTest.java | 32 +- ...uestRequiredValidationMarshallingTest.java | 4 +- ...uestRequiredValidationMarshallingTest.java | 4 +- .../protocol/tests/EventTransformTest.java | 4 +- .../RestJsonEventStreamProtocolTest.java | 6 +- .../EnhancedClientGetOverheadBenchmark.java | 6 +- 70 files changed, 2363 insertions(+), 640 deletions(-) create mode 100644 .changes/next-release/feature-AWSSDKforJavav2-eea40a4.json create mode 100644 core/aws-core/src/main/java/software/amazon/awssdk/awscore/endpoint/AwsClientEndpointProvider.java create mode 100644 core/sdk-core/src/main/java/software/amazon/awssdk/core/ClientEndpointProvider.java create mode 100644 core/sdk-core/src/main/java/software/amazon/awssdk/core/internal/StaticClientEndpointProvider.java create mode 100644 test/codegen-generated-classes-test/src/test/java/software/amazon/awssdk/services/EndpointSharedConfigTest.java diff --git a/.changes/next-release/feature-AWSSDKforJavav2-eea40a4.json b/.changes/next-release/feature-AWSSDKforJavav2-eea40a4.json new file mode 100644 index 000000000000..452de0ebbd9e --- /dev/null +++ b/.changes/next-release/feature-AWSSDKforJavav2-eea40a4.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "AWS SDK for Java v2", + "contributor": "", + "description": "Add support for specifying endpoint overrides using environment variables, system properties or profile files. More information about this feature is available here: https://docs.aws.amazon.com/sdkref/latest/guide/feature-ss-endpoints.html" +} diff --git a/codegen/src/main/java/software/amazon/awssdk/codegen/internal/Utils.java b/codegen/src/main/java/software/amazon/awssdk/codegen/internal/Utils.java index 13703cbb61da..cf51e63148cb 100644 --- a/codegen/src/main/java/software/amazon/awssdk/codegen/internal/Utils.java +++ b/codegen/src/main/java/software/amazon/awssdk/codegen/internal/Utils.java @@ -16,6 +16,7 @@ package software.amazon.awssdk.codegen.internal; import static java.util.stream.Collectors.toList; +import static software.amazon.awssdk.utils.StringUtils.lowerCase; import java.io.Closeable; import java.io.File; @@ -133,7 +134,7 @@ public static String removeLeading(String str, String toRemove) { if (str == null) { return null; } - if (str.startsWith(toRemove)) { + if (lowerCase(str).startsWith(lowerCase(toRemove))) { return str.substring(toRemove.length()); } return str; @@ -143,7 +144,7 @@ public static String removeTrailing(String str, String toRemove) { if (str == null) { return null; } - if (str.endsWith(toRemove)) { + if (lowerCase(str).endsWith(lowerCase(toRemove))) { return str.substring(0, str.length() - toRemove.length()); } return str; diff --git a/codegen/src/main/java/software/amazon/awssdk/codegen/naming/DefaultNamingStrategy.java b/codegen/src/main/java/software/amazon/awssdk/codegen/naming/DefaultNamingStrategy.java index 721643f890fc..e5a4904f295f 100644 --- a/codegen/src/main/java/software/amazon/awssdk/codegen/naming/DefaultNamingStrategy.java +++ b/codegen/src/main/java/software/amazon/awssdk/codegen/naming/DefaultNamingStrategy.java @@ -114,19 +114,42 @@ private static boolean isJavaKeyword(String word) { @Override public String getServiceName() { - String baseName = Stream.of(serviceModel.getMetadata().getServiceId()) - .filter(Objects::nonNull) - .filter(s -> !s.trim().isEmpty()) - .findFirst() - .orElseThrow(() -> new IllegalStateException("ServiceId is missing in the c2j model.")); - + String baseName = serviceId(); baseName = pascalCase(baseName); + baseName = removeRedundantPrefixesAndSuffixes(baseName); + return baseName; + } - // Special cases - baseName = Utils.removeLeading(baseName, "Amazon"); - baseName = Utils.removeLeading(baseName, "Aws"); - baseName = Utils.removeTrailing(baseName, "Service"); + @Override + public String getServiceNameForEnvironmentVariables() { + String baseName = serviceId(); + baseName = baseName.replace(' ', '_'); + baseName = StringUtils.upperCase(baseName); + return baseName; + } + + @Override + public String getServiceNameForSystemProperties() { + return getServiceName(); + } + + @Override + public String getServiceNameForProfileFile() { + return StringUtils.lowerCase(getServiceNameForEnvironmentVariables()); + } + + private String serviceId() { + return Stream.of(serviceModel.getMetadata().getServiceId()) + .filter(Objects::nonNull) + .filter(s -> !s.trim().isEmpty()) + .findFirst() + .orElseThrow(() -> new IllegalStateException("ServiceId is missing in the c2j model.")); + } + private static String removeRedundantPrefixesAndSuffixes(String baseName) { + baseName = Utils.removeLeading(baseName, "amazon"); + baseName = Utils.removeLeading(baseName, "aws"); + baseName = Utils.removeTrailing(baseName, "service"); return baseName; } diff --git a/codegen/src/main/java/software/amazon/awssdk/codegen/naming/NamingStrategy.java b/codegen/src/main/java/software/amazon/awssdk/codegen/naming/NamingStrategy.java index 5bb7c67ae147..1fe32773d71f 100644 --- a/codegen/src/main/java/software/amazon/awssdk/codegen/naming/NamingStrategy.java +++ b/codegen/src/main/java/software/amazon/awssdk/codegen/naming/NamingStrategy.java @@ -29,6 +29,21 @@ public interface NamingStrategy { */ String getServiceName(); + /** + * Retrieve the service name that should be used for environment variables. + */ + String getServiceNameForEnvironmentVariables(); + + /** + * Retrieve the service name that should be used for system properties. + */ + String getServiceNameForSystemProperties(); + + /** + * Retrieve the service name that should be used for profile properties. + */ + String getServiceNameForProfileFile(); + /** * Retrieve the client package name that should be used based on the service name. */ diff --git a/codegen/src/main/java/software/amazon/awssdk/codegen/poet/builder/BaseClientBuilderClass.java b/codegen/src/main/java/software/amazon/awssdk/codegen/poet/builder/BaseClientBuilderClass.java index 386f3b267887..d98b7556ae98 100644 --- a/codegen/src/main/java/software/amazon/awssdk/codegen/poet/builder/BaseClientBuilderClass.java +++ b/codegen/src/main/java/software/amazon/awssdk/codegen/poet/builder/BaseClientBuilderClass.java @@ -43,6 +43,7 @@ import software.amazon.awssdk.auth.token.signer.aws.BearerTokenSigner; import software.amazon.awssdk.awscore.client.builder.AwsDefaultClientBuilder; import software.amazon.awssdk.awscore.client.config.AwsClientOption; +import software.amazon.awssdk.awscore.endpoint.AwsClientEndpointProvider; import software.amazon.awssdk.codegen.internal.Utils; import software.amazon.awssdk.codegen.model.intermediate.IntermediateModel; import software.amazon.awssdk.codegen.model.intermediate.OperationModel; @@ -72,6 +73,7 @@ import software.amazon.awssdk.identity.spi.IdentityProvider; import software.amazon.awssdk.identity.spi.IdentityProviders; import software.amazon.awssdk.identity.spi.TokenIdentity; +import software.amazon.awssdk.regions.ServiceMetadataAdvancedOption; import software.amazon.awssdk.utils.AttributeMap; import software.amazon.awssdk.utils.CollectionUtils; import software.amazon.awssdk.utils.StringUtils; @@ -456,6 +458,27 @@ private MethodSpec finalizeServiceConfigurationMethod() { builder.addStatement("builder.option($T.$L, resolveAccountIdEndpointMode(config))", AwsClientOption.class, model.getNamingStrategy().getEnumValueName("accountIdEndpointMode")); } + + String serviceNameForEnvVar = model.getNamingStrategy().getServiceNameForEnvironmentVariables(); + String serviceNameForSystemProperty = model.getNamingStrategy().getServiceNameForSystemProperties(); + String serviceNameForProfileFile = model.getNamingStrategy().getServiceNameForProfileFile(); + + builder.addCode("builder.lazyOptionIfAbsent($T.CLIENT_ENDPOINT_PROVIDER, c ->", SdkClientOption.class) + .addCode(" $T.builder()", AwsClientEndpointProvider.class) + .addCode(" .serviceEndpointOverrideEnvironmentVariable($S)", "AWS_ENDPOINT_URL_" + serviceNameForEnvVar) + .addCode(" .serviceEndpointOverrideSystemProperty($S)", "aws.endpointUrl" + serviceNameForSystemProperty) + .addCode(" .serviceProfileProperty($S)", serviceNameForProfileFile) + .addCode(" .serviceEndpointPrefix(serviceEndpointPrefix())") + .addCode(" .defaultProtocol($S)", "https") + .addCode(" .region(c.get($T.AWS_REGION))", AwsClientOption.class) + .addCode(" .profileFile(c.get($T.PROFILE_FILE_SUPPLIER))", SdkClientOption.class) + .addCode(" .profileName(c.get($T.PROFILE_NAME))", SdkClientOption.class) + .addCode(" .putAdvancedOption($T.DEFAULT_S3_US_EAST_1_REGIONAL_ENDPOINT,", ServiceMetadataAdvancedOption.class) + .addCode(" c.get($T.DEFAULT_S3_US_EAST_1_REGIONAL_ENDPOINT))", ServiceMetadataAdvancedOption.class) + .addCode(" .dualstackEnabled(c.get($T.DUALSTACK_ENDPOINT_ENABLED))", AwsClientOption.class) + .addCode(" .fipsEnabled(c.get($T.FIPS_ENDPOINT_ENABLED))", AwsClientOption.class) + .addCode(" .build());"); + builder.addStatement("return builder.build()"); return builder.build(); } diff --git a/codegen/src/main/java/software/amazon/awssdk/codegen/poet/client/AsyncClientClass.java b/codegen/src/main/java/software/amazon/awssdk/codegen/poet/client/AsyncClientClass.java index 1564af8b35d0..070dfb293404 100644 --- a/codegen/src/main/java/software/amazon/awssdk/codegen/poet/client/AsyncClientClass.java +++ b/codegen/src/main/java/software/amazon/awssdk/codegen/poet/client/AsyncClientClass.java @@ -254,8 +254,8 @@ private MethodSpec constructor(TypeSpec.Builder classBuilder) { "AsyncEndpointDiscoveryCacheLoader")); if (model.getCustomizationConfig().allowEndpointOverrideForEndpointDiscoveryRequiredOperations()) { - builder.beginControlFlow("if (clientConfiguration.option(SdkClientOption.ENDPOINT_OVERRIDDEN) == " - + "Boolean.TRUE)"); + builder.beginControlFlow("if (clientConfiguration.option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER)" + + ".isEndpointOverridden())"); builder.addStatement("log.warn($S)", "Endpoint discovery is enabled for this client, and an endpoint override was also " + "specified. This will disable endpoint discovery for methods that require it, instead " @@ -401,7 +401,8 @@ protected MethodSpec.Builder operationBody(MethodSpec.Builder builder, Operation builder.addStatement("boolean endpointDiscoveryEnabled = " + "clientConfiguration.option(SdkClientOption.ENDPOINT_DISCOVERY_ENABLED)"); builder.addStatement("boolean endpointOverridden = " - + "clientConfiguration.option(SdkClientOption.ENDPOINT_OVERRIDDEN) == Boolean.TRUE"); + + "clientConfiguration.option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER)" + + ".isEndpointOverridden()"); if (opModel.getEndpointDiscovery().isRequired()) { if (!model.getCustomizationConfig().allowEndpointOverrideForEndpointDiscoveryRequiredOperations()) { @@ -443,7 +444,8 @@ protected MethodSpec.Builder operationBody(MethodSpec.Builder builder, Operation builder.addCode("endpointFuture = identityFuture.thenCompose(credentials -> {") .addCode(" $1T endpointDiscoveryRequest = $1T.builder()", EndpointDiscoveryRequest.class) .addCode(" .required($L)", opModel.getInputShape().getEndpointDiscovery().isRequired()) - .addCode(" .defaultEndpoint(clientConfiguration.option($T.ENDPOINT))", SdkClientOption.class) + .addCode(" .defaultEndpoint(clientConfiguration.option($T.CLIENT_ENDPOINT_PROVIDER).clientEndpoint())", + SdkClientOption.class) .addCode(" .overrideConfiguration($N.overrideConfiguration().orElse(null))", opModel.getInput().getVariableName()) .addCode(" .build();") diff --git a/codegen/src/main/java/software/amazon/awssdk/codegen/poet/client/SyncClientClass.java b/codegen/src/main/java/software/amazon/awssdk/codegen/poet/client/SyncClientClass.java index befb4b49bc28..d042f60e069f 100644 --- a/codegen/src/main/java/software/amazon/awssdk/codegen/poet/client/SyncClientClass.java +++ b/codegen/src/main/java/software/amazon/awssdk/codegen/poet/client/SyncClientClass.java @@ -219,8 +219,8 @@ private MethodSpec constructor() { "EndpointDiscoveryCacheLoader")); if (model.getCustomizationConfig().allowEndpointOverrideForEndpointDiscoveryRequiredOperations()) { - builder.beginControlFlow("if (clientConfiguration.option(SdkClientOption.ENDPOINT_OVERRIDDEN) == " - + "Boolean.TRUE)"); + builder.beginControlFlow("if (clientConfiguration.option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER)" + + ".isEndpointOverridden())"); builder.addStatement("log.warn(() -> $S)", "Endpoint discovery is enabled for this client, and an endpoint override was also " + "specified. This will disable endpoint discovery for methods that require it, instead " @@ -265,7 +265,8 @@ private MethodSpec traditionalMethod(OperationModel opModel) { method.addStatement("boolean endpointDiscoveryEnabled = " + "clientConfiguration.option(SdkClientOption.ENDPOINT_DISCOVERY_ENABLED)"); method.addStatement("boolean endpointOverridden = " - + "clientConfiguration.option(SdkClientOption.ENDPOINT_OVERRIDDEN) == Boolean.TRUE"); + + "clientConfiguration.option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER)" + + ".isEndpointOverridden()"); if (opModel.getEndpointDiscovery().isRequired()) { if (!model.getCustomizationConfig().allowEndpointOverrideForEndpointDiscoveryRequiredOperations()) { @@ -309,7 +310,8 @@ private MethodSpec traditionalMethod(OperationModel opModel) { method.addCode("$1T endpointDiscoveryRequest = $1T.builder()", EndpointDiscoveryRequest.class) .addCode(" .required($L)", opModel.getInputShape().getEndpointDiscovery().isRequired()) - .addCode(" .defaultEndpoint(clientConfiguration.option($T.ENDPOINT))", SdkClientOption.class) + .addCode(" .defaultEndpoint(clientConfiguration.option($T.CLIENT_ENDPOINT_PROVIDER).clientEndpoint())", + SdkClientOption.class) .addCode(" .overrideConfiguration($N.overrideConfiguration().orElse(null))", opModel.getInput().getVariableName()) .addCode(" .build();"); diff --git a/codegen/src/main/java/software/amazon/awssdk/codegen/poet/model/ServiceClientConfigurationUtils.java b/codegen/src/main/java/software/amazon/awssdk/codegen/poet/model/ServiceClientConfigurationUtils.java index b4c325123332..efe1a90ae9f1 100644 --- a/codegen/src/main/java/software/amazon/awssdk/codegen/poet/model/ServiceClientConfigurationUtils.java +++ b/codegen/src/main/java/software/amazon/awssdk/codegen/poet/model/ServiceClientConfigurationUtils.java @@ -33,6 +33,7 @@ import software.amazon.awssdk.codegen.model.intermediate.IntermediateModel; import software.amazon.awssdk.codegen.poet.auth.scheme.AuthSchemeSpecUtils; import software.amazon.awssdk.codegen.poet.rules.EndpointRulesSpecUtils; +import software.amazon.awssdk.core.ClientEndpointProvider; import software.amazon.awssdk.core.client.config.ClientOption; import software.amazon.awssdk.core.client.config.ClientOverrideConfiguration; import software.amazon.awssdk.core.client.config.SdkClientConfiguration; @@ -161,11 +162,10 @@ private Field endpointOverrideField() { private CodeBlock endpointOverrideConfigSetter() { return CodeBlock.builder() .beginControlFlow("if (endpointOverride != null)") - .addStatement("config.option($T.ENDPOINT, endpointOverride)", SdkClientOption.class) - .addStatement("config.option($T.ENDPOINT_OVERRIDDEN, true)", SdkClientOption.class) + .addStatement("config.option($T.CLIENT_ENDPOINT_PROVIDER, $T.forEndpointOverride(endpointOverride))", + SdkClientOption.class, ClientEndpointProvider.class) .nextControlFlow("else") - .addStatement("config.option($T.ENDPOINT, null)", SdkClientOption.class) - .addStatement("config.option($T.ENDPOINT_OVERRIDDEN, false)", SdkClientOption.class) + .addStatement("config.option($T.CLIENT_ENDPOINT_PROVIDER, null)", SdkClientOption.class) .endControlFlow() .addStatement("return this") .build(); @@ -173,9 +173,10 @@ private CodeBlock endpointOverrideConfigSetter() { private CodeBlock endpointOverrideConfigGetter() { return CodeBlock.builder() - .beginControlFlow("if (Boolean.TRUE.equals(config.option($T.ENDPOINT_OVERRIDDEN)))", - SdkClientOption.class) - .addStatement("return config.option($T.ENDPOINT)", SdkClientOption.class) + .addStatement("$T clientEndpoint = config.option($T.CLIENT_ENDPOINT_PROVIDER)", + ClientEndpointProvider.class, SdkClientOption.class) + .beginControlFlow("if (clientEndpoint != null && clientEndpoint.isEndpointOverridden())") + .addStatement("return clientEndpoint.clientEndpoint()") .endControlFlow() .addStatement("return null") .build(); diff --git a/codegen/src/main/java/software/amazon/awssdk/codegen/poet/rules/RequestEndpointInterceptorSpec.java b/codegen/src/main/java/software/amazon/awssdk/codegen/poet/rules/RequestEndpointInterceptorSpec.java index 9f7a9f647828..63b5133f180e 100644 --- a/codegen/src/main/java/software/amazon/awssdk/codegen/poet/rules/RequestEndpointInterceptorSpec.java +++ b/codegen/src/main/java/software/amazon/awssdk/codegen/poet/rules/RequestEndpointInterceptorSpec.java @@ -26,7 +26,6 @@ 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.core.interceptor.SdkExecutionAttribute; import software.amazon.awssdk.core.interceptor.SdkInternalExecutionAttribute; import software.amazon.awssdk.endpoints.Endpoint; import software.amazon.awssdk.http.SdkHttpRequest; @@ -71,14 +70,14 @@ private MethodSpec modifyHttpRequestMethod() { .addStatement("return context.httpRequest()") .endControlFlow().build(); - b.addStatement("$1T endpoint = ($1T) executionAttributes.getAttribute($2T.RESOLVED_ENDPOINT)", + b.addStatement("$T endpoint = executionAttributes.getAttribute($T.RESOLVED_ENDPOINT)", Endpoint.class, SdkInternalExecutionAttribute.class); b.addStatement("return $T.setUri(context.httpRequest()," - + "executionAttributes.getAttribute($T.CLIENT_ENDPOINT)," + + "executionAttributes.getAttribute($T.CLIENT_ENDPOINT_PROVIDER).clientEndpoint()," + "endpoint.url())", endpointRulesSpecUtils.rulesRuntimeClassName("AwsEndpointProviderUtils"), - SdkExecutionAttribute.class); + SdkInternalExecutionAttribute.class); return b.build(); } diff --git a/codegen/src/main/resources/software/amazon/awssdk/codegen/rules/AwsEndpointProviderUtils.java.resource b/codegen/src/main/resources/software/amazon/awssdk/codegen/rules/AwsEndpointProviderUtils.java.resource index 2859989b3716..ad2242d6af82 100644 --- a/codegen/src/main/resources/software/amazon/awssdk/codegen/rules/AwsEndpointProviderUtils.java.resource +++ b/codegen/src/main/resources/software/amazon/awssdk/codegen/rules/AwsEndpointProviderUtils.java.resource @@ -44,7 +44,8 @@ public final class AwsEndpointProviderUtils { public static String endpointBuiltIn(ExecutionAttributes executionAttributes) { if (endpointIsOverridden(executionAttributes)) { return invokeSafely(() -> { - URI endpointOverride = executionAttributes.getAttribute(SdkExecutionAttribute.CLIENT_ENDPOINT); + URI endpointOverride = executionAttributes.getAttribute(SdkInternalExecutionAttribute.CLIENT_ENDPOINT_PROVIDER) + .clientEndpoint(); return new URI(endpointOverride.getScheme(), null, endpointOverride.getHost(), endpointOverride.getPort(), endpointOverride.getPath(), null, endpointOverride.getFragment()).toString(); }); @@ -53,11 +54,10 @@ public final class AwsEndpointProviderUtils { } /** - * True if the the {@link SdkExecutionAttribute#ENDPOINT_OVERRIDDEN} attribute is present and its value is - * {@code true}, {@code false} otherwise. + * Read {@link SdkExecutionAttribute#CLIENT_ENDPOINT_PROVIDER}'s isEndpointOverridden attribute. */ public static boolean endpointIsOverridden(ExecutionAttributes attrs) { - return attrs.getOptionalAttribute(SdkExecutionAttribute.ENDPOINT_OVERRIDDEN).orElse(false); + return attrs.getAttribute(SdkInternalExecutionAttribute.CLIENT_ENDPOINT_PROVIDER).isEndpointOverridden(); } /** diff --git a/codegen/src/test/java/software/amazon/awssdk/codegen/naming/DefaultNamingStrategyTest.java b/codegen/src/test/java/software/amazon/awssdk/codegen/naming/DefaultNamingStrategyTest.java index 064e662e95cd..6b8756474405 100644 --- a/codegen/src/test/java/software/amazon/awssdk/codegen/naming/DefaultNamingStrategyTest.java +++ b/codegen/src/test/java/software/amazon/awssdk/codegen/naming/DefaultNamingStrategyTest.java @@ -31,6 +31,7 @@ import org.junit.Test; import org.junit.runner.RunWith; import org.mockito.Mock; +import org.mockito.Mockito; import org.mockito.junit.MockitoJUnitRunner; import software.amazon.awssdk.codegen.model.config.customization.CustomizationConfig; import software.amazon.awssdk.codegen.model.config.customization.UnderscoresInNameBehavior; @@ -336,6 +337,412 @@ public void validateAllowsUnderscoresWithCustomization() { strategy.validateCustomerVisibleNaming(model); } + @Test + public void validateServiceIdentifiersForEnvVarsAndProfileProperty() { + when(serviceModel.getMetadata()).thenReturn(serviceMetadata); + + validateServiceIdSetting("AccessAnalyzer", "accessanalyzer", "ACCESSANALYZER", "AccessAnalyzer"); + validateServiceIdSetting("Account", "account", "ACCOUNT", "Account"); + validateServiceIdSetting("ACM", "acm", "ACM", "Acm"); + validateServiceIdSetting("ACM PCA", "acm_pca", "ACM_PCA", "AcmPca"); + validateServiceIdSetting("Alexa For Business", "alexa_for_business", "ALEXA_FOR_BUSINESS", "AlexaForBusiness"); + validateServiceIdSetting("amp", "amp", "AMP", "Amp"); + validateServiceIdSetting("Amplify", "amplify", "AMPLIFY", "Amplify"); + validateServiceIdSetting("AmplifyBackend", "amplifybackend", "AMPLIFYBACKEND", "AmplifyBackend"); + validateServiceIdSetting("AmplifyUIBuilder", "amplifyuibuilder", "AMPLIFYUIBUILDER", "AmplifyUiBuilder"); + validateServiceIdSetting("API Gateway", "api_gateway", "API_GATEWAY", "ApiGateway"); + // Kotlin uses ApiGatewayManagement + validateServiceIdSetting("ApiGatewayManagementApi", "apigatewaymanagementapi", "APIGATEWAYMANAGEMENTAPI", + "ApiGatewayManagementApi"); + validateServiceIdSetting("ApiGatewayV2", "apigatewayv2", "APIGATEWAYV2", "ApiGatewayV2"); + validateServiceIdSetting("AppConfig", "appconfig", "APPCONFIG", "AppConfig"); + validateServiceIdSetting("AppConfigData", "appconfigdata", "APPCONFIGDATA", "AppConfigData"); + validateServiceIdSetting("AppFabric", "appfabric", "APPFABRIC", "AppFabric"); + validateServiceIdSetting("Appflow", "appflow", "APPFLOW", "Appflow"); + validateServiceIdSetting("AppIntegrations", "appintegrations", "APPINTEGRATIONS", "AppIntegrations"); + validateServiceIdSetting("Application Auto Scaling", "application_auto_scaling", "APPLICATION_AUTO_SCALING", "ApplicationAutoScaling"); + validateServiceIdSetting("Application Insights", "application_insights", "APPLICATION_INSIGHTS", "ApplicationInsights"); + validateServiceIdSetting("ApplicationCostProfiler", "applicationcostprofiler", "APPLICATIONCOSTPROFILER", "ApplicationCostProfiler"); + validateServiceIdSetting("App Mesh", "app_mesh", "APP_MESH", "AppMesh"); + validateServiceIdSetting("AppRunner", "apprunner", "APPRUNNER", "AppRunner"); + validateServiceIdSetting("AppStream", "appstream", "APPSTREAM", "AppStream"); + validateServiceIdSetting("AppSync", "appsync", "APPSYNC", "AppSync"); + validateServiceIdSetting("ARC Zonal Shift", "arc_zonal_shift", "ARC_ZONAL_SHIFT", "ArcZonalShift"); + validateServiceIdSetting("Artifact", "artifact", "ARTIFACT", "Artifact"); + validateServiceIdSetting("Athena", "athena", "ATHENA", "Athena"); + validateServiceIdSetting("AuditManager", "auditmanager", "AUDITMANAGER", "AuditManager"); + validateServiceIdSetting("Auto Scaling", "auto_scaling", "AUTO_SCALING", "AutoScaling"); + validateServiceIdSetting("Auto Scaling Plans", "auto_scaling_plans", "AUTO_SCALING_PLANS", "AutoScalingPlans"); + validateServiceIdSetting("b2bi", "b2bi", "B2BI", "B2Bi"); + validateServiceIdSetting("Backup", "backup", "BACKUP", "Backup"); + validateServiceIdSetting("Backup Gateway", "backup_gateway", "BACKUP_GATEWAY", "BackupGateway"); + validateServiceIdSetting("BackupStorage", "backupstorage", "BACKUPSTORAGE", "BackupStorage"); + validateServiceIdSetting("Batch", "batch", "BATCH", "Batch"); + validateServiceIdSetting("BCM Data Exports", "bcm_data_exports", "BCM_DATA_EXPORTS", "BcmDataExports"); + validateServiceIdSetting("Bedrock", "bedrock", "BEDROCK", "Bedrock"); + validateServiceIdSetting("Bedrock Agent", "bedrock_agent", "BEDROCK_AGENT", "BedrockAgent"); + validateServiceIdSetting("Bedrock Agent Runtime", "bedrock_agent_runtime", "BEDROCK_AGENT_RUNTIME", "BedrockAgentRuntime"); + validateServiceIdSetting("Bedrock Runtime", "bedrock_runtime", "BEDROCK_RUNTIME", "BedrockRuntime"); + validateServiceIdSetting("billingconductor", "billingconductor", "BILLINGCONDUCTOR", "Billingconductor"); + validateServiceIdSetting("Braket", "braket", "BRAKET", "Braket"); + validateServiceIdSetting("Budgets", "budgets", "BUDGETS", "Budgets"); + validateServiceIdSetting("Cost Explorer", "cost_explorer", "COST_EXPLORER", "CostExplorer"); + validateServiceIdSetting("chatbot", "chatbot", "CHATBOT", "Chatbot"); + validateServiceIdSetting("Chime", "chime", "CHIME", "Chime"); + validateServiceIdSetting("Chime SDK Identity", "chime_sdk_identity", "CHIME_SDK_IDENTITY", "ChimeSdkIdentity"); + validateServiceIdSetting("Chime SDK Media Pipelines", "chime_sdk_media_pipelines", "CHIME_SDK_MEDIA_PIPELINES", "ChimeSdkMediaPipelines"); + validateServiceIdSetting("Chime SDK Meetings", "chime_sdk_meetings", "CHIME_SDK_MEETINGS", "ChimeSdkMeetings"); + validateServiceIdSetting("Chime SDK Messaging", "chime_sdk_messaging", "CHIME_SDK_MESSAGING", "ChimeSdkMessaging"); + validateServiceIdSetting("Chime SDK Voice", "chime_sdk_voice", "CHIME_SDK_VOICE", "ChimeSdkVoice"); + validateServiceIdSetting("CleanRooms", "cleanrooms", "CLEANROOMS", "CleanRooms"); + validateServiceIdSetting("CleanRoomsML", "cleanroomsml", "CLEANROOMSML", "CleanRoomsMl"); + validateServiceIdSetting("Cloud9", "cloud9", "CLOUD9", "Cloud9"); + validateServiceIdSetting("CloudControl", "cloudcontrol", "CLOUDCONTROL", "CloudControl"); + validateServiceIdSetting("CloudDirectory", "clouddirectory", "CLOUDDIRECTORY", "CloudDirectory"); + validateServiceIdSetting("CloudFormation", "cloudformation", "CLOUDFORMATION", "CloudFormation"); + validateServiceIdSetting("CloudFront", "cloudfront", "CLOUDFRONT", "CloudFront"); + validateServiceIdSetting("CloudFront KeyValueStore", "cloudfront_keyvaluestore", "CLOUDFRONT_KEYVALUESTORE", "CloudFrontKeyValueStore"); + validateServiceIdSetting("CloudHSM", "cloudhsm", "CLOUDHSM", "CloudHsm"); + validateServiceIdSetting("CloudHSM V2", "cloudhsm_v2", "CLOUDHSM_V2", "CloudHsmV2"); + validateServiceIdSetting("CloudSearch", "cloudsearch", "CLOUDSEARCH", "CloudSearch"); + validateServiceIdSetting("CloudSearch Domain", "cloudsearch_domain", "CLOUDSEARCH_DOMAIN", "CloudSearchDomain"); + validateServiceIdSetting("CloudTrail", "cloudtrail", "CLOUDTRAIL", "CloudTrail"); + validateServiceIdSetting("CloudTrail Data", "cloudtrail_data", "CLOUDTRAIL_DATA", "CloudTrailData"); + validateServiceIdSetting("CloudWatch", "cloudwatch", "CLOUDWATCH", "CloudWatch"); + validateServiceIdSetting("codeartifact", "codeartifact", "CODEARTIFACT", "Codeartifact"); + validateServiceIdSetting("CodeBuild", "codebuild", "CODEBUILD", "CodeBuild"); + validateServiceIdSetting("CodeCatalyst", "codecatalyst", "CODECATALYST", "CodeCatalyst"); + validateServiceIdSetting("CodeCommit", "codecommit", "CODECOMMIT", "CodeCommit"); + validateServiceIdSetting("CodeDeploy", "codedeploy", "CODEDEPLOY", "CodeDeploy"); + validateServiceIdSetting("CodeGuru Reviewer", "codeguru_reviewer", "CODEGURU_REVIEWER", "CodeGuruReviewer"); + validateServiceIdSetting("CodeGuru Security", "codeguru_security", "CODEGURU_SECURITY", "CodeGuruSecurity"); + validateServiceIdSetting("CodeGuruProfiler", "codeguruprofiler", "CODEGURUPROFILER", "CodeGuruProfiler"); + validateServiceIdSetting("CodePipeline", "codepipeline", "CODEPIPELINE", "CodePipeline"); + validateServiceIdSetting("CodeStar", "codestar", "CODESTAR", "CodeStar"); + validateServiceIdSetting("CodeStar connections", "codestar_connections", "CODESTAR_CONNECTIONS", "CodeStarConnections"); + validateServiceIdSetting("codestar notifications", "codestar_notifications", "CODESTAR_NOTIFICATIONS", "CodestarNotifications"); + validateServiceIdSetting("Cognito Identity", "cognito_identity", "COGNITO_IDENTITY", "CognitoIdentity"); + validateServiceIdSetting("Cognito Identity Provider", "cognito_identity_provider", "COGNITO_IDENTITY_PROVIDER", "CognitoIdentityProvider"); + validateServiceIdSetting("Cognito Sync", "cognito_sync", "COGNITO_SYNC", "CognitoSync"); + validateServiceIdSetting("Comprehend", "comprehend", "COMPREHEND", "Comprehend"); + validateServiceIdSetting("ComprehendMedical", "comprehendmedical", "COMPREHENDMEDICAL", "ComprehendMedical"); + validateServiceIdSetting("Compute Optimizer", "compute_optimizer", "COMPUTE_OPTIMIZER", "ComputeOptimizer"); + validateServiceIdSetting("Config Service", "config_service", "CONFIG_SERVICE", "Config"); + validateServiceIdSetting("Connect", "connect", "CONNECT", "Connect"); + validateServiceIdSetting("Connect Contact Lens", "connect_contact_lens", "CONNECT_CONTACT_LENS", "ConnectContactLens"); + validateServiceIdSetting("ConnectCampaigns", "connectcampaigns", "CONNECTCAMPAIGNS", "ConnectCampaigns"); + validateServiceIdSetting("ConnectCases", "connectcases", "CONNECTCASES", "ConnectCases"); + validateServiceIdSetting("ConnectParticipant", "connectparticipant", "CONNECTPARTICIPANT", "ConnectParticipant"); + validateServiceIdSetting("ControlTower", "controltower", "CONTROLTOWER", "ControlTower"); + validateServiceIdSetting("Cost Optimization Hub", "cost_optimization_hub", "COST_OPTIMIZATION_HUB", "CostOptimizationHub"); + validateServiceIdSetting("Cost and Usage Report Service", "cost_and_usage_report_service", "COST_AND_USAGE_REPORT_SERVICE", "CostAndUsageReport"); + validateServiceIdSetting("Customer Profiles", "customer_profiles", "CUSTOMER_PROFILES", "CustomerProfiles"); + validateServiceIdSetting("DataBrew", "databrew", "DATABREW", "DataBrew"); + validateServiceIdSetting("DataExchange", "dataexchange", "DATAEXCHANGE", "DataExchange"); + validateServiceIdSetting("Data Pipeline", "data_pipeline", "DATA_PIPELINE", "DataPipeline"); + validateServiceIdSetting("DataSync", "datasync", "DATASYNC", "DataSync"); + validateServiceIdSetting("DataZone", "datazone", "DATAZONE", "DataZone"); + validateServiceIdSetting("DAX", "dax", "DAX", "Dax"); + validateServiceIdSetting("Detective", "detective", "DETECTIVE", "Detective"); + validateServiceIdSetting("Device Farm", "device_farm", "DEVICE_FARM", "DeviceFarm"); + validateServiceIdSetting("DevOps Guru", "devops_guru", "DEVOPS_GURU", "DevOpsGuru"); + validateServiceIdSetting("Direct Connect", "direct_connect", "DIRECT_CONNECT", "DirectConnect"); + validateServiceIdSetting("Application Discovery Service", "application_discovery_service", "APPLICATION_DISCOVERY_SERVICE", "ApplicationDiscovery"); + validateServiceIdSetting("DLM", "dlm", "DLM", "Dlm"); + validateServiceIdSetting("Database Migration Service", "database_migration_service", "DATABASE_MIGRATION_SERVICE", "DatabaseMigration"); + validateServiceIdSetting("DocDB", "docdb", "DOCDB", "DocDb"); + validateServiceIdSetting("DocDB Elastic", "docdb_elastic", "DOCDB_ELASTIC", "DocDbElastic"); + validateServiceIdSetting("drs", "drs", "DRS", "Drs"); + validateServiceIdSetting("Directory Service", "directory_service", "DIRECTORY_SERVICE", "Directory"); + validateServiceIdSetting("DynamoDB", "dynamodb", "DYNAMODB", "DynamoDb"); + validateServiceIdSetting("DynamoDB Streams", "dynamodb_streams", "DYNAMODB_STREAMS", "DynamoDbStreams"); + validateServiceIdSetting("EBS", "ebs", "EBS", "Ebs"); + validateServiceIdSetting("EC2", "ec2", "EC2", "Ec2"); + validateServiceIdSetting("EC2 Instance Connect", "ec2_instance_connect", "EC2_INSTANCE_CONNECT", "Ec2InstanceConnect"); + validateServiceIdSetting("ECR", "ecr", "ECR", "Ecr"); + validateServiceIdSetting("ECR PUBLIC", "ecr_public", "ECR_PUBLIC", "EcrPublic"); + validateServiceIdSetting("ECS", "ecs", "ECS", "Ecs"); + validateServiceIdSetting("EFS", "efs", "EFS", "Efs"); + validateServiceIdSetting("EKS", "eks", "EKS", "Eks"); + validateServiceIdSetting("EKS Auth", "eks_auth", "EKS_AUTH", "EksAuth"); + validateServiceIdSetting("Elastic Inference", "elastic_inference", "ELASTIC_INFERENCE", "ElasticInference"); + validateServiceIdSetting("ElastiCache", "elasticache", "ELASTICACHE", "ElastiCache"); + validateServiceIdSetting("Elastic Beanstalk", "elastic_beanstalk", "ELASTIC_BEANSTALK", "ElasticBeanstalk"); + validateServiceIdSetting("Elastic Transcoder", "elastic_transcoder", "ELASTIC_TRANSCODER", "ElasticTranscoder"); + validateServiceIdSetting("Elastic Load Balancing", "elastic_load_balancing", "ELASTIC_LOAD_BALANCING", "ElasticLoadBalancing"); + validateServiceIdSetting("Elastic Load Balancing v2", "elastic_load_balancing_v2", "ELASTIC_LOAD_BALANCING_V2", "ElasticLoadBalancingV2"); + validateServiceIdSetting("EMR", "emr", "EMR", "Emr"); + validateServiceIdSetting("EMR containers", "emr_containers", "EMR_CONTAINERS", "EmrContainers"); + validateServiceIdSetting("EMR Serverless", "emr_serverless", "EMR_SERVERLESS", "EmrServerless"); + validateServiceIdSetting("EntityResolution", "entityresolution", "ENTITYRESOLUTION", "EntityResolution"); + validateServiceIdSetting("Elasticsearch Service", "elasticsearch_service", "ELASTICSEARCH_SERVICE", "Elasticsearch"); + validateServiceIdSetting("EventBridge", "eventbridge", "EVENTBRIDGE", "EventBridge"); + validateServiceIdSetting("Evidently", "evidently", "EVIDENTLY", "Evidently"); + validateServiceIdSetting("finspace", "finspace", "FINSPACE", "Finspace"); + validateServiceIdSetting("finspace data", "finspace_data", "FINSPACE_DATA", "FinspaceData"); + validateServiceIdSetting("Firehose", "firehose", "FIREHOSE", "Firehose"); + validateServiceIdSetting("fis", "fis", "FIS", "Fis"); + validateServiceIdSetting("FMS", "fms", "FMS", "Fms"); + validateServiceIdSetting("forecast", "forecast", "FORECAST", "Forecast"); + validateServiceIdSetting("forecastquery", "forecastquery", "FORECASTQUERY", "Forecastquery"); + validateServiceIdSetting("FraudDetector", "frauddetector", "FRAUDDETECTOR", "FraudDetector"); + validateServiceIdSetting("FreeTier", "freetier", "FREETIER", "FreeTier"); + validateServiceIdSetting("FSx", "fsx", "FSX", "FSx"); + validateServiceIdSetting("GameLift", "gamelift", "GAMELIFT", "GameLift"); + validateServiceIdSetting("Glacier", "glacier", "GLACIER", "Glacier"); + validateServiceIdSetting("Global Accelerator", "global_accelerator", "GLOBAL_ACCELERATOR", "GlobalAccelerator"); + validateServiceIdSetting("Glue", "glue", "GLUE", "Glue"); + validateServiceIdSetting("grafana", "grafana", "GRAFANA", "Grafana"); + validateServiceIdSetting("Greengrass", "greengrass", "GREENGRASS", "Greengrass"); + validateServiceIdSetting("GreengrassV2", "greengrassv2", "GREENGRASSV2", "GreengrassV2"); + validateServiceIdSetting("GroundStation", "groundstation", "GROUNDSTATION", "GroundStation"); + validateServiceIdSetting("GuardDuty", "guardduty", "GUARDDUTY", "GuardDuty"); + validateServiceIdSetting("Health", "health", "HEALTH", "Health"); + validateServiceIdSetting("HealthLake", "healthlake", "HEALTHLAKE", "HealthLake"); + validateServiceIdSetting("Honeycode", "honeycode", "HONEYCODE", "Honeycode"); + validateServiceIdSetting("IAM", "iam", "IAM", "Iam"); + validateServiceIdSetting("identitystore", "identitystore", "IDENTITYSTORE", "Identitystore"); + validateServiceIdSetting("imagebuilder", "imagebuilder", "IMAGEBUILDER", "Imagebuilder"); + validateServiceIdSetting("ImportExport", "importexport", "IMPORTEXPORT", "ImportExport"); + validateServiceIdSetting("Inspector", "inspector", "INSPECTOR", "Inspector"); + validateServiceIdSetting("Inspector Scan", "inspector_scan", "INSPECTOR_SCAN", "InspectorScan"); + validateServiceIdSetting("Inspector2", "inspector2", "INSPECTOR2", "Inspector2"); + validateServiceIdSetting("InternetMonitor", "internetmonitor", "INTERNETMONITOR", "InternetMonitor"); + validateServiceIdSetting("IoT", "iot", "IOT", "Iot"); + validateServiceIdSetting("IoT Data Plane", "iot_data_plane", "IOT_DATA_PLANE", "IotDataPlane"); + validateServiceIdSetting("IoT Jobs Data Plane", "iot_jobs_data_plane", "IOT_JOBS_DATA_PLANE", "IotJobsDataPlane"); + validateServiceIdSetting("IoT 1Click Devices Service", "iot_1click_devices_service", "IOT_1CLICK_DEVICES_SERVICE", "Iot1ClickDevices"); + validateServiceIdSetting("IoT 1Click Projects", "iot_1click_projects", "IOT_1CLICK_PROJECTS", "Iot1ClickProjects"); + // Kotlin uses Iot instead of IoT, wherever that appears + validateServiceIdSetting("IoTAnalytics", "iotanalytics", "IOTANALYTICS", "IoTAnalytics"); + validateServiceIdSetting("IotDeviceAdvisor", "iotdeviceadvisor", "IOTDEVICEADVISOR", "IotDeviceAdvisor"); + validateServiceIdSetting("IoT Events", "iot_events", "IOT_EVENTS", "IotEvents"); + validateServiceIdSetting("IoT Events Data", "iot_events_data", "IOT_EVENTS_DATA", "IotEventsData"); + validateServiceIdSetting("IoTFleetHub", "iotfleethub", "IOTFLEETHUB", "IoTFleetHub"); + validateServiceIdSetting("IoTFleetWise", "iotfleetwise", "IOTFLEETWISE", "IoTFleetWise"); + validateServiceIdSetting("IoTSecureTunneling", "iotsecuretunneling", "IOTSECURETUNNELING", "IoTSecureTunneling"); + validateServiceIdSetting("IoTSiteWise", "iotsitewise", "IOTSITEWISE", "IoTSiteWise"); + validateServiceIdSetting("IoTThingsGraph", "iotthingsgraph", "IOTTHINGSGRAPH", "IoTThingsGraph"); + validateServiceIdSetting("IoTTwinMaker", "iottwinmaker", "IOTTWINMAKER", "IoTTwinMaker"); + validateServiceIdSetting("IoT Wireless", "iot_wireless", "IOT_WIRELESS", "IotWireless"); + validateServiceIdSetting("ivs", "ivs", "IVS", "Ivs"); + validateServiceIdSetting("IVS RealTime", "ivs_realtime", "IVS_REALTIME", "IvsRealTime"); + validateServiceIdSetting("ivschat", "ivschat", "IVSCHAT", "Ivschat"); + validateServiceIdSetting("Kafka", "kafka", "KAFKA", "Kafka"); + validateServiceIdSetting("KafkaConnect", "kafkaconnect", "KAFKACONNECT", "KafkaConnect"); + validateServiceIdSetting("kendra", "kendra", "KENDRA", "Kendra"); + validateServiceIdSetting("Kendra Ranking", "kendra_ranking", "KENDRA_RANKING", "KendraRanking"); + validateServiceIdSetting("Keyspaces", "keyspaces", "KEYSPACES", "Keyspaces"); + validateServiceIdSetting("Kinesis", "kinesis", "KINESIS", "Kinesis"); + validateServiceIdSetting("Kinesis Video Archived Media", "kinesis_video_archived_media", "KINESIS_VIDEO_ARCHIVED_MEDIA", "KinesisVideoArchivedMedia"); + validateServiceIdSetting("Kinesis Video Media", "kinesis_video_media", "KINESIS_VIDEO_MEDIA", "KinesisVideoMedia"); + validateServiceIdSetting("Kinesis Video Signaling", "kinesis_video_signaling", "KINESIS_VIDEO_SIGNALING", "KinesisVideoSignaling"); + validateServiceIdSetting("Kinesis Video WebRTC Storage", "kinesis_video_webrtc_storage", "KINESIS_VIDEO_WEBRTC_STORAGE", "KinesisVideoWebRtcStorage"); + validateServiceIdSetting("Kinesis Analytics", "kinesis_analytics", "KINESIS_ANALYTICS", "KinesisAnalytics"); + validateServiceIdSetting("Kinesis Analytics V2", "kinesis_analytics_v2", "KINESIS_ANALYTICS_V2", "KinesisAnalyticsV2"); + validateServiceIdSetting("Kinesis Video", "kinesis_video", "KINESIS_VIDEO", "KinesisVideo"); + validateServiceIdSetting("KMS", "kms", "KMS", "Kms"); + validateServiceIdSetting("LakeFormation", "lakeformation", "LAKEFORMATION", "LakeFormation"); + validateServiceIdSetting("Lambda", "lambda", "LAMBDA", "Lambda"); + validateServiceIdSetting("Launch Wizard", "launch_wizard", "LAUNCH_WIZARD", "LaunchWizard"); + validateServiceIdSetting("Lex Model Building Service", "lex_model_building_service", "LEX_MODEL_BUILDING_SERVICE", "LexModelBuilding"); + validateServiceIdSetting("Lex Runtime Service", "lex_runtime_service", "LEX_RUNTIME_SERVICE", "LexRuntime"); + validateServiceIdSetting("Lex Models V2", "lex_models_v2", "LEX_MODELS_V2", "LexModelsV2"); + validateServiceIdSetting("Lex Runtime V2", "lex_runtime_v2", "LEX_RUNTIME_V2", "LexRuntimeV2"); + validateServiceIdSetting("License Manager", "license_manager", "LICENSE_MANAGER", "LicenseManager"); + validateServiceIdSetting("License Manager Linux Subscriptions", "license_manager_linux_subscriptions", "LICENSE_MANAGER_LINUX_SUBSCRIPTIONS", "LicenseManagerLinuxSubscriptions"); + validateServiceIdSetting("License Manager User Subscriptions", "license_manager_user_subscriptions", "LICENSE_MANAGER_USER_SUBSCRIPTIONS", "LicenseManagerUserSubscriptions"); + validateServiceIdSetting("Lightsail", "lightsail", "LIGHTSAIL", "Lightsail"); + validateServiceIdSetting("Location", "location", "LOCATION", "Location"); + validateServiceIdSetting("CloudWatch Logs", "cloudwatch_logs", "CLOUDWATCH_LOGS", "CloudWatchLogs"); + validateServiceIdSetting("CloudWatch Logs", "cloudwatch_logs", "CLOUDWATCH_LOGS", "CloudWatchLogs"); + validateServiceIdSetting("LookoutEquipment", "lookoutequipment", "LOOKOUTEQUIPMENT", "LookoutEquipment"); + validateServiceIdSetting("LookoutMetrics", "lookoutmetrics", "LOOKOUTMETRICS", "LookoutMetrics"); + validateServiceIdSetting("LookoutVision", "lookoutvision", "LOOKOUTVISION", "LookoutVision"); + validateServiceIdSetting("m2", "m2", "M2", "M2"); + validateServiceIdSetting("Machine Learning", "machine_learning", "MACHINE_LEARNING", "MachineLearning"); + validateServiceIdSetting("Macie2", "macie2", "MACIE2", "Macie2"); + validateServiceIdSetting("ManagedBlockchain", "managedblockchain", "MANAGEDBLOCKCHAIN", "ManagedBlockchain"); + validateServiceIdSetting("ManagedBlockchain Query", "managedblockchain_query", "MANAGEDBLOCKCHAIN_QUERY", "ManagedBlockchainQuery"); + validateServiceIdSetting("Marketplace Agreement", "marketplace_agreement", "MARKETPLACE_AGREEMENT", "MarketplaceAgreement"); + validateServiceIdSetting("Marketplace Catalog", "marketplace_catalog", "MARKETPLACE_CATALOG", "MarketplaceCatalog"); + validateServiceIdSetting("Marketplace Deployment", "marketplace_deployment", "MARKETPLACE_DEPLOYMENT", "MarketplaceDeployment"); + validateServiceIdSetting("Marketplace Entitlement Service", "marketplace_entitlement_service", "MARKETPLACE_ENTITLEMENT_SERVICE", "MarketplaceEntitlement"); + validateServiceIdSetting("Marketplace Commerce Analytics", "marketplace_commerce_analytics", "MARKETPLACE_COMMERCE_ANALYTICS", "MarketplaceCommerceAnalytics"); + validateServiceIdSetting("MediaConnect", "mediaconnect", "MEDIACONNECT", "MediaConnect"); + validateServiceIdSetting("MediaConvert", "mediaconvert", "MEDIACONVERT", "MediaConvert"); + validateServiceIdSetting("MediaLive", "medialive", "MEDIALIVE", "MediaLive"); + validateServiceIdSetting("MediaPackage", "mediapackage", "MEDIAPACKAGE", "MediaPackage"); + validateServiceIdSetting("MediaPackage Vod", "mediapackage_vod", "MEDIAPACKAGE_VOD", "MediaPackageVod"); + validateServiceIdSetting("MediaPackageV2", "mediapackagev2", "MEDIAPACKAGEV2", "MediaPackageV2"); + validateServiceIdSetting("MediaStore", "mediastore", "MEDIASTORE", "MediaStore"); + validateServiceIdSetting("MediaStore Data", "mediastore_data", "MEDIASTORE_DATA", "MediaStoreData"); + validateServiceIdSetting("MediaTailor", "mediatailor", "MEDIATAILOR", "MediaTailor"); + validateServiceIdSetting("Medical Imaging", "medical_imaging", "MEDICAL_IMAGING", "MedicalImaging"); + validateServiceIdSetting("MemoryDB", "memorydb", "MEMORYDB", "MemoryDb"); + validateServiceIdSetting("Marketplace Metering", "marketplace_metering", "MARKETPLACE_METERING", "MarketplaceMetering"); + validateServiceIdSetting("Migration Hub", "migration_hub", "MIGRATION_HUB", "MigrationHub"); + validateServiceIdSetting("mgn", "mgn", "MGN", "Mgn"); + validateServiceIdSetting("Migration Hub Refactor Spaces", "migration_hub_refactor_spaces", "MIGRATION_HUB_REFACTOR_SPACES", "MigrationHubRefactorSpaces"); + validateServiceIdSetting("MigrationHub Config", "migrationhub_config", "MIGRATIONHUB_CONFIG", "MigrationHubConfig"); + validateServiceIdSetting("MigrationHubOrchestrator", "migrationhuborchestrator", "MIGRATIONHUBORCHESTRATOR", "MigrationHubOrchestrator"); + validateServiceIdSetting("MigrationHubStrategy", "migrationhubstrategy", "MIGRATIONHUBSTRATEGY", "MigrationHubStrategy"); + validateServiceIdSetting("Mobile", "mobile", "MOBILE", "Mobile"); + validateServiceIdSetting("mq", "mq", "MQ", "Mq"); + validateServiceIdSetting("MTurk", "mturk", "MTURK", "MTurk"); + validateServiceIdSetting("MWAA", "mwaa", "MWAA", "Mwaa"); + validateServiceIdSetting("Neptune", "neptune", "NEPTUNE", "Neptune"); + validateServiceIdSetting("Neptune Graph", "neptune_graph", "NEPTUNE_GRAPH", "NeptuneGraph"); + validateServiceIdSetting("neptunedata", "neptunedata", "NEPTUNEDATA", "Neptunedata"); + validateServiceIdSetting("Network Firewall", "network_firewall", "NETWORK_FIREWALL", "NetworkFirewall"); + validateServiceIdSetting("NetworkManager", "networkmanager", "NETWORKMANAGER", "NetworkManager"); + validateServiceIdSetting("NetworkMonitor", "networkmonitor", "NETWORKMONITOR", "NetworkMonitor"); + validateServiceIdSetting("nimble", "nimble", "NIMBLE", "Nimble"); + validateServiceIdSetting("OAM", "oam", "OAM", "Oam"); + validateServiceIdSetting("Omics", "omics", "OMICS", "Omics"); + validateServiceIdSetting("OpenSearch", "opensearch", "OPENSEARCH", "OpenSearch"); + validateServiceIdSetting("OpenSearchServerless", "opensearchserverless", "OPENSEARCHSERVERLESS", "OpenSearchServerless"); + validateServiceIdSetting("OpsWorks", "opsworks", "OPSWORKS", "OpsWorks"); + validateServiceIdSetting("OpsWorksCM", "opsworkscm", "OPSWORKSCM", "OpsWorksCm"); + validateServiceIdSetting("Organizations", "organizations", "ORGANIZATIONS", "Organizations"); + validateServiceIdSetting("OSIS", "osis", "OSIS", "Osis"); + validateServiceIdSetting("Outposts", "outposts", "OUTPOSTS", "Outposts"); + validateServiceIdSetting("p8data", "p8data", "P8DATA", "P8Data"); + validateServiceIdSetting("Panorama", "panorama", "PANORAMA", "Panorama"); + validateServiceIdSetting("Payment Cryptography", "payment_cryptography", "PAYMENT_CRYPTOGRAPHY", "PaymentCryptography"); + validateServiceIdSetting("Payment Cryptography Data", "payment_cryptography_data", "PAYMENT_CRYPTOGRAPHY_DATA", "PaymentCryptographyData"); + validateServiceIdSetting("Pca Connector Ad", "pca_connector_ad", "PCA_CONNECTOR_AD", "PcaConnectorAd"); + validateServiceIdSetting("Personalize", "personalize", "PERSONALIZE", "Personalize"); + validateServiceIdSetting("Personalize Events", "personalize_events", "PERSONALIZE_EVENTS", "PersonalizeEvents"); + validateServiceIdSetting("Personalize Runtime", "personalize_runtime", "PERSONALIZE_RUNTIME", "PersonalizeRuntime"); + validateServiceIdSetting("PI", "pi", "PI", "Pi"); + validateServiceIdSetting("Pinpoint", "pinpoint", "PINPOINT", "Pinpoint"); + validateServiceIdSetting("Pinpoint Email", "pinpoint_email", "PINPOINT_EMAIL", "PinpointEmail"); + validateServiceIdSetting("Pinpoint SMS Voice", "pinpoint_sms_voice", "PINPOINT_SMS_VOICE", "PinpointSmsVoice"); + validateServiceIdSetting("Pinpoint SMS Voice V2", "pinpoint_sms_voice_v2", "PINPOINT_SMS_VOICE_V2", "PinpointSmsVoiceV2"); + validateServiceIdSetting("Pipes", "pipes", "PIPES", "Pipes"); + validateServiceIdSetting("Polly", "polly", "POLLY", "Polly"); + validateServiceIdSetting("Pricing", "pricing", "PRICING", "Pricing"); + validateServiceIdSetting("PrivateNetworks", "privatenetworks", "PRIVATENETWORKS", "PrivateNetworks"); + validateServiceIdSetting("Proton", "proton", "PROTON", "Proton"); + validateServiceIdSetting("QBusiness", "qbusiness", "QBUSINESS", "QBusiness"); + validateServiceIdSetting("QConnect", "qconnect", "QCONNECT", "QConnect"); + validateServiceIdSetting("QLDB", "qldb", "QLDB", "Qldb"); + validateServiceIdSetting("QLDB Session", "qldb_session", "QLDB_SESSION", "QldbSession"); + validateServiceIdSetting("QuickSight", "quicksight", "QUICKSIGHT", "QuickSight"); + validateServiceIdSetting("RAM", "ram", "RAM", "Ram"); + validateServiceIdSetting("rbin", "rbin", "RBIN", "Rbin"); + validateServiceIdSetting("RDS", "rds", "RDS", "Rds"); + validateServiceIdSetting("RDS Data", "rds_data", "RDS_DATA", "RdsData"); + validateServiceIdSetting("Redshift", "redshift", "REDSHIFT", "Redshift"); + validateServiceIdSetting("Redshift Data", "redshift_data", "REDSHIFT_DATA", "RedshiftData"); + validateServiceIdSetting("Redshift Serverless", "redshift_serverless", "REDSHIFT_SERVERLESS", "RedshiftServerless"); + validateServiceIdSetting("Rekognition", "rekognition", "REKOGNITION", "Rekognition"); + validateServiceIdSetting("repostspace", "repostspace", "REPOSTSPACE", "Repostspace"); + validateServiceIdSetting("resiliencehub", "resiliencehub", "RESILIENCEHUB", "Resiliencehub"); + validateServiceIdSetting("Resource Explorer 2", "resource_explorer_2", "RESOURCE_EXPLORER_2", "ResourceExplorer2"); + validateServiceIdSetting("Resource Groups", "resource_groups", "RESOURCE_GROUPS", "ResourceGroups"); + // Kotlin uses ResourceGroupsTagging + validateServiceIdSetting("Resource Groups Tagging API", "resource_groups_tagging_api", "RESOURCE_GROUPS_TAGGING_API", "ResourceGroupsTaggingApi"); + validateServiceIdSetting("RoboMaker", "robomaker", "ROBOMAKER", "RoboMaker"); + validateServiceIdSetting("RolesAnywhere", "rolesanywhere", "ROLESANYWHERE", "RolesAnywhere"); + validateServiceIdSetting("Route 53", "route_53", "ROUTE_53", "Route53"); + validateServiceIdSetting("Route53 Recovery Cluster", "route53_recovery_cluster", "ROUTE53_RECOVERY_CLUSTER", "Route53RecoveryCluster"); + validateServiceIdSetting("Route53 Recovery Control Config", "route53_recovery_control_config", "ROUTE53_RECOVERY_CONTROL_CONFIG", "Route53RecoveryControlConfig"); + validateServiceIdSetting("Route53 Recovery Readiness", "route53_recovery_readiness", "ROUTE53_RECOVERY_READINESS", "Route53RecoveryReadiness"); + validateServiceIdSetting("Route 53 Domains", "route_53_domains", "ROUTE_53_DOMAINS", "Route53Domains"); + validateServiceIdSetting("Route53Resolver", "route53resolver", "ROUTE53RESOLVER", "Route53Resolver"); + validateServiceIdSetting("RUM", "rum", "RUM", "Rum"); + validateServiceIdSetting("S3", "s3", "S3", "S3"); + validateServiceIdSetting("S3 Control", "s3_control", "S3_CONTROL", "S3Control"); + validateServiceIdSetting("S3Outposts", "s3outposts", "S3OUTPOSTS", "S3Outposts"); + validateServiceIdSetting("SageMaker", "sagemaker", "SAGEMAKER", "SageMaker"); + validateServiceIdSetting("SageMaker A2I Runtime", "sagemaker_a2i_runtime", "SAGEMAKER_A2I_RUNTIME", "SageMakerA2IRuntime"); + validateServiceIdSetting("Sagemaker Edge", "sagemaker_edge", "SAGEMAKER_EDGE", "SagemakerEdge"); + validateServiceIdSetting("SageMaker FeatureStore Runtime", "sagemaker_featurestore_runtime", "SAGEMAKER_FEATURESTORE_RUNTIME", "SageMakerFeatureStoreRuntime"); + validateServiceIdSetting("SageMaker Geospatial", "sagemaker_geospatial", "SAGEMAKER_GEOSPATIAL", "SageMakerGeospatial"); + validateServiceIdSetting("SageMaker Metrics", "sagemaker_metrics", "SAGEMAKER_METRICS", "SageMakerMetrics"); + validateServiceIdSetting("SageMaker Runtime", "sagemaker_runtime", "SAGEMAKER_RUNTIME", "SageMakerRuntime"); + validateServiceIdSetting("savingsplans", "savingsplans", "SAVINGSPLANS", "Savingsplans"); + validateServiceIdSetting("Scheduler", "scheduler", "SCHEDULER", "Scheduler"); + validateServiceIdSetting("schemas", "schemas", "SCHEMAS", "Schemas"); + validateServiceIdSetting("SimpleDB", "simpledb", "SIMPLEDB", "SimpleDb"); + validateServiceIdSetting("Secrets Manager", "secrets_manager", "SECRETS_MANAGER", "SecretsManager"); + validateServiceIdSetting("SecurityHub", "securityhub", "SECURITYHUB", "SecurityHub"); + validateServiceIdSetting("SecurityLake", "securitylake", "SECURITYLAKE", "SecurityLake"); + validateServiceIdSetting("ServerlessApplicationRepository", "serverlessapplicationrepository", "SERVERLESSAPPLICATIONREPOSITORY", "ServerlessApplicationRepository"); + validateServiceIdSetting("Service Quotas", "service_quotas", "SERVICE_QUOTAS", "ServiceQuotas"); + validateServiceIdSetting("Service Catalog", "service_catalog", "SERVICE_CATALOG", "ServiceCatalog"); + validateServiceIdSetting("Service Catalog AppRegistry", "service_catalog_appregistry", "SERVICE_CATALOG_APPREGISTRY", "ServiceCatalogAppRegistry"); + validateServiceIdSetting("ServiceDiscovery", "servicediscovery", "SERVICEDISCOVERY", "ServiceDiscovery"); + validateServiceIdSetting("SES", "ses", "SES", "Ses"); + validateServiceIdSetting("SESv2", "sesv2", "SESV2", "SesV2"); + validateServiceIdSetting("Shield", "shield", "SHIELD", "Shield"); + validateServiceIdSetting("signer", "signer", "SIGNER", "Signer"); + validateServiceIdSetting("SimSpaceWeaver", "simspaceweaver", "SIMSPACEWEAVER", "SimSpaceWeaver"); + validateServiceIdSetting("SMS", "sms", "SMS", "Sms"); + validateServiceIdSetting("Snow Device Management", "snow_device_management", "SNOW_DEVICE_MANAGEMENT", "SnowDeviceManagement"); + validateServiceIdSetting("Snowball", "snowball", "SNOWBALL", "Snowball"); + validateServiceIdSetting("SNS", "sns", "SNS", "Sns"); + validateServiceIdSetting("SQS", "sqs", "SQS", "Sqs"); + validateServiceIdSetting("SSM", "ssm", "SSM", "Ssm"); + validateServiceIdSetting("SSM Contacts", "ssm_contacts", "SSM_CONTACTS", "SsmContacts"); + validateServiceIdSetting("SSM Incidents", "ssm_incidents", "SSM_INCIDENTS", "SsmIncidents"); + validateServiceIdSetting("Ssm Sap", "ssm_sap", "SSM_SAP", "SsmSap"); + validateServiceIdSetting("SSO", "sso", "SSO", "Sso"); + validateServiceIdSetting("SSO Admin", "sso_admin", "SSO_ADMIN", "SsoAdmin"); + validateServiceIdSetting("SSO OIDC", "sso_oidc", "SSO_OIDC", "SsoOidc"); + validateServiceIdSetting("SFN", "sfn", "SFN", "Sfn"); + validateServiceIdSetting("Storage Gateway", "storage_gateway", "STORAGE_GATEWAY", "StorageGateway"); + validateServiceIdSetting("STS", "sts", "STS", "Sts"); + validateServiceIdSetting("SupplyChain", "supplychain", "SUPPLYCHAIN", "SupplyChain"); + validateServiceIdSetting("Support", "support", "SUPPORT", "Support"); + validateServiceIdSetting("Support App", "support_app", "SUPPORT_APP", "SupportApp"); + validateServiceIdSetting("SWF", "swf", "SWF", "Swf"); + validateServiceIdSetting("synthetics", "synthetics", "SYNTHETICS", "Synthetics"); + validateServiceIdSetting("Textract", "textract", "TEXTRACT", "Textract"); + validateServiceIdSetting("Timestream InfluxDB", "timestream_influxdb", "TIMESTREAM_INFLUXDB", "TimestreamInfluxDb"); + validateServiceIdSetting("Timestream Query", "timestream_query", "TIMESTREAM_QUERY", "TimestreamQuery"); + validateServiceIdSetting("Timestream Write", "timestream_write", "TIMESTREAM_WRITE", "TimestreamWrite"); + validateServiceIdSetting("tnb", "tnb", "TNB", "Tnb"); + validateServiceIdSetting("Transcribe", "transcribe", "TRANSCRIBE", "Transcribe"); + validateServiceIdSetting("Transfer", "transfer", "TRANSFER", "Transfer"); + validateServiceIdSetting("Translate", "translate", "TRANSLATE", "Translate"); + validateServiceIdSetting("TrustedAdvisor", "trustedadvisor", "TRUSTEDADVISOR", "TrustedAdvisor"); + validateServiceIdSetting("VerifiedPermissions", "verifiedpermissions", "VERIFIEDPERMISSIONS", "VerifiedPermissions"); + validateServiceIdSetting("Voice ID", "voice_id", "VOICE_ID", "VoiceId"); + validateServiceIdSetting("VPC Lattice", "vpc_lattice", "VPC_LATTICE", "VpcLattice"); + validateServiceIdSetting("WAF", "waf", "WAF", "Waf"); + validateServiceIdSetting("WAF Regional", "waf_regional", "WAF_REGIONAL", "WafRegional"); + validateServiceIdSetting("WAFV2", "wafv2", "WAFV2", "Wafv2"); + validateServiceIdSetting("WellArchitected", "wellarchitected", "WELLARCHITECTED", "WellArchitected"); + validateServiceIdSetting("Wisdom", "wisdom", "WISDOM", "Wisdom"); + validateServiceIdSetting("WorkDocs", "workdocs", "WORKDOCS", "WorkDocs"); + validateServiceIdSetting("WorkLink", "worklink", "WORKLINK", "WorkLink"); + validateServiceIdSetting("WorkMail", "workmail", "WORKMAIL", "WorkMail"); + validateServiceIdSetting("WorkMailMessageFlow", "workmailmessageflow", "WORKMAILMESSAGEFLOW", "WorkMailMessageFlow"); + validateServiceIdSetting("WorkSpaces", "workspaces", "WORKSPACES", "WorkSpaces"); + validateServiceIdSetting("WorkSpaces Thin Client", "workspaces_thin_client", "WORKSPACES_THIN_CLIENT", "WorkSpacesThinClient"); + validateServiceIdSetting("WorkSpaces Web", "workspaces_web", "WORKSPACES_WEB", "WorkSpacesWeb"); + } + + private void validateServiceIdSetting(String serviceId, + String profileProperty, + String environmentVariable, + String systemProperty) { + when(serviceMetadata.getServiceId()).thenReturn(serviceId); + assertThat(strat.getServiceNameForProfileFile()) + .as(() -> serviceId + " uses profile property " + profileProperty) + .isEqualTo(profileProperty); + assertThat(strat.getServiceNameForEnvironmentVariables()) + .as(() -> serviceId + " uses environment variable service name " + environmentVariable) + .isEqualTo(environmentVariable); + assertThat(strat.getServiceNameForSystemProperties()) + .as(() -> serviceId + " uses system property service name " + systemProperty) + .isEqualTo(systemProperty); + + } + private void verifyFailure(Consumer modelModifier) { IntermediateModel model = new IntermediateModel(); model.setMetadata(new Metadata()); diff --git a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/sra/test-bearer-auth-client-builder-class.java b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/sra/test-bearer-auth-client-builder-class.java index 8e732257bf2f..92a36dc95428 100644 --- a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/sra/test-bearer-auth-client-builder-class.java +++ b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/sra/test-bearer-auth-client-builder-class.java @@ -12,6 +12,7 @@ import software.amazon.awssdk.auth.token.credentials.aws.DefaultAwsTokenProvider; import software.amazon.awssdk.awscore.client.builder.AwsDefaultClientBuilder; import software.amazon.awssdk.awscore.client.config.AwsClientOption; +import software.amazon.awssdk.awscore.endpoint.AwsClientEndpointProvider; import software.amazon.awssdk.awscore.retry.AwsRetryStrategy; import software.amazon.awssdk.core.SdkPlugin; import software.amazon.awssdk.core.client.config.ClientOverrideConfiguration; @@ -26,6 +27,7 @@ import software.amazon.awssdk.identity.spi.IdentityProvider; import software.amazon.awssdk.identity.spi.IdentityProviders; import software.amazon.awssdk.identity.spi.TokenIdentity; +import software.amazon.awssdk.regions.ServiceMetadataAdvancedOption; import software.amazon.awssdk.retries.api.RetryStrategy; import software.amazon.awssdk.services.json.auth.scheme.JsonAuthSchemeProvider; import software.amazon.awssdk.services.json.auth.scheme.internal.JsonAuthSchemeInterceptor; @@ -57,13 +59,13 @@ protected final String serviceName() { @Override protected final SdkClientConfiguration mergeServiceDefaults(SdkClientConfiguration config) { return config.merge(c -> c - .option(SdkClientOption.ENDPOINT_PROVIDER, defaultEndpointProvider()) - .option(SdkClientOption.AUTH_SCHEME_PROVIDER, defaultAuthSchemeProvider()) - .option(SdkClientOption.AUTH_SCHEMES, authSchemes()) - .option(SdkClientOption.CRC32_FROM_COMPRESSED_DATA_ENABLED, false) - .lazyOption(AwsClientOption.TOKEN_PROVIDER, + .option(SdkClientOption.ENDPOINT_PROVIDER, defaultEndpointProvider()) + .option(SdkClientOption.AUTH_SCHEME_PROVIDER, defaultAuthSchemeProvider()) + .option(SdkClientOption.AUTH_SCHEMES, authSchemes()) + .option(SdkClientOption.CRC32_FROM_COMPRESSED_DATA_ENABLED, false) + .lazyOption(AwsClientOption.TOKEN_PROVIDER, p -> TokenUtils.toSdkTokenProvider(p.get(AwsClientOption.TOKEN_IDENTITY_PROVIDER))) - .option(AwsClientOption.TOKEN_IDENTITY_PROVIDER, defaultTokenProvider())); + .option(AwsClientOption.TOKEN_IDENTITY_PROVIDER, defaultTokenProvider())); } @Override @@ -74,7 +76,7 @@ protected final SdkClientConfiguration finalizeServiceConfiguration(SdkClientCon endpointInterceptors.add(new JsonRequestSetEndpointInterceptor()); ClasspathInterceptorChainFactory interceptorFactory = new ClasspathInterceptorChainFactory(); List interceptors = interceptorFactory - .getInterceptors("software/amazon/awssdk/services/json/execution.interceptors"); + .getInterceptors("software/amazon/awssdk/services/json/execution.interceptors"); List additionalInterceptors = new ArrayList<>(); interceptors = CollectionUtils.mergeLists(endpointInterceptors, interceptors); interceptors = CollectionUtils.mergeLists(interceptors, additionalInterceptors); @@ -89,6 +91,22 @@ protected final SdkClientConfiguration finalizeServiceConfiguration(SdkClientCon return result.build(); }); builder.option(SdkClientOption.EXECUTION_INTERCEPTORS, interceptors); + builder.lazyOptionIfAbsent( + SdkClientOption.CLIENT_ENDPOINT_PROVIDER, + c -> AwsClientEndpointProvider + .builder() + .serviceEndpointOverrideEnvironmentVariable("AWS_ENDPOINT_URL_JSON_SERVICE") + .serviceEndpointOverrideSystemProperty("aws.endpointUrlJson") + .serviceProfileProperty("json_service") + .serviceEndpointPrefix(serviceEndpointPrefix()) + .defaultProtocol("https") + .region(c.get(AwsClientOption.AWS_REGION)) + .profileFile(c.get(SdkClientOption.PROFILE_FILE_SUPPLIER)) + .profileName(c.get(SdkClientOption.PROFILE_NAME)) + .putAdvancedOption(ServiceMetadataAdvancedOption.DEFAULT_S3_US_EAST_1_REGIONAL_ENDPOINT, + c.get(ServiceMetadataAdvancedOption.DEFAULT_S3_US_EAST_1_REGIONAL_ENDPOINT)) + .dualstackEnabled(c.get(AwsClientOption.DUALSTACK_ENDPOINT_ENABLED)) + .fipsEnabled(c.get(AwsClientOption.FIPS_ENDPOINT_ENABLED)).build()); return builder.build(); } @@ -176,6 +194,6 @@ private List internalPlugins(SdkClientConfiguration config) { protected static void validateClientOptions(SdkClientConfiguration c) { Validate.notNull(c.option(AwsClientOption.TOKEN_IDENTITY_PROVIDER), - "The 'tokenProvider' must be configured in the client builder."); + "The 'tokenProvider' must be configured in the client builder."); } } diff --git a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/sra/test-client-builder-class.java b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/sra/test-client-builder-class.java index 95d364ad82a6..550968449ff0 100644 --- a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/sra/test-client-builder-class.java +++ b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/sra/test-client-builder-class.java @@ -14,6 +14,7 @@ import software.amazon.awssdk.auth.token.credentials.aws.DefaultAwsTokenProvider; import software.amazon.awssdk.awscore.client.builder.AwsDefaultClientBuilder; import software.amazon.awssdk.awscore.client.config.AwsClientOption; +import software.amazon.awssdk.awscore.endpoint.AwsClientEndpointProvider; import software.amazon.awssdk.awscore.retry.AwsRetryStrategy; import software.amazon.awssdk.codegen.poet.plugins.InternalTestPlugin1; import software.amazon.awssdk.codegen.poet.plugins.InternalTestPlugin2; @@ -31,6 +32,7 @@ import software.amazon.awssdk.identity.spi.IdentityProvider; import software.amazon.awssdk.identity.spi.IdentityProviders; import software.amazon.awssdk.identity.spi.TokenIdentity; +import software.amazon.awssdk.regions.ServiceMetadataAdvancedOption; import software.amazon.awssdk.retries.api.RetryStrategy; import software.amazon.awssdk.services.json.auth.scheme.JsonAuthSchemeProvider; import software.amazon.awssdk.services.json.auth.scheme.internal.JsonAuthSchemeInterceptor; @@ -163,6 +165,22 @@ protected final SdkClientConfiguration finalizeServiceConfiguration(SdkClientCon builder.option(SdkClientOption.RETRY_POLICY, MyServiceRetryPolicy.resolveRetryPolicy(config)); } builder.option(SdkClientOption.SERVICE_CONFIGURATION, finalServiceConfig); + builder.lazyOptionIfAbsent( + SdkClientOption.CLIENT_ENDPOINT_PROVIDER, + c -> AwsClientEndpointProvider + .builder() + .serviceEndpointOverrideEnvironmentVariable("AWS_ENDPOINT_URL_JSON_SERVICE") + .serviceEndpointOverrideSystemProperty("aws.endpointUrlJson") + .serviceProfileProperty("json_service") + .serviceEndpointPrefix(serviceEndpointPrefix()) + .defaultProtocol("https") + .region(c.get(AwsClientOption.AWS_REGION)) + .profileFile(c.get(SdkClientOption.PROFILE_FILE_SUPPLIER)) + .profileName(c.get(SdkClientOption.PROFILE_NAME)) + .putAdvancedOption(ServiceMetadataAdvancedOption.DEFAULT_S3_US_EAST_1_REGIONAL_ENDPOINT, + c.get(ServiceMetadataAdvancedOption.DEFAULT_S3_US_EAST_1_REGIONAL_ENDPOINT)) + .dualstackEnabled(c.get(AwsClientOption.DUALSTACK_ENDPOINT_ENABLED)) + .fipsEnabled(c.get(AwsClientOption.FIPS_ENDPOINT_ENABLED)).build()); return builder.build(); } diff --git a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/sra/test-client-builder-endpoints-auth-params.java b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/sra/test-client-builder-endpoints-auth-params.java index 1e8c9bf8af8c..abf3132c7518 100644 --- a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/sra/test-client-builder-endpoints-auth-params.java +++ b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/sra/test-client-builder-endpoints-auth-params.java @@ -12,6 +12,7 @@ import software.amazon.awssdk.auth.token.credentials.aws.DefaultAwsTokenProvider; import software.amazon.awssdk.awscore.client.builder.AwsDefaultClientBuilder; import software.amazon.awssdk.awscore.client.config.AwsClientOption; +import software.amazon.awssdk.awscore.endpoint.AwsClientEndpointProvider; import software.amazon.awssdk.awscore.endpoints.AccountIdEndpointMode; import software.amazon.awssdk.awscore.endpoints.AccountIdEndpointModeResolver; import software.amazon.awssdk.awscore.retry.AwsRetryStrategy; @@ -30,6 +31,7 @@ import software.amazon.awssdk.identity.spi.IdentityProvider; import software.amazon.awssdk.identity.spi.IdentityProviders; import software.amazon.awssdk.identity.spi.TokenIdentity; +import software.amazon.awssdk.regions.ServiceMetadataAdvancedOption; import software.amazon.awssdk.retries.api.RetryStrategy; import software.amazon.awssdk.services.query.auth.scheme.QueryAuthSchemeProvider; import software.amazon.awssdk.services.query.auth.scheme.internal.QueryAuthSchemeInterceptor; @@ -62,13 +64,13 @@ protected final String serviceName() { @Override protected final SdkClientConfiguration mergeServiceDefaults(SdkClientConfiguration config) { return config.merge(c -> c - .option(SdkClientOption.ENDPOINT_PROVIDER, defaultEndpointProvider()) - .option(SdkClientOption.AUTH_SCHEME_PROVIDER, defaultAuthSchemeProvider()) - .option(SdkClientOption.AUTH_SCHEMES, authSchemes()) - .option(SdkClientOption.CRC32_FROM_COMPRESSED_DATA_ENABLED, false) - .lazyOption(AwsClientOption.TOKEN_PROVIDER, + .option(SdkClientOption.ENDPOINT_PROVIDER, defaultEndpointProvider()) + .option(SdkClientOption.AUTH_SCHEME_PROVIDER, defaultAuthSchemeProvider()) + .option(SdkClientOption.AUTH_SCHEMES, authSchemes()) + .option(SdkClientOption.CRC32_FROM_COMPRESSED_DATA_ENABLED, false) + .lazyOption(AwsClientOption.TOKEN_PROVIDER, p -> TokenUtils.toSdkTokenProvider(p.get(AwsClientOption.TOKEN_IDENTITY_PROVIDER))) - .option(AwsClientOption.TOKEN_IDENTITY_PROVIDER, defaultTokenProvider())); + .option(AwsClientOption.TOKEN_IDENTITY_PROVIDER, defaultTokenProvider())); } @Override @@ -79,7 +81,7 @@ protected final SdkClientConfiguration finalizeServiceConfiguration(SdkClientCon endpointInterceptors.add(new QueryRequestSetEndpointInterceptor()); ClasspathInterceptorChainFactory interceptorFactory = new ClasspathInterceptorChainFactory(); List interceptors = interceptorFactory - .getInterceptors("software/amazon/awssdk/services/query/execution.interceptors"); + .getInterceptors("software/amazon/awssdk/services/query/execution.interceptors"); List additionalInterceptors = new ArrayList<>(); interceptors = CollectionUtils.mergeLists(endpointInterceptors, interceptors); interceptors = CollectionUtils.mergeLists(interceptors, additionalInterceptors); @@ -100,6 +102,22 @@ protected final SdkClientConfiguration finalizeServiceConfiguration(SdkClientCon builder.option(SdkClientOption.EXECUTION_INTERCEPTORS, interceptors); builder.option(SdkClientOption.CLIENT_CONTEXT_PARAMS, clientContextParams.build()); builder.option(AwsClientOption.ACCOUNT_ID_ENDPOINT_MODE, resolveAccountIdEndpointMode(config)); + builder.lazyOptionIfAbsent( + SdkClientOption.CLIENT_ENDPOINT_PROVIDER, + c -> AwsClientEndpointProvider + .builder() + .serviceEndpointOverrideEnvironmentVariable("AWS_ENDPOINT_URL_QUERY_SERVICE") + .serviceEndpointOverrideSystemProperty("aws.endpointUrlQuery") + .serviceProfileProperty("query_service") + .serviceEndpointPrefix(serviceEndpointPrefix()) + .defaultProtocol("https") + .region(c.get(AwsClientOption.AWS_REGION)) + .profileFile(c.get(SdkClientOption.PROFILE_FILE_SUPPLIER)) + .profileName(c.get(SdkClientOption.PROFILE_NAME)) + .putAdvancedOption(ServiceMetadataAdvancedOption.DEFAULT_S3_US_EAST_1_REGIONAL_ENDPOINT, + c.get(ServiceMetadataAdvancedOption.DEFAULT_S3_US_EAST_1_REGIONAL_ENDPOINT)) + .dualstackEnabled(c.get(AwsClientOption.DUALSTACK_ENDPOINT_ENABLED)) + .fipsEnabled(c.get(AwsClientOption.FIPS_ENDPOINT_ENABLED)).build()); return builder.build(); } @@ -208,15 +226,15 @@ private AccountIdEndpointMode resolveAccountIdEndpointMode(SdkClientConfiguratio AccountIdEndpointMode configuredMode = config.option(AwsClientOption.ACCOUNT_ID_ENDPOINT_MODE); if (configuredMode == null) { configuredMode = AccountIdEndpointModeResolver.create() - .profileFile(config.option(SdkClientOption.PROFILE_FILE_SUPPLIER)) - .profileName(config.option(SdkClientOption.PROFILE_NAME)).defaultMode(AccountIdEndpointMode.PREFERRED) - .resolve(); + .profileFile(config.option(SdkClientOption.PROFILE_FILE_SUPPLIER)) + .profileName(config.option(SdkClientOption.PROFILE_NAME)).defaultMode(AccountIdEndpointMode.PREFERRED) + .resolve(); } return configuredMode; } protected static void validateClientOptions(SdkClientConfiguration c) { Validate.notNull(c.option(AwsClientOption.TOKEN_IDENTITY_PROVIDER), - "The 'tokenProvider' must be configured in the client builder."); + "The 'tokenProvider' must be configured in the client builder."); } } diff --git a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/sra/test-client-builder-internal-defaults-class.java b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/sra/test-client-builder-internal-defaults-class.java index fb59451ec0f9..21854bd71571 100644 --- a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/sra/test-client-builder-internal-defaults-class.java +++ b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/sra/test-client-builder-internal-defaults-class.java @@ -10,6 +10,7 @@ import software.amazon.awssdk.annotations.SdkInternalApi; import software.amazon.awssdk.awscore.client.builder.AwsDefaultClientBuilder; import software.amazon.awssdk.awscore.client.config.AwsClientOption; +import software.amazon.awssdk.awscore.endpoint.AwsClientEndpointProvider; import software.amazon.awssdk.awscore.retry.AwsRetryStrategy; import software.amazon.awssdk.core.SdkPlugin; import software.amazon.awssdk.core.client.config.ClientOverrideConfiguration; @@ -23,6 +24,7 @@ import software.amazon.awssdk.http.auth.spi.scheme.AuthScheme; import software.amazon.awssdk.identity.spi.IdentityProvider; import software.amazon.awssdk.identity.spi.IdentityProviders; +import software.amazon.awssdk.regions.ServiceMetadataAdvancedOption; import software.amazon.awssdk.retries.api.RetryStrategy; import software.amazon.awssdk.services.json.auth.scheme.JsonAuthSchemeProvider; import software.amazon.awssdk.services.json.auth.scheme.internal.JsonAuthSchemeInterceptor; @@ -53,9 +55,9 @@ protected final String serviceName() { @Override protected final SdkClientConfiguration mergeServiceDefaults(SdkClientConfiguration config) { return config.merge(c -> c.option(SdkClientOption.ENDPOINT_PROVIDER, defaultEndpointProvider()) - .option(SdkClientOption.AUTH_SCHEME_PROVIDER, defaultAuthSchemeProvider()) - .option(SdkClientOption.AUTH_SCHEMES, authSchemes()) - .option(SdkClientOption.CRC32_FROM_COMPRESSED_DATA_ENABLED, false)); + .option(SdkClientOption.AUTH_SCHEME_PROVIDER, defaultAuthSchemeProvider()) + .option(SdkClientOption.AUTH_SCHEMES, authSchemes()) + .option(SdkClientOption.CRC32_FROM_COMPRESSED_DATA_ENABLED, false)); } @Override @@ -74,7 +76,7 @@ protected final SdkClientConfiguration finalizeServiceConfiguration(SdkClientCon endpointInterceptors.add(new JsonRequestSetEndpointInterceptor()); ClasspathInterceptorChainFactory interceptorFactory = new ClasspathInterceptorChainFactory(); List interceptors = interceptorFactory - .getInterceptors("software/amazon/awssdk/services/json/execution.interceptors"); + .getInterceptors("software/amazon/awssdk/services/json/execution.interceptors"); List additionalInterceptors = new ArrayList<>(); interceptors = CollectionUtils.mergeLists(endpointInterceptors, interceptors); interceptors = CollectionUtils.mergeLists(interceptors, additionalInterceptors); @@ -89,6 +91,22 @@ protected final SdkClientConfiguration finalizeServiceConfiguration(SdkClientCon return result.build(); }); builder.option(SdkClientOption.EXECUTION_INTERCEPTORS, interceptors); + builder.lazyOptionIfAbsent( + SdkClientOption.CLIENT_ENDPOINT_PROVIDER, + c -> AwsClientEndpointProvider + .builder() + .serviceEndpointOverrideEnvironmentVariable("AWS_ENDPOINT_URL_JSON_SERVICE") + .serviceEndpointOverrideSystemProperty("aws.endpointUrlJson") + .serviceProfileProperty("json_service") + .serviceEndpointPrefix(serviceEndpointPrefix()) + .defaultProtocol("https") + .region(c.get(AwsClientOption.AWS_REGION)) + .profileFile(c.get(SdkClientOption.PROFILE_FILE_SUPPLIER)) + .profileName(c.get(SdkClientOption.PROFILE_NAME)) + .putAdvancedOption(ServiceMetadataAdvancedOption.DEFAULT_S3_US_EAST_1_REGIONAL_ENDPOINT, + c.get(ServiceMetadataAdvancedOption.DEFAULT_S3_US_EAST_1_REGIONAL_ENDPOINT)) + .dualstackEnabled(c.get(AwsClientOption.DUALSTACK_ENDPOINT_ENABLED)) + .fipsEnabled(c.get(AwsClientOption.FIPS_ENDPOINT_ENABLED)).build()); return builder.build(); } diff --git a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/sra/test-composed-sync-default-client-builder.java b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/sra/test-composed-sync-default-client-builder.java index 8dc2cc4702ca..f001f47d6824 100644 --- a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/sra/test-composed-sync-default-client-builder.java +++ b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/sra/test-composed-sync-default-client-builder.java @@ -12,6 +12,7 @@ import software.amazon.awssdk.auth.token.credentials.aws.DefaultAwsTokenProvider; import software.amazon.awssdk.awscore.client.builder.AwsDefaultClientBuilder; import software.amazon.awssdk.awscore.client.config.AwsClientOption; +import software.amazon.awssdk.awscore.endpoint.AwsClientEndpointProvider; import software.amazon.awssdk.awscore.retry.AwsRetryStrategy; import software.amazon.awssdk.core.SdkPlugin; import software.amazon.awssdk.core.client.config.ClientOverrideConfiguration; @@ -27,6 +28,7 @@ import software.amazon.awssdk.identity.spi.IdentityProvider; import software.amazon.awssdk.identity.spi.IdentityProviders; import software.amazon.awssdk.identity.spi.TokenIdentity; +import software.amazon.awssdk.regions.ServiceMetadataAdvancedOption; import software.amazon.awssdk.retries.api.RetryStrategy; import software.amazon.awssdk.services.json.auth.scheme.JsonAuthSchemeProvider; import software.amazon.awssdk.services.json.auth.scheme.internal.JsonAuthSchemeInterceptor; @@ -59,14 +61,14 @@ protected final String serviceName() { @Override protected final SdkClientConfiguration mergeServiceDefaults(SdkClientConfiguration config) { return config.merge(c -> c - .option(SdkClientOption.ENDPOINT_PROVIDER, defaultEndpointProvider()) - .option(SdkClientOption.AUTH_SCHEME_PROVIDER, defaultAuthSchemeProvider()) - .option(SdkClientOption.AUTH_SCHEMES, authSchemes()) - .option(SdkClientOption.CRC32_FROM_COMPRESSED_DATA_ENABLED, false) - .option(SdkClientOption.SERVICE_CONFIGURATION, ServiceConfiguration.builder().build()) - .lazyOption(AwsClientOption.TOKEN_PROVIDER, + .option(SdkClientOption.ENDPOINT_PROVIDER, defaultEndpointProvider()) + .option(SdkClientOption.AUTH_SCHEME_PROVIDER, defaultAuthSchemeProvider()) + .option(SdkClientOption.AUTH_SCHEMES, authSchemes()) + .option(SdkClientOption.CRC32_FROM_COMPRESSED_DATA_ENABLED, false) + .option(SdkClientOption.SERVICE_CONFIGURATION, ServiceConfiguration.builder().build()) + .lazyOption(AwsClientOption.TOKEN_PROVIDER, p -> TokenUtils.toSdkTokenProvider(p.get(AwsClientOption.TOKEN_IDENTITY_PROVIDER))) - .option(AwsClientOption.TOKEN_IDENTITY_PROVIDER, defaultTokenProvider())); + .option(AwsClientOption.TOKEN_IDENTITY_PROVIDER, defaultTokenProvider())); } @Override @@ -77,17 +79,17 @@ protected final SdkClientConfiguration finalizeServiceConfiguration(SdkClientCon endpointInterceptors.add(new JsonRequestSetEndpointInterceptor()); ClasspathInterceptorChainFactory interceptorFactory = new ClasspathInterceptorChainFactory(); List interceptors = interceptorFactory - .getInterceptors("software/amazon/awssdk/services/json/execution.interceptors"); + .getInterceptors("software/amazon/awssdk/services/json/execution.interceptors"); List additionalInterceptors = new ArrayList<>(); interceptors = CollectionUtils.mergeLists(endpointInterceptors, interceptors); interceptors = CollectionUtils.mergeLists(interceptors, additionalInterceptors); interceptors = CollectionUtils.mergeLists(interceptors, config.option(SdkClientOption.EXECUTION_INTERCEPTORS)); ServiceConfiguration.Builder serviceConfigBuilder = ((ServiceConfiguration) config - .option(SdkClientOption.SERVICE_CONFIGURATION)).toBuilder(); + .option(SdkClientOption.SERVICE_CONFIGURATION)).toBuilder(); serviceConfigBuilder.profileFile(serviceConfigBuilder.profileFileSupplier() != null ? serviceConfigBuilder - .profileFileSupplier() : config.option(SdkClientOption.PROFILE_FILE_SUPPLIER)); + .profileFileSupplier() : config.option(SdkClientOption.PROFILE_FILE_SUPPLIER)); serviceConfigBuilder.profileName(serviceConfigBuilder.profileName() != null ? serviceConfigBuilder.profileName() : config - .option(SdkClientOption.PROFILE_NAME)); + .option(SdkClientOption.PROFILE_NAME)); ServiceConfiguration finalServiceConfig = serviceConfigBuilder.build(); SdkClientConfiguration.Builder builder = config.toBuilder(); builder.lazyOption(SdkClientOption.IDENTITY_PROVIDERS, c -> { @@ -104,6 +106,22 @@ protected final SdkClientConfiguration finalizeServiceConfiguration(SdkClientCon }); builder.option(SdkClientOption.EXECUTION_INTERCEPTORS, interceptors); builder.option(SdkClientOption.SERVICE_CONFIGURATION, finalServiceConfig); + builder.lazyOptionIfAbsent( + SdkClientOption.CLIENT_ENDPOINT_PROVIDER, + c -> AwsClientEndpointProvider + .builder() + .serviceEndpointOverrideEnvironmentVariable("AWS_ENDPOINT_URL_JSON_SERVICE") + .serviceEndpointOverrideSystemProperty("aws.endpointUrlJson") + .serviceProfileProperty("json_service") + .serviceEndpointPrefix(serviceEndpointPrefix()) + .defaultProtocol("https") + .region(c.get(AwsClientOption.AWS_REGION)) + .profileFile(c.get(SdkClientOption.PROFILE_FILE_SUPPLIER)) + .profileName(c.get(SdkClientOption.PROFILE_NAME)) + .putAdvancedOption(ServiceMetadataAdvancedOption.DEFAULT_S3_US_EAST_1_REGIONAL_ENDPOINT, + c.get(ServiceMetadataAdvancedOption.DEFAULT_S3_US_EAST_1_REGIONAL_ENDPOINT)) + .dualstackEnabled(c.get(AwsClientOption.DUALSTACK_ENDPOINT_ENABLED)) + .fipsEnabled(c.get(AwsClientOption.FIPS_ENDPOINT_ENABLED)).build()); return builder.build(); } @@ -207,6 +225,6 @@ private List internalPlugins(SdkClientConfiguration config) { protected static void validateClientOptions(SdkClientConfiguration c) { Validate.notNull(c.option(AwsClientOption.TOKEN_IDENTITY_PROVIDER), - "The 'tokenProvider' must be configured in the client builder."); + "The 'tokenProvider' must be configured in the client builder."); } } diff --git a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/sra/test-no-auth-ops-client-builder-class.java b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/sra/test-no-auth-ops-client-builder-class.java index 15fd9fd8c702..5552d96a771f 100644 --- a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/sra/test-no-auth-ops-client-builder-class.java +++ b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/sra/test-no-auth-ops-client-builder-class.java @@ -10,6 +10,7 @@ import software.amazon.awssdk.annotations.SdkInternalApi; import software.amazon.awssdk.awscore.client.builder.AwsDefaultClientBuilder; import software.amazon.awssdk.awscore.client.config.AwsClientOption; +import software.amazon.awssdk.awscore.endpoint.AwsClientEndpointProvider; import software.amazon.awssdk.awscore.retry.AwsRetryStrategy; import software.amazon.awssdk.core.SdkPlugin; import software.amazon.awssdk.core.client.config.ClientOverrideConfiguration; @@ -24,6 +25,7 @@ import software.amazon.awssdk.http.auth.spi.scheme.AuthScheme; import software.amazon.awssdk.identity.spi.IdentityProvider; import software.amazon.awssdk.identity.spi.IdentityProviders; +import software.amazon.awssdk.regions.ServiceMetadataAdvancedOption; import software.amazon.awssdk.retries.api.RetryStrategy; import software.amazon.awssdk.services.database.auth.scheme.DatabaseAuthSchemeProvider; import software.amazon.awssdk.services.database.auth.scheme.internal.DatabaseAuthSchemeInterceptor; @@ -39,7 +41,7 @@ @Generated("software.amazon.awssdk:codegen") @SdkInternalApi abstract class DefaultDatabaseBaseClientBuilder, C> extends - AwsDefaultClientBuilder { + AwsDefaultClientBuilder { private final Map> additionalAuthSchemes = new HashMap<>(); @Override @@ -55,9 +57,9 @@ protected final String serviceName() { @Override protected final SdkClientConfiguration mergeServiceDefaults(SdkClientConfiguration config) { return config.merge(c -> c.option(SdkClientOption.ENDPOINT_PROVIDER, defaultEndpointProvider()) - .option(SdkClientOption.AUTH_SCHEME_PROVIDER, defaultAuthSchemeProvider()) - .option(SdkClientOption.AUTH_SCHEMES, authSchemes()) - .option(SdkClientOption.CRC32_FROM_COMPRESSED_DATA_ENABLED, false)); + .option(SdkClientOption.AUTH_SCHEME_PROVIDER, defaultAuthSchemeProvider()) + .option(SdkClientOption.AUTH_SCHEMES, authSchemes()) + .option(SdkClientOption.CRC32_FROM_COMPRESSED_DATA_ENABLED, false)); } @Override @@ -68,7 +70,7 @@ protected final SdkClientConfiguration finalizeServiceConfiguration(SdkClientCon endpointInterceptors.add(new DatabaseRequestSetEndpointInterceptor()); ClasspathInterceptorChainFactory interceptorFactory = new ClasspathInterceptorChainFactory(); List interceptors = interceptorFactory - .getInterceptors("software/amazon/awssdk/services/database/execution.interceptors"); + .getInterceptors("software/amazon/awssdk/services/database/execution.interceptors"); List additionalInterceptors = new ArrayList<>(); interceptors = CollectionUtils.mergeLists(endpointInterceptors, interceptors); interceptors = CollectionUtils.mergeLists(interceptors, additionalInterceptors); @@ -83,6 +85,22 @@ protected final SdkClientConfiguration finalizeServiceConfiguration(SdkClientCon return result.build(); }); builder.option(SdkClientOption.EXECUTION_INTERCEPTORS, interceptors); + builder.lazyOptionIfAbsent( + SdkClientOption.CLIENT_ENDPOINT_PROVIDER, + c -> AwsClientEndpointProvider + .builder() + .serviceEndpointOverrideEnvironmentVariable("AWS_ENDPOINT_URL_DATABASE_SERVICE") + .serviceEndpointOverrideSystemProperty("aws.endpointUrlDatabase") + .serviceProfileProperty("database_service") + .serviceEndpointPrefix(serviceEndpointPrefix()) + .defaultProtocol("https") + .region(c.get(AwsClientOption.AWS_REGION)) + .profileFile(c.get(SdkClientOption.PROFILE_FILE_SUPPLIER)) + .profileName(c.get(SdkClientOption.PROFILE_NAME)) + .putAdvancedOption(ServiceMetadataAdvancedOption.DEFAULT_S3_US_EAST_1_REGIONAL_ENDPOINT, + c.get(ServiceMetadataAdvancedOption.DEFAULT_S3_US_EAST_1_REGIONAL_ENDPOINT)) + .dualstackEnabled(c.get(AwsClientOption.DUALSTACK_ENDPOINT_ENABLED)) + .fipsEnabled(c.get(AwsClientOption.FIPS_ENDPOINT_ENABLED)).build()); return builder.build(); } @@ -132,7 +150,7 @@ protected SdkClientConfiguration invokePlugins(SdkClientConfiguration config) { List plugins = CollectionUtils.mergeLists(internalPlugins, externalPlugins); SdkClientConfiguration.Builder configuration = config.toBuilder(); DatabaseServiceClientConfigurationBuilder serviceConfigBuilder = new DatabaseServiceClientConfigurationBuilder( - configuration); + configuration); for (SdkPlugin plugin : plugins) { plugin.configureClient(serviceConfigBuilder); } diff --git a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/sra/test-no-auth-service-client-builder-class.java b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/sra/test-no-auth-service-client-builder-class.java index 67ab4f471b17..9f49074aa7d7 100644 --- a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/sra/test-no-auth-service-client-builder-class.java +++ b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/sra/test-no-auth-service-client-builder-class.java @@ -9,6 +9,8 @@ import software.amazon.awssdk.annotations.Generated; import software.amazon.awssdk.annotations.SdkInternalApi; import software.amazon.awssdk.awscore.client.builder.AwsDefaultClientBuilder; +import software.amazon.awssdk.awscore.client.config.AwsClientOption; +import software.amazon.awssdk.awscore.endpoint.AwsClientEndpointProvider; import software.amazon.awssdk.awscore.retry.AwsRetryStrategy; import software.amazon.awssdk.core.SdkPlugin; import software.amazon.awssdk.core.client.config.ClientOverrideConfiguration; @@ -20,6 +22,7 @@ import software.amazon.awssdk.http.auth.scheme.NoAuthAuthScheme; import software.amazon.awssdk.http.auth.spi.scheme.AuthScheme; import software.amazon.awssdk.identity.spi.IdentityProviders; +import software.amazon.awssdk.regions.ServiceMetadataAdvancedOption; import software.amazon.awssdk.retries.api.RetryStrategy; import software.amazon.awssdk.services.database.auth.scheme.DatabaseAuthSchemeProvider; import software.amazon.awssdk.services.database.auth.scheme.internal.DatabaseAuthSchemeInterceptor; @@ -35,7 +38,7 @@ @Generated("software.amazon.awssdk:codegen") @SdkInternalApi abstract class DefaultDatabaseBaseClientBuilder, C> extends - AwsDefaultClientBuilder { + AwsDefaultClientBuilder { private final Map> additionalAuthSchemes = new HashMap<>(); @Override @@ -51,9 +54,9 @@ protected final String serviceName() { @Override protected final SdkClientConfiguration mergeServiceDefaults(SdkClientConfiguration config) { return config.merge(c -> c.option(SdkClientOption.ENDPOINT_PROVIDER, defaultEndpointProvider()) - .option(SdkClientOption.AUTH_SCHEME_PROVIDER, defaultAuthSchemeProvider()) - .option(SdkClientOption.AUTH_SCHEMES, authSchemes()) - .option(SdkClientOption.CRC32_FROM_COMPRESSED_DATA_ENABLED, false)); + .option(SdkClientOption.AUTH_SCHEME_PROVIDER, defaultAuthSchemeProvider()) + .option(SdkClientOption.AUTH_SCHEMES, authSchemes()) + .option(SdkClientOption.CRC32_FROM_COMPRESSED_DATA_ENABLED, false)); } @Override @@ -64,7 +67,7 @@ protected final SdkClientConfiguration finalizeServiceConfiguration(SdkClientCon endpointInterceptors.add(new DatabaseRequestSetEndpointInterceptor()); ClasspathInterceptorChainFactory interceptorFactory = new ClasspathInterceptorChainFactory(); List interceptors = interceptorFactory - .getInterceptors("software/amazon/awssdk/services/database/execution.interceptors"); + .getInterceptors("software/amazon/awssdk/services/database/execution.interceptors"); List additionalInterceptors = new ArrayList<>(); interceptors = CollectionUtils.mergeLists(endpointInterceptors, interceptors); interceptors = CollectionUtils.mergeLists(interceptors, additionalInterceptors); @@ -75,6 +78,22 @@ protected final SdkClientConfiguration finalizeServiceConfiguration(SdkClientCon return result.build(); }); builder.option(SdkClientOption.EXECUTION_INTERCEPTORS, interceptors); + builder.lazyOptionIfAbsent( + SdkClientOption.CLIENT_ENDPOINT_PROVIDER, + c -> AwsClientEndpointProvider + .builder() + .serviceEndpointOverrideEnvironmentVariable("AWS_ENDPOINT_URL_DATABASE_SERVICE") + .serviceEndpointOverrideSystemProperty("aws.endpointUrlDatabase") + .serviceProfileProperty("database_service") + .serviceEndpointPrefix(serviceEndpointPrefix()) + .defaultProtocol("https") + .region(c.get(AwsClientOption.AWS_REGION)) + .profileFile(c.get(SdkClientOption.PROFILE_FILE_SUPPLIER)) + .profileName(c.get(SdkClientOption.PROFILE_NAME)) + .putAdvancedOption(ServiceMetadataAdvancedOption.DEFAULT_S3_US_EAST_1_REGIONAL_ENDPOINT, + c.get(ServiceMetadataAdvancedOption.DEFAULT_S3_US_EAST_1_REGIONAL_ENDPOINT)) + .dualstackEnabled(c.get(AwsClientOption.DUALSTACK_ENDPOINT_ENABLED)) + .fipsEnabled(c.get(AwsClientOption.FIPS_ENDPOINT_ENABLED)).build()); return builder.build(); } @@ -120,7 +139,7 @@ protected SdkClientConfiguration invokePlugins(SdkClientConfiguration config) { List plugins = CollectionUtils.mergeLists(internalPlugins, externalPlugins); SdkClientConfiguration.Builder configuration = config.toBuilder(); DatabaseServiceClientConfigurationBuilder serviceConfigBuilder = new DatabaseServiceClientConfigurationBuilder( - configuration); + configuration); for (SdkPlugin plugin : plugins) { plugin.configureClient(serviceConfigBuilder); } diff --git a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/sra/test-query-client-builder-class.java b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/sra/test-query-client-builder-class.java index 0c2fe0783f3a..6f11b3364aba 100644 --- a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/sra/test-query-client-builder-class.java +++ b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/sra/test-query-client-builder-class.java @@ -12,6 +12,7 @@ import software.amazon.awssdk.auth.token.credentials.aws.DefaultAwsTokenProvider; import software.amazon.awssdk.awscore.client.builder.AwsDefaultClientBuilder; import software.amazon.awssdk.awscore.client.config.AwsClientOption; +import software.amazon.awssdk.awscore.endpoint.AwsClientEndpointProvider; import software.amazon.awssdk.awscore.endpoints.AccountIdEndpointMode; import software.amazon.awssdk.awscore.endpoints.AccountIdEndpointModeResolver; import software.amazon.awssdk.awscore.retry.AwsRetryStrategy; @@ -29,6 +30,7 @@ import software.amazon.awssdk.identity.spi.IdentityProvider; import software.amazon.awssdk.identity.spi.IdentityProviders; import software.amazon.awssdk.identity.spi.TokenIdentity; +import software.amazon.awssdk.regions.ServiceMetadataAdvancedOption; import software.amazon.awssdk.retries.api.RetryStrategy; import software.amazon.awssdk.services.query.auth.scheme.QueryAuthSchemeProvider; import software.amazon.awssdk.services.query.auth.scheme.internal.QueryAuthSchemeInterceptor; @@ -61,13 +63,13 @@ protected final String serviceName() { @Override protected final SdkClientConfiguration mergeServiceDefaults(SdkClientConfiguration config) { return config.merge(c -> c - .option(SdkClientOption.ENDPOINT_PROVIDER, defaultEndpointProvider()) - .option(SdkClientOption.AUTH_SCHEME_PROVIDER, defaultAuthSchemeProvider()) - .option(SdkClientOption.AUTH_SCHEMES, authSchemes()) - .option(SdkClientOption.CRC32_FROM_COMPRESSED_DATA_ENABLED, false) - .lazyOption(AwsClientOption.TOKEN_PROVIDER, + .option(SdkClientOption.ENDPOINT_PROVIDER, defaultEndpointProvider()) + .option(SdkClientOption.AUTH_SCHEME_PROVIDER, defaultAuthSchemeProvider()) + .option(SdkClientOption.AUTH_SCHEMES, authSchemes()) + .option(SdkClientOption.CRC32_FROM_COMPRESSED_DATA_ENABLED, false) + .lazyOption(AwsClientOption.TOKEN_PROVIDER, p -> TokenUtils.toSdkTokenProvider(p.get(AwsClientOption.TOKEN_IDENTITY_PROVIDER))) - .option(AwsClientOption.TOKEN_IDENTITY_PROVIDER, defaultTokenProvider())); + .option(AwsClientOption.TOKEN_IDENTITY_PROVIDER, defaultTokenProvider())); } @Override @@ -78,7 +80,7 @@ protected final SdkClientConfiguration finalizeServiceConfiguration(SdkClientCon endpointInterceptors.add(new QueryRequestSetEndpointInterceptor()); ClasspathInterceptorChainFactory interceptorFactory = new ClasspathInterceptorChainFactory(); List interceptors = interceptorFactory - .getInterceptors("software/amazon/awssdk/services/query/execution.interceptors"); + .getInterceptors("software/amazon/awssdk/services/query/execution.interceptors"); List additionalInterceptors = new ArrayList<>(); interceptors = CollectionUtils.mergeLists(endpointInterceptors, interceptors); interceptors = CollectionUtils.mergeLists(interceptors, additionalInterceptors); @@ -99,6 +101,22 @@ protected final SdkClientConfiguration finalizeServiceConfiguration(SdkClientCon builder.option(SdkClientOption.EXECUTION_INTERCEPTORS, interceptors); builder.option(SdkClientOption.CLIENT_CONTEXT_PARAMS, clientContextParams.build()); builder.option(AwsClientOption.ACCOUNT_ID_ENDPOINT_MODE, resolveAccountIdEndpointMode(config)); + builder.lazyOptionIfAbsent( + SdkClientOption.CLIENT_ENDPOINT_PROVIDER, + c -> AwsClientEndpointProvider + .builder() + .serviceEndpointOverrideEnvironmentVariable("AWS_ENDPOINT_URL_QUERY_SERVICE") + .serviceEndpointOverrideSystemProperty("aws.endpointUrlQuery") + .serviceProfileProperty("query_service") + .serviceEndpointPrefix(serviceEndpointPrefix()) + .defaultProtocol("https") + .region(c.get(AwsClientOption.AWS_REGION)) + .profileFile(c.get(SdkClientOption.PROFILE_FILE_SUPPLIER)) + .profileName(c.get(SdkClientOption.PROFILE_NAME)) + .putAdvancedOption(ServiceMetadataAdvancedOption.DEFAULT_S3_US_EAST_1_REGIONAL_ENDPOINT, + c.get(ServiceMetadataAdvancedOption.DEFAULT_S3_US_EAST_1_REGIONAL_ENDPOINT)) + .dualstackEnabled(c.get(AwsClientOption.DUALSTACK_ENDPOINT_ENABLED)) + .fipsEnabled(c.get(AwsClientOption.FIPS_ENDPOINT_ENABLED)).build()); return builder.build(); } @@ -205,15 +223,15 @@ private AccountIdEndpointMode resolveAccountIdEndpointMode(SdkClientConfiguratio AccountIdEndpointMode configuredMode = config.option(AwsClientOption.ACCOUNT_ID_ENDPOINT_MODE); if (configuredMode == null) { configuredMode = AccountIdEndpointModeResolver.create() - .profileFile(config.option(SdkClientOption.PROFILE_FILE_SUPPLIER)) - .profileName(config.option(SdkClientOption.PROFILE_NAME)).defaultMode(AccountIdEndpointMode.PREFERRED) - .resolve(); + .profileFile(config.option(SdkClientOption.PROFILE_FILE_SUPPLIER)) + .profileName(config.option(SdkClientOption.PROFILE_NAME)).defaultMode(AccountIdEndpointMode.PREFERRED) + .resolve(); } return configuredMode; } protected static void validateClientOptions(SdkClientConfiguration c) { Validate.notNull(c.option(AwsClientOption.TOKEN_IDENTITY_PROVIDER), - "The 'tokenProvider' must be configured in the client builder."); + "The 'tokenProvider' must be configured in the client builder."); } } diff --git a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/test-bearer-auth-client-builder-class.java b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/test-bearer-auth-client-builder-class.java index 0caf3454a83d..e280e29cdc88 100644 --- a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/test-bearer-auth-client-builder-class.java +++ b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/test-bearer-auth-client-builder-class.java @@ -11,6 +11,7 @@ import software.amazon.awssdk.auth.token.signer.aws.BearerTokenSigner; import software.amazon.awssdk.awscore.client.builder.AwsDefaultClientBuilder; import software.amazon.awssdk.awscore.client.config.AwsClientOption; +import software.amazon.awssdk.awscore.endpoint.AwsClientEndpointProvider; import software.amazon.awssdk.awscore.retry.AwsRetryStrategy; import software.amazon.awssdk.core.SdkPlugin; import software.amazon.awssdk.core.client.config.ClientOverrideConfiguration; @@ -24,6 +25,7 @@ import software.amazon.awssdk.identity.spi.IdentityProvider; import software.amazon.awssdk.identity.spi.IdentityProviders; import software.amazon.awssdk.identity.spi.TokenIdentity; +import software.amazon.awssdk.regions.ServiceMetadataAdvancedOption; import software.amazon.awssdk.retries.api.RetryStrategy; import software.amazon.awssdk.services.json.endpoints.JsonEndpointProvider; import software.amazon.awssdk.services.json.endpoints.internal.JsonRequestSetEndpointInterceptor; @@ -51,12 +53,12 @@ protected final String serviceName() { @Override protected final SdkClientConfiguration mergeServiceDefaults(SdkClientConfiguration config) { return config.merge(c -> c - .option(SdkClientOption.ENDPOINT_PROVIDER, defaultEndpointProvider()) - .option(SdkClientOption.CRC32_FROM_COMPRESSED_DATA_ENABLED, false) - .lazyOption(AwsClientOption.TOKEN_PROVIDER, + .option(SdkClientOption.ENDPOINT_PROVIDER, defaultEndpointProvider()) + .option(SdkClientOption.CRC32_FROM_COMPRESSED_DATA_ENABLED, false) + .lazyOption(AwsClientOption.TOKEN_PROVIDER, p -> TokenUtils.toSdkTokenProvider(p.get(AwsClientOption.TOKEN_IDENTITY_PROVIDER))) - .option(AwsClientOption.TOKEN_IDENTITY_PROVIDER, defaultTokenProvider()) - .option(SdkAdvancedClientOption.TOKEN_SIGNER, defaultTokenSigner())); + .option(AwsClientOption.TOKEN_IDENTITY_PROVIDER, defaultTokenProvider()) + .option(SdkAdvancedClientOption.TOKEN_SIGNER, defaultTokenSigner())); } @Override @@ -66,7 +68,7 @@ protected final SdkClientConfiguration finalizeServiceConfiguration(SdkClientCon endpointInterceptors.add(new JsonRequestSetEndpointInterceptor()); ClasspathInterceptorChainFactory interceptorFactory = new ClasspathInterceptorChainFactory(); List interceptors = interceptorFactory - .getInterceptors("software/amazon/awssdk/services/json/execution.interceptors"); + .getInterceptors("software/amazon/awssdk/services/json/execution.interceptors"); List additionalInterceptors = new ArrayList<>(); interceptors = CollectionUtils.mergeLists(endpointInterceptors, interceptors); interceptors = CollectionUtils.mergeLists(interceptors, additionalInterceptors); @@ -81,6 +83,22 @@ protected final SdkClientConfiguration finalizeServiceConfiguration(SdkClientCon return result.build(); }); builder.option(SdkClientOption.EXECUTION_INTERCEPTORS, interceptors); + builder.lazyOptionIfAbsent( + SdkClientOption.CLIENT_ENDPOINT_PROVIDER, + c -> AwsClientEndpointProvider + .builder() + .serviceEndpointOverrideEnvironmentVariable("AWS_ENDPOINT_URL_JSON_SERVICE") + .serviceEndpointOverrideSystemProperty("aws.endpointUrlJson") + .serviceProfileProperty("json_service") + .serviceEndpointPrefix(serviceEndpointPrefix()) + .defaultProtocol("https") + .region(c.get(AwsClientOption.AWS_REGION)) + .profileFile(c.get(SdkClientOption.PROFILE_FILE_SUPPLIER)) + .profileName(c.get(SdkClientOption.PROFILE_NAME)) + .putAdvancedOption(ServiceMetadataAdvancedOption.DEFAULT_S3_US_EAST_1_REGIONAL_ENDPOINT, + c.get(ServiceMetadataAdvancedOption.DEFAULT_S3_US_EAST_1_REGIONAL_ENDPOINT)) + .dualstackEnabled(c.get(AwsClientOption.DUALSTACK_ENDPOINT_ENABLED)) + .fipsEnabled(c.get(AwsClientOption.FIPS_ENDPOINT_ENABLED)).build()); return builder.build(); } @@ -147,8 +165,8 @@ private List internalPlugins(SdkClientConfiguration config) { protected static void validateClientOptions(SdkClientConfiguration c) { Validate.notNull(c.option(SdkAdvancedClientOption.TOKEN_SIGNER), - "The 'overrideConfiguration.advancedOption[TOKEN_SIGNER]' must be configured in the client builder."); + "The 'overrideConfiguration.advancedOption[TOKEN_SIGNER]' must be configured in the client builder."); Validate.notNull(c.option(AwsClientOption.TOKEN_IDENTITY_PROVIDER), - "The 'tokenProvider' must be configured in the client builder."); + "The 'tokenProvider' must be configured in the client builder."); } } diff --git a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/test-client-builder-class.java b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/test-client-builder-class.java index a43c9c8548b2..ca26f0321aec 100644 --- a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/test-client-builder-class.java +++ b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/test-client-builder-class.java @@ -14,6 +14,7 @@ import software.amazon.awssdk.auth.token.signer.aws.BearerTokenSigner; import software.amazon.awssdk.awscore.client.builder.AwsDefaultClientBuilder; import software.amazon.awssdk.awscore.client.config.AwsClientOption; +import software.amazon.awssdk.awscore.endpoint.AwsClientEndpointProvider; import software.amazon.awssdk.awscore.retry.AwsRetryStrategy; import software.amazon.awssdk.codegen.poet.plugins.InternalTestPlugin1; import software.amazon.awssdk.codegen.poet.plugins.InternalTestPlugin2; @@ -29,6 +30,7 @@ import software.amazon.awssdk.identity.spi.IdentityProvider; import software.amazon.awssdk.identity.spi.IdentityProviders; import software.amazon.awssdk.identity.spi.TokenIdentity; +import software.amazon.awssdk.regions.ServiceMetadataAdvancedOption; import software.amazon.awssdk.retries.api.RetryStrategy; import software.amazon.awssdk.services.json.endpoints.JsonClientContextParams; import software.amazon.awssdk.services.json.endpoints.JsonEndpointProvider; @@ -156,6 +158,22 @@ protected final SdkClientConfiguration finalizeServiceConfiguration(SdkClientCon builder.option(SdkClientOption.RETRY_POLICY, MyServiceRetryPolicy.resolveRetryPolicy(config)); } builder.option(SdkClientOption.SERVICE_CONFIGURATION, finalServiceConfig); + builder.lazyOptionIfAbsent( + SdkClientOption.CLIENT_ENDPOINT_PROVIDER, + c -> AwsClientEndpointProvider + .builder() + .serviceEndpointOverrideEnvironmentVariable("AWS_ENDPOINT_URL_JSON_SERVICE") + .serviceEndpointOverrideSystemProperty("aws.endpointUrlJson") + .serviceProfileProperty("json_service") + .serviceEndpointPrefix(serviceEndpointPrefix()) + .defaultProtocol("https") + .region(c.get(AwsClientOption.AWS_REGION)) + .profileFile(c.get(SdkClientOption.PROFILE_FILE_SUPPLIER)) + .profileName(c.get(SdkClientOption.PROFILE_NAME)) + .putAdvancedOption(ServiceMetadataAdvancedOption.DEFAULT_S3_US_EAST_1_REGIONAL_ENDPOINT, + c.get(ServiceMetadataAdvancedOption.DEFAULT_S3_US_EAST_1_REGIONAL_ENDPOINT)) + .dualstackEnabled(c.get(AwsClientOption.DUALSTACK_ENDPOINT_ENABLED)) + .fipsEnabled(c.get(AwsClientOption.FIPS_ENDPOINT_ENABLED)).build()); return builder.build(); } diff --git a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/test-client-builder-endpoints-auth-params.java b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/test-client-builder-endpoints-auth-params.java index 0b78fc371faa..ef0dce52a8ce 100644 --- a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/test-client-builder-endpoints-auth-params.java +++ b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/test-client-builder-endpoints-auth-params.java @@ -12,6 +12,7 @@ import software.amazon.awssdk.auth.token.signer.aws.BearerTokenSigner; import software.amazon.awssdk.awscore.client.builder.AwsDefaultClientBuilder; import software.amazon.awssdk.awscore.client.config.AwsClientOption; +import software.amazon.awssdk.awscore.endpoint.AwsClientEndpointProvider; import software.amazon.awssdk.awscore.endpoints.AccountIdEndpointMode; import software.amazon.awssdk.awscore.endpoints.AccountIdEndpointModeResolver; import software.amazon.awssdk.awscore.retry.AwsRetryStrategy; @@ -27,6 +28,7 @@ import software.amazon.awssdk.identity.spi.IdentityProvider; import software.amazon.awssdk.identity.spi.IdentityProviders; import software.amazon.awssdk.identity.spi.TokenIdentity; +import software.amazon.awssdk.regions.ServiceMetadataAdvancedOption; import software.amazon.awssdk.retries.api.RetryStrategy; import software.amazon.awssdk.services.query.endpoints.QueryClientContextParams; import software.amazon.awssdk.services.query.endpoints.QueryEndpointProvider; @@ -55,13 +57,13 @@ protected final String serviceName() { @Override protected final SdkClientConfiguration mergeServiceDefaults(SdkClientConfiguration config) { return config.merge(c -> c - .option(SdkClientOption.ENDPOINT_PROVIDER, defaultEndpointProvider()) - .option(SdkAdvancedClientOption.SIGNER, defaultSigner()) - .option(SdkClientOption.CRC32_FROM_COMPRESSED_DATA_ENABLED, false) - .lazyOption(AwsClientOption.TOKEN_PROVIDER, + .option(SdkClientOption.ENDPOINT_PROVIDER, defaultEndpointProvider()) + .option(SdkAdvancedClientOption.SIGNER, defaultSigner()) + .option(SdkClientOption.CRC32_FROM_COMPRESSED_DATA_ENABLED, false) + .lazyOption(AwsClientOption.TOKEN_PROVIDER, p -> TokenUtils.toSdkTokenProvider(p.get(AwsClientOption.TOKEN_IDENTITY_PROVIDER))) - .option(AwsClientOption.TOKEN_IDENTITY_PROVIDER, defaultTokenProvider()) - .option(SdkAdvancedClientOption.TOKEN_SIGNER, defaultTokenSigner())); + .option(AwsClientOption.TOKEN_IDENTITY_PROVIDER, defaultTokenProvider()) + .option(SdkAdvancedClientOption.TOKEN_SIGNER, defaultTokenSigner())); } @Override @@ -71,7 +73,7 @@ protected final SdkClientConfiguration finalizeServiceConfiguration(SdkClientCon endpointInterceptors.add(new QueryRequestSetEndpointInterceptor()); ClasspathInterceptorChainFactory interceptorFactory = new ClasspathInterceptorChainFactory(); List interceptors = interceptorFactory - .getInterceptors("software/amazon/awssdk/services/query/execution.interceptors"); + .getInterceptors("software/amazon/awssdk/services/query/execution.interceptors"); List additionalInterceptors = new ArrayList<>(); interceptors = CollectionUtils.mergeLists(endpointInterceptors, interceptors); interceptors = CollectionUtils.mergeLists(interceptors, additionalInterceptors); @@ -92,6 +94,22 @@ protected final SdkClientConfiguration finalizeServiceConfiguration(SdkClientCon builder.option(SdkClientOption.EXECUTION_INTERCEPTORS, interceptors); builder.option(SdkClientOption.CLIENT_CONTEXT_PARAMS, clientContextParams.build()); builder.option(AwsClientOption.ACCOUNT_ID_ENDPOINT_MODE, resolveAccountIdEndpointMode(config)); + builder.lazyOptionIfAbsent( + SdkClientOption.CLIENT_ENDPOINT_PROVIDER, + c -> AwsClientEndpointProvider + .builder() + .serviceEndpointOverrideEnvironmentVariable("AWS_ENDPOINT_URL_QUERY_SERVICE") + .serviceEndpointOverrideSystemProperty("aws.endpointUrlQuery") + .serviceProfileProperty("query_service") + .serviceEndpointPrefix(serviceEndpointPrefix()) + .defaultProtocol("https") + .region(c.get(AwsClientOption.AWS_REGION)) + .profileFile(c.get(SdkClientOption.PROFILE_FILE_SUPPLIER)) + .profileName(c.get(SdkClientOption.PROFILE_NAME)) + .putAdvancedOption(ServiceMetadataAdvancedOption.DEFAULT_S3_US_EAST_1_REGIONAL_ENDPOINT, + c.get(ServiceMetadataAdvancedOption.DEFAULT_S3_US_EAST_1_REGIONAL_ENDPOINT)) + .dualstackEnabled(c.get(AwsClientOption.DUALSTACK_ENDPOINT_ENABLED)) + .fipsEnabled(c.get(AwsClientOption.FIPS_ENDPOINT_ENABLED)).build()); return builder.build(); } @@ -179,19 +197,19 @@ private AccountIdEndpointMode resolveAccountIdEndpointMode(SdkClientConfiguratio AccountIdEndpointMode configuredMode = config.option(AwsClientOption.ACCOUNT_ID_ENDPOINT_MODE); if (configuredMode == null) { configuredMode = AccountIdEndpointModeResolver.create() - .profileFile(config.option(SdkClientOption.PROFILE_FILE_SUPPLIER)) - .profileName(config.option(SdkClientOption.PROFILE_NAME)).defaultMode(AccountIdEndpointMode.PREFERRED) - .resolve(); + .profileFile(config.option(SdkClientOption.PROFILE_FILE_SUPPLIER)) + .profileName(config.option(SdkClientOption.PROFILE_NAME)).defaultMode(AccountIdEndpointMode.PREFERRED) + .resolve(); } return configuredMode; } protected static void validateClientOptions(SdkClientConfiguration c) { Validate.notNull(c.option(SdkAdvancedClientOption.SIGNER), - "The 'overrideConfiguration.advancedOption[SIGNER]' must be configured in the client builder."); + "The 'overrideConfiguration.advancedOption[SIGNER]' must be configured in the client builder."); Validate.notNull(c.option(SdkAdvancedClientOption.TOKEN_SIGNER), - "The 'overrideConfiguration.advancedOption[TOKEN_SIGNER]' must be configured in the client builder."); + "The 'overrideConfiguration.advancedOption[TOKEN_SIGNER]' must be configured in the client builder."); Validate.notNull(c.option(AwsClientOption.TOKEN_IDENTITY_PROVIDER), - "The 'tokenProvider' must be configured in the client builder."); + "The 'tokenProvider' must be configured in the client builder."); } } diff --git a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/test-client-builder-internal-defaults-class.java b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/test-client-builder-internal-defaults-class.java index 876781cacfbf..420c33dd84cf 100644 --- a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/test-client-builder-internal-defaults-class.java +++ b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/test-client-builder-internal-defaults-class.java @@ -9,6 +9,7 @@ import software.amazon.awssdk.auth.signer.Aws4Signer; import software.amazon.awssdk.awscore.client.builder.AwsDefaultClientBuilder; import software.amazon.awssdk.awscore.client.config.AwsClientOption; +import software.amazon.awssdk.awscore.endpoint.AwsClientEndpointProvider; import software.amazon.awssdk.awscore.retry.AwsRetryStrategy; import software.amazon.awssdk.core.SdkPlugin; import software.amazon.awssdk.core.client.config.ClientOverrideConfiguration; @@ -21,6 +22,7 @@ import software.amazon.awssdk.core.signer.Signer; import software.amazon.awssdk.identity.spi.IdentityProvider; import software.amazon.awssdk.identity.spi.IdentityProviders; +import software.amazon.awssdk.regions.ServiceMetadataAdvancedOption; import software.amazon.awssdk.retries.api.RetryStrategy; import software.amazon.awssdk.services.json.endpoints.JsonEndpointProvider; import software.amazon.awssdk.services.json.endpoints.internal.JsonRequestSetEndpointInterceptor; @@ -48,8 +50,8 @@ protected final String serviceName() { @Override protected final SdkClientConfiguration mergeServiceDefaults(SdkClientConfiguration config) { return config.merge(c -> c.option(SdkClientOption.ENDPOINT_PROVIDER, defaultEndpointProvider()) - .option(SdkAdvancedClientOption.SIGNER, defaultSigner()) - .option(SdkClientOption.CRC32_FROM_COMPRESSED_DATA_ENABLED, false)); + .option(SdkAdvancedClientOption.SIGNER, defaultSigner()) + .option(SdkClientOption.CRC32_FROM_COMPRESSED_DATA_ENABLED, false)); } @Override @@ -67,7 +69,7 @@ protected final SdkClientConfiguration finalizeServiceConfiguration(SdkClientCon endpointInterceptors.add(new JsonRequestSetEndpointInterceptor()); ClasspathInterceptorChainFactory interceptorFactory = new ClasspathInterceptorChainFactory(); List interceptors = interceptorFactory - .getInterceptors("software/amazon/awssdk/services/json/execution.interceptors"); + .getInterceptors("software/amazon/awssdk/services/json/execution.interceptors"); List additionalInterceptors = new ArrayList<>(); interceptors = CollectionUtils.mergeLists(endpointInterceptors, interceptors); interceptors = CollectionUtils.mergeLists(interceptors, additionalInterceptors); @@ -82,6 +84,22 @@ protected final SdkClientConfiguration finalizeServiceConfiguration(SdkClientCon return result.build(); }); builder.option(SdkClientOption.EXECUTION_INTERCEPTORS, interceptors); + builder.lazyOptionIfAbsent( + SdkClientOption.CLIENT_ENDPOINT_PROVIDER, + c -> AwsClientEndpointProvider + .builder() + .serviceEndpointOverrideEnvironmentVariable("AWS_ENDPOINT_URL_JSON_SERVICE") + .serviceEndpointOverrideSystemProperty("aws.endpointUrlJson") + .serviceProfileProperty("json_service") + .serviceEndpointPrefix(serviceEndpointPrefix()) + .defaultProtocol("https") + .region(c.get(AwsClientOption.AWS_REGION)) + .profileFile(c.get(SdkClientOption.PROFILE_FILE_SUPPLIER)) + .profileName(c.get(SdkClientOption.PROFILE_NAME)) + .putAdvancedOption(ServiceMetadataAdvancedOption.DEFAULT_S3_US_EAST_1_REGIONAL_ENDPOINT, + c.get(ServiceMetadataAdvancedOption.DEFAULT_S3_US_EAST_1_REGIONAL_ENDPOINT)) + .dualstackEnabled(c.get(AwsClientOption.DUALSTACK_ENDPOINT_ENABLED)) + .fipsEnabled(c.get(AwsClientOption.FIPS_ENDPOINT_ENABLED)).build()); return builder.build(); } @@ -144,6 +162,6 @@ private List internalPlugins(SdkClientConfiguration config) { protected static void validateClientOptions(SdkClientConfiguration c) { Validate.notNull(c.option(SdkAdvancedClientOption.SIGNER), - "The 'overrideConfiguration.advancedOption[SIGNER]' must be configured in the client builder."); + "The 'overrideConfiguration.advancedOption[SIGNER]' must be configured in the client builder."); } } diff --git a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/test-composed-sync-default-client-builder.java b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/test-composed-sync-default-client-builder.java index e40ce4895c21..848dc95f7a0a 100644 --- a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/test-composed-sync-default-client-builder.java +++ b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/test-composed-sync-default-client-builder.java @@ -12,6 +12,7 @@ import software.amazon.awssdk.auth.token.signer.aws.BearerTokenSigner; import software.amazon.awssdk.awscore.client.builder.AwsDefaultClientBuilder; import software.amazon.awssdk.awscore.client.config.AwsClientOption; +import software.amazon.awssdk.awscore.endpoint.AwsClientEndpointProvider; import software.amazon.awssdk.awscore.retry.AwsRetryStrategy; import software.amazon.awssdk.core.SdkPlugin; import software.amazon.awssdk.core.client.config.ClientOverrideConfiguration; @@ -25,6 +26,7 @@ import software.amazon.awssdk.identity.spi.IdentityProvider; import software.amazon.awssdk.identity.spi.IdentityProviders; import software.amazon.awssdk.identity.spi.TokenIdentity; +import software.amazon.awssdk.regions.ServiceMetadataAdvancedOption; import software.amazon.awssdk.retries.api.RetryStrategy; import software.amazon.awssdk.services.json.endpoints.JsonClientContextParams; import software.amazon.awssdk.services.json.endpoints.JsonEndpointProvider; @@ -53,14 +55,14 @@ protected final String serviceName() { @Override protected final SdkClientConfiguration mergeServiceDefaults(SdkClientConfiguration config) { return config.merge(c -> c - .option(SdkClientOption.ENDPOINT_PROVIDER, defaultEndpointProvider()) - .option(SdkAdvancedClientOption.SIGNER, defaultSigner()) - .option(SdkClientOption.CRC32_FROM_COMPRESSED_DATA_ENABLED, false) - .option(SdkClientOption.SERVICE_CONFIGURATION, ServiceConfiguration.builder().build()) - .lazyOption(AwsClientOption.TOKEN_PROVIDER, + .option(SdkClientOption.ENDPOINT_PROVIDER, defaultEndpointProvider()) + .option(SdkAdvancedClientOption.SIGNER, defaultSigner()) + .option(SdkClientOption.CRC32_FROM_COMPRESSED_DATA_ENABLED, false) + .option(SdkClientOption.SERVICE_CONFIGURATION, ServiceConfiguration.builder().build()) + .lazyOption(AwsClientOption.TOKEN_PROVIDER, p -> TokenUtils.toSdkTokenProvider(p.get(AwsClientOption.TOKEN_IDENTITY_PROVIDER))) - .option(AwsClientOption.TOKEN_IDENTITY_PROVIDER, defaultTokenProvider()) - .option(SdkAdvancedClientOption.TOKEN_SIGNER, defaultTokenSigner())); + .option(AwsClientOption.TOKEN_IDENTITY_PROVIDER, defaultTokenProvider()) + .option(SdkAdvancedClientOption.TOKEN_SIGNER, defaultTokenSigner())); } @Override @@ -70,17 +72,17 @@ protected final SdkClientConfiguration finalizeServiceConfiguration(SdkClientCon endpointInterceptors.add(new JsonRequestSetEndpointInterceptor()); ClasspathInterceptorChainFactory interceptorFactory = new ClasspathInterceptorChainFactory(); List interceptors = interceptorFactory - .getInterceptors("software/amazon/awssdk/services/json/execution.interceptors"); + .getInterceptors("software/amazon/awssdk/services/json/execution.interceptors"); List additionalInterceptors = new ArrayList<>(); interceptors = CollectionUtils.mergeLists(endpointInterceptors, interceptors); interceptors = CollectionUtils.mergeLists(interceptors, additionalInterceptors); interceptors = CollectionUtils.mergeLists(interceptors, config.option(SdkClientOption.EXECUTION_INTERCEPTORS)); ServiceConfiguration.Builder serviceConfigBuilder = ((ServiceConfiguration) config - .option(SdkClientOption.SERVICE_CONFIGURATION)).toBuilder(); + .option(SdkClientOption.SERVICE_CONFIGURATION)).toBuilder(); serviceConfigBuilder.profileFile(serviceConfigBuilder.profileFileSupplier() != null ? serviceConfigBuilder - .profileFileSupplier() : config.option(SdkClientOption.PROFILE_FILE_SUPPLIER)); + .profileFileSupplier() : config.option(SdkClientOption.PROFILE_FILE_SUPPLIER)); serviceConfigBuilder.profileName(serviceConfigBuilder.profileName() != null ? serviceConfigBuilder.profileName() : config - .option(SdkClientOption.PROFILE_NAME)); + .option(SdkClientOption.PROFILE_NAME)); ServiceConfiguration finalServiceConfig = serviceConfigBuilder.build(); SdkClientConfiguration.Builder builder = config.toBuilder(); builder.lazyOption(SdkClientOption.IDENTITY_PROVIDERS, c -> { @@ -97,6 +99,22 @@ protected final SdkClientConfiguration finalizeServiceConfiguration(SdkClientCon }); builder.option(SdkClientOption.EXECUTION_INTERCEPTORS, interceptors); builder.option(SdkClientOption.SERVICE_CONFIGURATION, finalServiceConfig); + builder.lazyOptionIfAbsent( + SdkClientOption.CLIENT_ENDPOINT_PROVIDER, + c -> AwsClientEndpointProvider + .builder() + .serviceEndpointOverrideEnvironmentVariable("AWS_ENDPOINT_URL_JSON_SERVICE") + .serviceEndpointOverrideSystemProperty("aws.endpointUrlJson") + .serviceProfileProperty("json_service") + .serviceEndpointPrefix(serviceEndpointPrefix()) + .defaultProtocol("https") + .region(c.get(AwsClientOption.AWS_REGION)) + .profileFile(c.get(SdkClientOption.PROFILE_FILE_SUPPLIER)) + .profileName(c.get(SdkClientOption.PROFILE_NAME)) + .putAdvancedOption(ServiceMetadataAdvancedOption.DEFAULT_S3_US_EAST_1_REGIONAL_ENDPOINT, + c.get(ServiceMetadataAdvancedOption.DEFAULT_S3_US_EAST_1_REGIONAL_ENDPOINT)) + .dualstackEnabled(c.get(AwsClientOption.DUALSTACK_ENDPOINT_ENABLED)) + .fipsEnabled(c.get(AwsClientOption.FIPS_ENDPOINT_ENABLED)).build()); return builder.build(); } @@ -181,10 +199,10 @@ private List internalPlugins(SdkClientConfiguration config) { protected static void validateClientOptions(SdkClientConfiguration c) { Validate.notNull(c.option(SdkAdvancedClientOption.SIGNER), - "The 'overrideConfiguration.advancedOption[SIGNER]' must be configured in the client builder."); + "The 'overrideConfiguration.advancedOption[SIGNER]' must be configured in the client builder."); Validate.notNull(c.option(SdkAdvancedClientOption.TOKEN_SIGNER), - "The 'overrideConfiguration.advancedOption[TOKEN_SIGNER]' must be configured in the client builder."); + "The 'overrideConfiguration.advancedOption[TOKEN_SIGNER]' must be configured in the client builder."); Validate.notNull(c.option(AwsClientOption.TOKEN_IDENTITY_PROVIDER), - "The 'tokenProvider' must be configured in the client builder."); + "The 'tokenProvider' must be configured in the client builder."); } } diff --git a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/test-no-auth-ops-client-builder-class.java b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/test-no-auth-ops-client-builder-class.java index 7e24e6b8df5c..4d892e050a7d 100644 --- a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/test-no-auth-ops-client-builder-class.java +++ b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/test-no-auth-ops-client-builder-class.java @@ -9,6 +9,7 @@ import software.amazon.awssdk.auth.signer.Aws4Signer; import software.amazon.awssdk.awscore.client.builder.AwsDefaultClientBuilder; import software.amazon.awssdk.awscore.client.config.AwsClientOption; +import software.amazon.awssdk.awscore.endpoint.AwsClientEndpointProvider; import software.amazon.awssdk.awscore.retry.AwsRetryStrategy; import software.amazon.awssdk.core.SdkPlugin; import software.amazon.awssdk.core.client.config.ClientOverrideConfiguration; @@ -21,6 +22,7 @@ import software.amazon.awssdk.core.signer.Signer; import software.amazon.awssdk.identity.spi.IdentityProvider; import software.amazon.awssdk.identity.spi.IdentityProviders; +import software.amazon.awssdk.regions.ServiceMetadataAdvancedOption; import software.amazon.awssdk.retries.api.RetryStrategy; import software.amazon.awssdk.services.database.endpoints.DatabaseEndpointProvider; import software.amazon.awssdk.services.database.endpoints.internal.DatabaseRequestSetEndpointInterceptor; @@ -35,7 +37,7 @@ @Generated("software.amazon.awssdk:codegen") @SdkInternalApi abstract class DefaultDatabaseBaseClientBuilder, C> extends - AwsDefaultClientBuilder { + AwsDefaultClientBuilder { @Override protected final String serviceEndpointPrefix() { return "database-service-endpoint"; @@ -49,8 +51,8 @@ protected final String serviceName() { @Override protected final SdkClientConfiguration mergeServiceDefaults(SdkClientConfiguration config) { return config.merge(c -> c.option(SdkClientOption.ENDPOINT_PROVIDER, defaultEndpointProvider()) - .option(SdkAdvancedClientOption.SIGNER, defaultSigner()) - .option(SdkClientOption.CRC32_FROM_COMPRESSED_DATA_ENABLED, false)); + .option(SdkAdvancedClientOption.SIGNER, defaultSigner()) + .option(SdkClientOption.CRC32_FROM_COMPRESSED_DATA_ENABLED, false)); } @Override @@ -60,7 +62,7 @@ protected final SdkClientConfiguration finalizeServiceConfiguration(SdkClientCon endpointInterceptors.add(new DatabaseRequestSetEndpointInterceptor()); ClasspathInterceptorChainFactory interceptorFactory = new ClasspathInterceptorChainFactory(); List interceptors = interceptorFactory - .getInterceptors("software/amazon/awssdk/services/database/execution.interceptors"); + .getInterceptors("software/amazon/awssdk/services/database/execution.interceptors"); List additionalInterceptors = new ArrayList<>(); interceptors = CollectionUtils.mergeLists(endpointInterceptors, interceptors); interceptors = CollectionUtils.mergeLists(interceptors, additionalInterceptors); @@ -75,6 +77,22 @@ protected final SdkClientConfiguration finalizeServiceConfiguration(SdkClientCon return result.build(); }); builder.option(SdkClientOption.EXECUTION_INTERCEPTORS, interceptors); + builder.lazyOptionIfAbsent( + SdkClientOption.CLIENT_ENDPOINT_PROVIDER, + c -> AwsClientEndpointProvider + .builder() + .serviceEndpointOverrideEnvironmentVariable("AWS_ENDPOINT_URL_DATABASE_SERVICE") + .serviceEndpointOverrideSystemProperty("aws.endpointUrlDatabase") + .serviceProfileProperty("database_service") + .serviceEndpointPrefix(serviceEndpointPrefix()) + .defaultProtocol("https") + .region(c.get(AwsClientOption.AWS_REGION)) + .profileFile(c.get(SdkClientOption.PROFILE_FILE_SUPPLIER)) + .profileName(c.get(SdkClientOption.PROFILE_NAME)) + .putAdvancedOption(ServiceMetadataAdvancedOption.DEFAULT_S3_US_EAST_1_REGIONAL_ENDPOINT, + c.get(ServiceMetadataAdvancedOption.DEFAULT_S3_US_EAST_1_REGIONAL_ENDPOINT)) + .dualstackEnabled(c.get(AwsClientOption.DUALSTACK_ENDPOINT_ENABLED)) + .fipsEnabled(c.get(AwsClientOption.FIPS_ENDPOINT_ENABLED)).build()); return builder.build(); } @@ -101,7 +119,7 @@ protected SdkClientConfiguration invokePlugins(SdkClientConfiguration config) { List plugins = CollectionUtils.mergeLists(internalPlugins, externalPlugins); SdkClientConfiguration.Builder configuration = config.toBuilder(); DatabaseServiceClientConfigurationBuilder serviceConfigBuilder = new DatabaseServiceClientConfigurationBuilder( - configuration); + configuration); for (SdkPlugin plugin : plugins) { plugin.configureClient(serviceConfigBuilder); } @@ -138,6 +156,6 @@ private List internalPlugins(SdkClientConfiguration config) { protected static void validateClientOptions(SdkClientConfiguration c) { Validate.notNull(c.option(SdkAdvancedClientOption.SIGNER), - "The 'overrideConfiguration.advancedOption[SIGNER]' must be configured in the client builder."); + "The 'overrideConfiguration.advancedOption[SIGNER]' must be configured in the client builder."); } } diff --git a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/test-no-auth-service-client-builder-class.java b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/test-no-auth-service-client-builder-class.java index 2c982b340df2..18e5f525da85 100644 --- a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/test-no-auth-service-client-builder-class.java +++ b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/test-no-auth-service-client-builder-class.java @@ -7,6 +7,8 @@ import software.amazon.awssdk.annotations.Generated; import software.amazon.awssdk.annotations.SdkInternalApi; import software.amazon.awssdk.awscore.client.builder.AwsDefaultClientBuilder; +import software.amazon.awssdk.awscore.client.config.AwsClientOption; +import software.amazon.awssdk.awscore.endpoint.AwsClientEndpointProvider; import software.amazon.awssdk.awscore.retry.AwsRetryStrategy; import software.amazon.awssdk.core.SdkPlugin; import software.amazon.awssdk.core.client.config.ClientOverrideConfiguration; @@ -16,6 +18,7 @@ import software.amazon.awssdk.core.interceptor.ExecutionInterceptor; import software.amazon.awssdk.core.retry.RetryMode; import software.amazon.awssdk.identity.spi.IdentityProviders; +import software.amazon.awssdk.regions.ServiceMetadataAdvancedOption; import software.amazon.awssdk.retries.api.RetryStrategy; import software.amazon.awssdk.services.database.endpoints.DatabaseEndpointProvider; import software.amazon.awssdk.services.database.endpoints.internal.DatabaseRequestSetEndpointInterceptor; @@ -29,7 +32,7 @@ @Generated("software.amazon.awssdk:codegen") @SdkInternalApi abstract class DefaultDatabaseBaseClientBuilder, C> extends - AwsDefaultClientBuilder { + AwsDefaultClientBuilder { @Override protected final String serviceEndpointPrefix() { return "database-service-endpoint"; @@ -43,7 +46,7 @@ protected final String serviceName() { @Override protected final SdkClientConfiguration mergeServiceDefaults(SdkClientConfiguration config) { return config.merge(c -> c.option(SdkClientOption.ENDPOINT_PROVIDER, defaultEndpointProvider()).option( - SdkClientOption.CRC32_FROM_COMPRESSED_DATA_ENABLED, false)); + SdkClientOption.CRC32_FROM_COMPRESSED_DATA_ENABLED, false)); } @Override @@ -53,7 +56,7 @@ protected final SdkClientConfiguration finalizeServiceConfiguration(SdkClientCon endpointInterceptors.add(new DatabaseRequestSetEndpointInterceptor()); ClasspathInterceptorChainFactory interceptorFactory = new ClasspathInterceptorChainFactory(); List interceptors = interceptorFactory - .getInterceptors("software/amazon/awssdk/services/database/execution.interceptors"); + .getInterceptors("software/amazon/awssdk/services/database/execution.interceptors"); List additionalInterceptors = new ArrayList<>(); interceptors = CollectionUtils.mergeLists(endpointInterceptors, interceptors); interceptors = CollectionUtils.mergeLists(interceptors, additionalInterceptors); @@ -64,6 +67,22 @@ protected final SdkClientConfiguration finalizeServiceConfiguration(SdkClientCon return result.build(); }); builder.option(SdkClientOption.EXECUTION_INTERCEPTORS, interceptors); + builder.lazyOptionIfAbsent( + SdkClientOption.CLIENT_ENDPOINT_PROVIDER, + c -> AwsClientEndpointProvider + .builder() + .serviceEndpointOverrideEnvironmentVariable("AWS_ENDPOINT_URL_DATABASE_SERVICE") + .serviceEndpointOverrideSystemProperty("aws.endpointUrlDatabase") + .serviceProfileProperty("database_service") + .serviceEndpointPrefix(serviceEndpointPrefix()) + .defaultProtocol("https") + .region(c.get(AwsClientOption.AWS_REGION)) + .profileFile(c.get(SdkClientOption.PROFILE_FILE_SUPPLIER)) + .profileName(c.get(SdkClientOption.PROFILE_NAME)) + .putAdvancedOption(ServiceMetadataAdvancedOption.DEFAULT_S3_US_EAST_1_REGIONAL_ENDPOINT, + c.get(ServiceMetadataAdvancedOption.DEFAULT_S3_US_EAST_1_REGIONAL_ENDPOINT)) + .dualstackEnabled(c.get(AwsClientOption.DUALSTACK_ENDPOINT_ENABLED)) + .fipsEnabled(c.get(AwsClientOption.FIPS_ENDPOINT_ENABLED)).build()); return builder.build(); } @@ -86,7 +105,7 @@ protected SdkClientConfiguration invokePlugins(SdkClientConfiguration config) { List plugins = CollectionUtils.mergeLists(internalPlugins, externalPlugins); SdkClientConfiguration.Builder configuration = config.toBuilder(); DatabaseServiceClientConfigurationBuilder serviceConfigBuilder = new DatabaseServiceClientConfigurationBuilder( - configuration); + configuration); for (SdkPlugin plugin : plugins) { plugin.configureClient(serviceConfigBuilder); } diff --git a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/test-query-client-builder-class.java b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/test-query-client-builder-class.java index 0b78fc371faa..ef0dce52a8ce 100644 --- a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/test-query-client-builder-class.java +++ b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/builder/test-query-client-builder-class.java @@ -12,6 +12,7 @@ import software.amazon.awssdk.auth.token.signer.aws.BearerTokenSigner; import software.amazon.awssdk.awscore.client.builder.AwsDefaultClientBuilder; import software.amazon.awssdk.awscore.client.config.AwsClientOption; +import software.amazon.awssdk.awscore.endpoint.AwsClientEndpointProvider; import software.amazon.awssdk.awscore.endpoints.AccountIdEndpointMode; import software.amazon.awssdk.awscore.endpoints.AccountIdEndpointModeResolver; import software.amazon.awssdk.awscore.retry.AwsRetryStrategy; @@ -27,6 +28,7 @@ import software.amazon.awssdk.identity.spi.IdentityProvider; import software.amazon.awssdk.identity.spi.IdentityProviders; import software.amazon.awssdk.identity.spi.TokenIdentity; +import software.amazon.awssdk.regions.ServiceMetadataAdvancedOption; import software.amazon.awssdk.retries.api.RetryStrategy; import software.amazon.awssdk.services.query.endpoints.QueryClientContextParams; import software.amazon.awssdk.services.query.endpoints.QueryEndpointProvider; @@ -55,13 +57,13 @@ protected final String serviceName() { @Override protected final SdkClientConfiguration mergeServiceDefaults(SdkClientConfiguration config) { return config.merge(c -> c - .option(SdkClientOption.ENDPOINT_PROVIDER, defaultEndpointProvider()) - .option(SdkAdvancedClientOption.SIGNER, defaultSigner()) - .option(SdkClientOption.CRC32_FROM_COMPRESSED_DATA_ENABLED, false) - .lazyOption(AwsClientOption.TOKEN_PROVIDER, + .option(SdkClientOption.ENDPOINT_PROVIDER, defaultEndpointProvider()) + .option(SdkAdvancedClientOption.SIGNER, defaultSigner()) + .option(SdkClientOption.CRC32_FROM_COMPRESSED_DATA_ENABLED, false) + .lazyOption(AwsClientOption.TOKEN_PROVIDER, p -> TokenUtils.toSdkTokenProvider(p.get(AwsClientOption.TOKEN_IDENTITY_PROVIDER))) - .option(AwsClientOption.TOKEN_IDENTITY_PROVIDER, defaultTokenProvider()) - .option(SdkAdvancedClientOption.TOKEN_SIGNER, defaultTokenSigner())); + .option(AwsClientOption.TOKEN_IDENTITY_PROVIDER, defaultTokenProvider()) + .option(SdkAdvancedClientOption.TOKEN_SIGNER, defaultTokenSigner())); } @Override @@ -71,7 +73,7 @@ protected final SdkClientConfiguration finalizeServiceConfiguration(SdkClientCon endpointInterceptors.add(new QueryRequestSetEndpointInterceptor()); ClasspathInterceptorChainFactory interceptorFactory = new ClasspathInterceptorChainFactory(); List interceptors = interceptorFactory - .getInterceptors("software/amazon/awssdk/services/query/execution.interceptors"); + .getInterceptors("software/amazon/awssdk/services/query/execution.interceptors"); List additionalInterceptors = new ArrayList<>(); interceptors = CollectionUtils.mergeLists(endpointInterceptors, interceptors); interceptors = CollectionUtils.mergeLists(interceptors, additionalInterceptors); @@ -92,6 +94,22 @@ protected final SdkClientConfiguration finalizeServiceConfiguration(SdkClientCon builder.option(SdkClientOption.EXECUTION_INTERCEPTORS, interceptors); builder.option(SdkClientOption.CLIENT_CONTEXT_PARAMS, clientContextParams.build()); builder.option(AwsClientOption.ACCOUNT_ID_ENDPOINT_MODE, resolveAccountIdEndpointMode(config)); + builder.lazyOptionIfAbsent( + SdkClientOption.CLIENT_ENDPOINT_PROVIDER, + c -> AwsClientEndpointProvider + .builder() + .serviceEndpointOverrideEnvironmentVariable("AWS_ENDPOINT_URL_QUERY_SERVICE") + .serviceEndpointOverrideSystemProperty("aws.endpointUrlQuery") + .serviceProfileProperty("query_service") + .serviceEndpointPrefix(serviceEndpointPrefix()) + .defaultProtocol("https") + .region(c.get(AwsClientOption.AWS_REGION)) + .profileFile(c.get(SdkClientOption.PROFILE_FILE_SUPPLIER)) + .profileName(c.get(SdkClientOption.PROFILE_NAME)) + .putAdvancedOption(ServiceMetadataAdvancedOption.DEFAULT_S3_US_EAST_1_REGIONAL_ENDPOINT, + c.get(ServiceMetadataAdvancedOption.DEFAULT_S3_US_EAST_1_REGIONAL_ENDPOINT)) + .dualstackEnabled(c.get(AwsClientOption.DUALSTACK_ENDPOINT_ENABLED)) + .fipsEnabled(c.get(AwsClientOption.FIPS_ENDPOINT_ENABLED)).build()); return builder.build(); } @@ -179,19 +197,19 @@ private AccountIdEndpointMode resolveAccountIdEndpointMode(SdkClientConfiguratio AccountIdEndpointMode configuredMode = config.option(AwsClientOption.ACCOUNT_ID_ENDPOINT_MODE); if (configuredMode == null) { configuredMode = AccountIdEndpointModeResolver.create() - .profileFile(config.option(SdkClientOption.PROFILE_FILE_SUPPLIER)) - .profileName(config.option(SdkClientOption.PROFILE_NAME)).defaultMode(AccountIdEndpointMode.PREFERRED) - .resolve(); + .profileFile(config.option(SdkClientOption.PROFILE_FILE_SUPPLIER)) + .profileName(config.option(SdkClientOption.PROFILE_NAME)).defaultMode(AccountIdEndpointMode.PREFERRED) + .resolve(); } return configuredMode; } protected static void validateClientOptions(SdkClientConfiguration c) { Validate.notNull(c.option(SdkAdvancedClientOption.SIGNER), - "The 'overrideConfiguration.advancedOption[SIGNER]' must be configured in the client builder."); + "The 'overrideConfiguration.advancedOption[SIGNER]' must be configured in the client builder."); Validate.notNull(c.option(SdkAdvancedClientOption.TOKEN_SIGNER), - "The 'overrideConfiguration.advancedOption[TOKEN_SIGNER]' must be configured in the client builder."); + "The 'overrideConfiguration.advancedOption[TOKEN_SIGNER]' must be configured in the client builder."); Validate.notNull(c.option(AwsClientOption.TOKEN_IDENTITY_PROVIDER), - "The 'tokenProvider' must be configured in the client builder."); + "The 'tokenProvider' must be configured in the client builder."); } } diff --git a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/test-endpoint-discovery-async.java b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/test-endpoint-discovery-async.java index 70c9e4f08369..16949a93d770 100644 --- a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/test-endpoint-discovery-async.java +++ b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/test-endpoint-discovery-async.java @@ -67,7 +67,7 @@ final class DefaultEndpointDiscoveryTestAsyncClient implements EndpointDiscovery private static final Logger log = LoggerFactory.getLogger(DefaultEndpointDiscoveryTestAsyncClient.class); private static final AwsProtocolMetadata protocolMetadata = AwsProtocolMetadata.builder() - .serviceProtocol(AwsServiceProtocol.AWS_JSON).build(); + .serviceProtocol(AwsServiceProtocol.AWS_JSON).build(); private final AsyncClientHandler clientHandler; @@ -83,7 +83,7 @@ protected DefaultEndpointDiscoveryTestAsyncClient(SdkClientConfiguration clientC this.protocolFactory = init(AwsJsonProtocolFactory.builder()).build(); if (clientConfiguration.option(SdkClientOption.ENDPOINT_DISCOVERY_ENABLED)) { this.endpointDiscoveryCache = EndpointDiscoveryRefreshCache - .create(EndpointDiscoveryTestAsyncEndpointDiscoveryCacheLoader.create(this)); + .create(EndpointDiscoveryTestAsyncEndpointDiscoveryCacheLoader.create(this)); } } @@ -108,30 +108,30 @@ protected DefaultEndpointDiscoveryTestAsyncClient(SdkClientConfiguration clientC @Override public CompletableFuture describeEndpoints(DescribeEndpointsRequest describeEndpointsRequest) { SdkClientConfiguration clientConfiguration = updateSdkClientConfiguration(describeEndpointsRequest, - this.clientConfiguration); + this.clientConfiguration); List metricPublishers = resolveMetricPublishers(clientConfiguration, describeEndpointsRequest - .overrideConfiguration().orElse(null)); + .overrideConfiguration().orElse(null)); MetricCollector apiCallMetricCollector = metricPublishers.isEmpty() ? NoOpMetricCollector.create() : MetricCollector - .create("ApiCall"); + .create("ApiCall"); try { apiCallMetricCollector.reportMetric(CoreMetric.SERVICE_ID, "AwsEndpointDiscoveryTest"); apiCallMetricCollector.reportMetric(CoreMetric.OPERATION_NAME, "DescribeEndpoints"); JsonOperationMetadata operationMetadata = JsonOperationMetadata.builder().hasStreamingSuccessResponse(false) - .isPayloadJson(true).build(); + .isPayloadJson(true).build(); HttpResponseHandler responseHandler = protocolFactory.createResponseHandler( - operationMetadata, DescribeEndpointsResponse::builder); + operationMetadata, DescribeEndpointsResponse::builder); HttpResponseHandler errorResponseHandler = createErrorResponseHandler(protocolFactory, - operationMetadata); + operationMetadata); CompletableFuture executeFuture = clientHandler - .execute(new ClientExecutionParams() - .withOperationName("DescribeEndpoints").withProtocolMetadata(protocolMetadata) - .withMarshaller(new DescribeEndpointsRequestMarshaller(protocolFactory)) - .withResponseHandler(responseHandler).withErrorResponseHandler(errorResponseHandler) - .withRequestConfiguration(clientConfiguration).withMetricCollector(apiCallMetricCollector) - .withInput(describeEndpointsRequest)); + .execute(new ClientExecutionParams() + .withOperationName("DescribeEndpoints").withProtocolMetadata(protocolMetadata) + .withMarshaller(new DescribeEndpointsRequestMarshaller(protocolFactory)) + .withResponseHandler(responseHandler).withErrorResponseHandler(errorResponseHandler) + .withRequestConfiguration(clientConfiguration).withMetricCollector(apiCallMetricCollector) + .withInput(describeEndpointsRequest)); CompletableFuture whenCompleted = executeFuture.whenComplete((r, e) -> { metricPublishers.forEach(p -> p.publish(apiCallMetricCollector.collect())); }); @@ -164,57 +164,61 @@ public CompletableFuture describeEndpoints(DescribeEn */ @Override public CompletableFuture testDiscoveryIdentifiersRequired( - TestDiscoveryIdentifiersRequiredRequest testDiscoveryIdentifiersRequiredRequest) { + TestDiscoveryIdentifiersRequiredRequest testDiscoveryIdentifiersRequiredRequest) { SdkClientConfiguration clientConfiguration = updateSdkClientConfiguration(testDiscoveryIdentifiersRequiredRequest, - this.clientConfiguration); + this.clientConfiguration); List metricPublishers = resolveMetricPublishers(clientConfiguration, - testDiscoveryIdentifiersRequiredRequest.overrideConfiguration().orElse(null)); + testDiscoveryIdentifiersRequiredRequest.overrideConfiguration().orElse(null)); MetricCollector apiCallMetricCollector = metricPublishers.isEmpty() ? NoOpMetricCollector.create() : MetricCollector - .create("ApiCall"); + .create("ApiCall"); try { apiCallMetricCollector.reportMetric(CoreMetric.SERVICE_ID, "AwsEndpointDiscoveryTest"); apiCallMetricCollector.reportMetric(CoreMetric.OPERATION_NAME, "TestDiscoveryIdentifiersRequired"); JsonOperationMetadata operationMetadata = JsonOperationMetadata.builder().hasStreamingSuccessResponse(false) - .isPayloadJson(true).build(); + .isPayloadJson(true).build(); HttpResponseHandler responseHandler = protocolFactory - .createResponseHandler(operationMetadata, TestDiscoveryIdentifiersRequiredResponse::builder); + .createResponseHandler(operationMetadata, TestDiscoveryIdentifiersRequiredResponse::builder); HttpResponseHandler errorResponseHandler = createErrorResponseHandler(protocolFactory, - operationMetadata); + operationMetadata); boolean endpointDiscoveryEnabled = clientConfiguration.option(SdkClientOption.ENDPOINT_DISCOVERY_ENABLED); - boolean endpointOverridden = clientConfiguration.option(SdkClientOption.ENDPOINT_OVERRIDDEN) == Boolean.TRUE; + boolean endpointOverridden = clientConfiguration.option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER) + .isEndpointOverridden(); if (endpointOverridden) { throw new IllegalStateException( - "This operation requires endpoint discovery, but an endpoint override was specified when the client was created. This is not supported."); + "This operation requires endpoint discovery, but an endpoint override was specified when the client was created. This is not supported."); } if (!endpointDiscoveryEnabled) { throw new IllegalStateException( - "This operation requires endpoint discovery, but endpoint discovery was disabled on the client."); + "This operation requires endpoint discovery, but endpoint discovery was disabled on the client."); } CompletableFuture endpointFuture = CompletableFuture.completedFuture(null); if (endpointDiscoveryEnabled) { CompletableFuture identityFuture = testDiscoveryIdentifiersRequiredRequest - .overrideConfiguration().flatMap(AwsRequestOverrideConfiguration::credentialsIdentityProvider) - .orElseGet(() -> clientConfiguration.option(AwsClientOption.CREDENTIALS_IDENTITY_PROVIDER)) - .resolveIdentity(); + .overrideConfiguration().flatMap(AwsRequestOverrideConfiguration::credentialsIdentityProvider) + .orElseGet(() -> clientConfiguration.option(AwsClientOption.CREDENTIALS_IDENTITY_PROVIDER)) + .resolveIdentity(); endpointFuture = identityFuture.thenCompose(credentials -> { - EndpointDiscoveryRequest endpointDiscoveryRequest = EndpointDiscoveryRequest.builder().required(true) - .defaultEndpoint(clientConfiguration.option(SdkClientOption.ENDPOINT)) - .overrideConfiguration(testDiscoveryIdentifiersRequiredRequest.overrideConfiguration().orElse(null)) - .build(); + EndpointDiscoveryRequest endpointDiscoveryRequest = EndpointDiscoveryRequest + .builder() + .required(true) + .defaultEndpoint( + clientConfiguration.option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER).clientEndpoint()) + .overrideConfiguration(testDiscoveryIdentifiersRequiredRequest.overrideConfiguration().orElse(null)) + .build(); return endpointDiscoveryCache.getAsync(credentials.accessKeyId(), endpointDiscoveryRequest); }); } CompletableFuture executeFuture = endpointFuture - .thenCompose(cachedEndpoint -> clientHandler - .execute(new ClientExecutionParams() - .withOperationName("TestDiscoveryIdentifiersRequired").withProtocolMetadata(protocolMetadata) - .withMarshaller(new TestDiscoveryIdentifiersRequiredRequestMarshaller(protocolFactory)) - .withResponseHandler(responseHandler).withErrorResponseHandler(errorResponseHandler) - .withRequestConfiguration(clientConfiguration).withMetricCollector(apiCallMetricCollector) - .discoveredEndpoint(cachedEndpoint).withInput(testDiscoveryIdentifiersRequiredRequest))); + .thenCompose(cachedEndpoint -> clientHandler + .execute(new ClientExecutionParams() + .withOperationName("TestDiscoveryIdentifiersRequired").withProtocolMetadata(protocolMetadata) + .withMarshaller(new TestDiscoveryIdentifiersRequiredRequestMarshaller(protocolFactory)) + .withResponseHandler(responseHandler).withErrorResponseHandler(errorResponseHandler) + .withRequestConfiguration(clientConfiguration).withMetricCollector(apiCallMetricCollector) + .discoveredEndpoint(cachedEndpoint).withInput(testDiscoveryIdentifiersRequiredRequest))); CompletableFuture whenCompleted = executeFuture.whenComplete((r, e) -> { metricPublishers.forEach(p -> p.publish(apiCallMetricCollector.collect())); }); @@ -246,48 +250,52 @@ public CompletableFuture testDiscovery */ @Override public CompletableFuture testDiscoveryOptional( - TestDiscoveryOptionalRequest testDiscoveryOptionalRequest) { + TestDiscoveryOptionalRequest testDiscoveryOptionalRequest) { SdkClientConfiguration clientConfiguration = updateSdkClientConfiguration(testDiscoveryOptionalRequest, - this.clientConfiguration); + this.clientConfiguration); List metricPublishers = resolveMetricPublishers(clientConfiguration, testDiscoveryOptionalRequest - .overrideConfiguration().orElse(null)); + .overrideConfiguration().orElse(null)); MetricCollector apiCallMetricCollector = metricPublishers.isEmpty() ? NoOpMetricCollector.create() : MetricCollector - .create("ApiCall"); + .create("ApiCall"); try { apiCallMetricCollector.reportMetric(CoreMetric.SERVICE_ID, "AwsEndpointDiscoveryTest"); apiCallMetricCollector.reportMetric(CoreMetric.OPERATION_NAME, "TestDiscoveryOptional"); JsonOperationMetadata operationMetadata = JsonOperationMetadata.builder().hasStreamingSuccessResponse(false) - .isPayloadJson(true).build(); + .isPayloadJson(true).build(); HttpResponseHandler responseHandler = protocolFactory.createResponseHandler( - operationMetadata, TestDiscoveryOptionalResponse::builder); + operationMetadata, TestDiscoveryOptionalResponse::builder); HttpResponseHandler errorResponseHandler = createErrorResponseHandler(protocolFactory, - operationMetadata); + operationMetadata); boolean endpointDiscoveryEnabled = clientConfiguration.option(SdkClientOption.ENDPOINT_DISCOVERY_ENABLED); - boolean endpointOverridden = clientConfiguration.option(SdkClientOption.ENDPOINT_OVERRIDDEN) == Boolean.TRUE; + boolean endpointOverridden = clientConfiguration.option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER) + .isEndpointOverridden(); CompletableFuture endpointFuture = CompletableFuture.completedFuture(null); if (endpointDiscoveryEnabled) { CompletableFuture identityFuture = testDiscoveryOptionalRequest - .overrideConfiguration().flatMap(AwsRequestOverrideConfiguration::credentialsIdentityProvider) - .orElseGet(() -> clientConfiguration.option(AwsClientOption.CREDENTIALS_IDENTITY_PROVIDER)) - .resolveIdentity(); + .overrideConfiguration().flatMap(AwsRequestOverrideConfiguration::credentialsIdentityProvider) + .orElseGet(() -> clientConfiguration.option(AwsClientOption.CREDENTIALS_IDENTITY_PROVIDER)) + .resolveIdentity(); endpointFuture = identityFuture.thenCompose(credentials -> { - EndpointDiscoveryRequest endpointDiscoveryRequest = EndpointDiscoveryRequest.builder().required(false) - .defaultEndpoint(clientConfiguration.option(SdkClientOption.ENDPOINT)) - .overrideConfiguration(testDiscoveryOptionalRequest.overrideConfiguration().orElse(null)).build(); + EndpointDiscoveryRequest endpointDiscoveryRequest = EndpointDiscoveryRequest + .builder() + .required(false) + .defaultEndpoint( + clientConfiguration.option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER).clientEndpoint()) + .overrideConfiguration(testDiscoveryOptionalRequest.overrideConfiguration().orElse(null)).build(); return endpointDiscoveryCache.getAsync(credentials.accessKeyId(), endpointDiscoveryRequest); }); } CompletableFuture executeFuture = endpointFuture - .thenCompose(cachedEndpoint -> clientHandler - .execute(new ClientExecutionParams() - .withOperationName("TestDiscoveryOptional").withProtocolMetadata(protocolMetadata) - .withMarshaller(new TestDiscoveryOptionalRequestMarshaller(protocolFactory)) - .withResponseHandler(responseHandler).withErrorResponseHandler(errorResponseHandler) - .withRequestConfiguration(clientConfiguration).withMetricCollector(apiCallMetricCollector) - .discoveredEndpoint(cachedEndpoint).withInput(testDiscoveryOptionalRequest))); + .thenCompose(cachedEndpoint -> clientHandler + .execute(new ClientExecutionParams() + .withOperationName("TestDiscoveryOptional").withProtocolMetadata(protocolMetadata) + .withMarshaller(new TestDiscoveryOptionalRequestMarshaller(protocolFactory)) + .withResponseHandler(responseHandler).withErrorResponseHandler(errorResponseHandler) + .withRequestConfiguration(clientConfiguration).withMetricCollector(apiCallMetricCollector) + .discoveredEndpoint(cachedEndpoint).withInput(testDiscoveryOptionalRequest))); CompletableFuture whenCompleted = executeFuture.whenComplete((r, e) -> { metricPublishers.forEach(p -> p.publish(apiCallMetricCollector.collect())); }); @@ -319,56 +327,60 @@ public CompletableFuture testDiscoveryOptional( */ @Override public CompletableFuture testDiscoveryRequired( - TestDiscoveryRequiredRequest testDiscoveryRequiredRequest) { + TestDiscoveryRequiredRequest testDiscoveryRequiredRequest) { SdkClientConfiguration clientConfiguration = updateSdkClientConfiguration(testDiscoveryRequiredRequest, - this.clientConfiguration); + this.clientConfiguration); List metricPublishers = resolveMetricPublishers(clientConfiguration, testDiscoveryRequiredRequest - .overrideConfiguration().orElse(null)); + .overrideConfiguration().orElse(null)); MetricCollector apiCallMetricCollector = metricPublishers.isEmpty() ? NoOpMetricCollector.create() : MetricCollector - .create("ApiCall"); + .create("ApiCall"); try { apiCallMetricCollector.reportMetric(CoreMetric.SERVICE_ID, "AwsEndpointDiscoveryTest"); apiCallMetricCollector.reportMetric(CoreMetric.OPERATION_NAME, "TestDiscoveryRequired"); JsonOperationMetadata operationMetadata = JsonOperationMetadata.builder().hasStreamingSuccessResponse(false) - .isPayloadJson(true).build(); + .isPayloadJson(true).build(); HttpResponseHandler responseHandler = protocolFactory.createResponseHandler( - operationMetadata, TestDiscoveryRequiredResponse::builder); + operationMetadata, TestDiscoveryRequiredResponse::builder); HttpResponseHandler errorResponseHandler = createErrorResponseHandler(protocolFactory, - operationMetadata); + operationMetadata); boolean endpointDiscoveryEnabled = clientConfiguration.option(SdkClientOption.ENDPOINT_DISCOVERY_ENABLED); - boolean endpointOverridden = clientConfiguration.option(SdkClientOption.ENDPOINT_OVERRIDDEN) == Boolean.TRUE; + boolean endpointOverridden = clientConfiguration.option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER) + .isEndpointOverridden(); if (endpointOverridden) { throw new IllegalStateException( - "This operation requires endpoint discovery, but an endpoint override was specified when the client was created. This is not supported."); + "This operation requires endpoint discovery, but an endpoint override was specified when the client was created. This is not supported."); } if (!endpointDiscoveryEnabled) { throw new IllegalStateException( - "This operation requires endpoint discovery, but endpoint discovery was disabled on the client."); + "This operation requires endpoint discovery, but endpoint discovery was disabled on the client."); } CompletableFuture endpointFuture = CompletableFuture.completedFuture(null); if (endpointDiscoveryEnabled) { CompletableFuture identityFuture = testDiscoveryRequiredRequest - .overrideConfiguration().flatMap(AwsRequestOverrideConfiguration::credentialsIdentityProvider) - .orElseGet(() -> clientConfiguration.option(AwsClientOption.CREDENTIALS_IDENTITY_PROVIDER)) - .resolveIdentity(); + .overrideConfiguration().flatMap(AwsRequestOverrideConfiguration::credentialsIdentityProvider) + .orElseGet(() -> clientConfiguration.option(AwsClientOption.CREDENTIALS_IDENTITY_PROVIDER)) + .resolveIdentity(); endpointFuture = identityFuture.thenCompose(credentials -> { - EndpointDiscoveryRequest endpointDiscoveryRequest = EndpointDiscoveryRequest.builder().required(true) - .defaultEndpoint(clientConfiguration.option(SdkClientOption.ENDPOINT)) - .overrideConfiguration(testDiscoveryRequiredRequest.overrideConfiguration().orElse(null)).build(); + EndpointDiscoveryRequest endpointDiscoveryRequest = EndpointDiscoveryRequest + .builder() + .required(true) + .defaultEndpoint( + clientConfiguration.option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER).clientEndpoint()) + .overrideConfiguration(testDiscoveryRequiredRequest.overrideConfiguration().orElse(null)).build(); return endpointDiscoveryCache.getAsync(credentials.accessKeyId(), endpointDiscoveryRequest); }); } CompletableFuture executeFuture = endpointFuture - .thenCompose(cachedEndpoint -> clientHandler - .execute(new ClientExecutionParams() - .withOperationName("TestDiscoveryRequired").withProtocolMetadata(protocolMetadata) - .withMarshaller(new TestDiscoveryRequiredRequestMarshaller(protocolFactory)) - .withResponseHandler(responseHandler).withErrorResponseHandler(errorResponseHandler) - .withRequestConfiguration(clientConfiguration).withMetricCollector(apiCallMetricCollector) - .discoveredEndpoint(cachedEndpoint).withInput(testDiscoveryRequiredRequest))); + .thenCompose(cachedEndpoint -> clientHandler + .execute(new ClientExecutionParams() + .withOperationName("TestDiscoveryRequired").withProtocolMetadata(protocolMetadata) + .withMarshaller(new TestDiscoveryRequiredRequestMarshaller(protocolFactory)) + .withResponseHandler(responseHandler).withErrorResponseHandler(errorResponseHandler) + .withRequestConfiguration(clientConfiguration).withMetricCollector(apiCallMetricCollector) + .discoveredEndpoint(cachedEndpoint).withInput(testDiscoveryRequiredRequest))); CompletableFuture whenCompleted = executeFuture.whenComplete((r, e) -> { metricPublishers.forEach(p -> p.publish(apiCallMetricCollector.collect())); }); @@ -392,12 +404,12 @@ public final String serviceName() { private > T init(T builder) { return builder.clientConfiguration(clientConfiguration) - .defaultServiceExceptionSupplier(EndpointDiscoveryTestException::builder).protocol(AwsJsonProtocol.AWS_JSON) - .protocolVersion("1.1"); + .defaultServiceExceptionSupplier(EndpointDiscoveryTestException::builder).protocol(AwsJsonProtocol.AWS_JSON) + .protocolVersion("1.1"); } private static List resolveMetricPublishers(SdkClientConfiguration clientConfiguration, - RequestOverrideConfiguration requestOverrideConfiguration) { + RequestOverrideConfiguration requestOverrideConfiguration) { List publishers = null; if (requestOverrideConfiguration != null) { publishers = requestOverrideConfiguration.metricPublishers(); @@ -441,7 +453,7 @@ private SdkClientConfiguration updateSdkClientConfiguration(SdkRequest request, return configuration.build(); } EndpointDiscoveryTestServiceClientConfigurationBuilder serviceConfigBuilder = new EndpointDiscoveryTestServiceClientConfigurationBuilder( - configuration); + configuration); for (SdkPlugin plugin : plugins) { plugin.configureClient(serviceConfigBuilder); } @@ -450,7 +462,7 @@ private SdkClientConfiguration updateSdkClientConfiguration(SdkRequest request, } private HttpResponseHandler createErrorResponseHandler(BaseAwsJsonProtocolFactory protocolFactory, - JsonOperationMetadata operationMetadata) { + JsonOperationMetadata operationMetadata) { return protocolFactory.createErrorResponseHandler(operationMetadata); } diff --git a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/test-endpoint-discovery-sync.java b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/test-endpoint-discovery-sync.java index 981f5cf1893f..ba55ae6d349f 100644 --- a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/test-endpoint-discovery-sync.java +++ b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/client/test-endpoint-discovery-sync.java @@ -65,7 +65,7 @@ final class DefaultEndpointDiscoveryTestClient implements EndpointDiscoveryTestC private static final Logger log = Logger.loggerFor(DefaultEndpointDiscoveryTestClient.class); private static final AwsProtocolMetadata protocolMetadata = AwsProtocolMetadata.builder() - .serviceProtocol(AwsServiceProtocol.AWS_JSON).build(); + .serviceProtocol(AwsServiceProtocol.AWS_JSON).build(); private final SyncClientHandler clientHandler; @@ -81,7 +81,7 @@ protected DefaultEndpointDiscoveryTestClient(SdkClientConfiguration clientConfig this.protocolFactory = init(AwsJsonProtocolFactory.builder()).build(); if (clientConfiguration.option(SdkClientOption.ENDPOINT_DISCOVERY_ENABLED)) { this.endpointDiscoveryCache = EndpointDiscoveryRefreshCache.create(EndpointDiscoveryTestEndpointDiscoveryCacheLoader - .create(this)); + .create(this)); } } @@ -101,31 +101,31 @@ protected DefaultEndpointDiscoveryTestClient(SdkClientConfiguration clientConfig */ @Override public DescribeEndpointsResponse describeEndpoints(DescribeEndpointsRequest describeEndpointsRequest) - throws AwsServiceException, SdkClientException, EndpointDiscoveryTestException { + throws AwsServiceException, SdkClientException, EndpointDiscoveryTestException { JsonOperationMetadata operationMetadata = JsonOperationMetadata.builder().hasStreamingSuccessResponse(false) - .isPayloadJson(true).build(); + .isPayloadJson(true).build(); HttpResponseHandler responseHandler = protocolFactory.createResponseHandler(operationMetadata, - DescribeEndpointsResponse::builder); + DescribeEndpointsResponse::builder); HttpResponseHandler errorResponseHandler = createErrorResponseHandler(protocolFactory, - operationMetadata); + operationMetadata); SdkClientConfiguration clientConfiguration = updateSdkClientConfiguration(describeEndpointsRequest, - this.clientConfiguration); + this.clientConfiguration); List metricPublishers = resolveMetricPublishers(clientConfiguration, describeEndpointsRequest - .overrideConfiguration().orElse(null)); + .overrideConfiguration().orElse(null)); MetricCollector apiCallMetricCollector = metricPublishers.isEmpty() ? NoOpMetricCollector.create() : MetricCollector - .create("ApiCall"); + .create("ApiCall"); try { apiCallMetricCollector.reportMetric(CoreMetric.SERVICE_ID, "AwsEndpointDiscoveryTest"); apiCallMetricCollector.reportMetric(CoreMetric.OPERATION_NAME, "DescribeEndpoints"); return clientHandler.execute(new ClientExecutionParams() - .withOperationName("DescribeEndpoints").withProtocolMetadata(protocolMetadata) - .withResponseHandler(responseHandler).withErrorResponseHandler(errorResponseHandler) - .withRequestConfiguration(clientConfiguration).withInput(describeEndpointsRequest) - .withMetricCollector(apiCallMetricCollector) - .withMarshaller(new DescribeEndpointsRequestMarshaller(protocolFactory))); + .withOperationName("DescribeEndpoints").withProtocolMetadata(protocolMetadata) + .withResponseHandler(responseHandler).withErrorResponseHandler(errorResponseHandler) + .withRequestConfiguration(clientConfiguration).withInput(describeEndpointsRequest) + .withMetricCollector(apiCallMetricCollector) + .withMarshaller(new DescribeEndpointsRequestMarshaller(protocolFactory))); } finally { metricPublishers.forEach(p -> p.publish(apiCallMetricCollector.collect())); } @@ -147,54 +147,54 @@ public DescribeEndpointsResponse describeEndpoints(DescribeEndpointsRequest desc */ @Override public TestDiscoveryIdentifiersRequiredResponse testDiscoveryIdentifiersRequired( - TestDiscoveryIdentifiersRequiredRequest testDiscoveryIdentifiersRequiredRequest) throws AwsServiceException, - SdkClientException, EndpointDiscoveryTestException { + TestDiscoveryIdentifiersRequiredRequest testDiscoveryIdentifiersRequiredRequest) throws AwsServiceException, + SdkClientException, EndpointDiscoveryTestException { JsonOperationMetadata operationMetadata = JsonOperationMetadata.builder().hasStreamingSuccessResponse(false) - .isPayloadJson(true).build(); + .isPayloadJson(true).build(); HttpResponseHandler responseHandler = protocolFactory.createResponseHandler( - operationMetadata, TestDiscoveryIdentifiersRequiredResponse::builder); + operationMetadata, TestDiscoveryIdentifiersRequiredResponse::builder); HttpResponseHandler errorResponseHandler = createErrorResponseHandler(protocolFactory, - operationMetadata); + operationMetadata); boolean endpointDiscoveryEnabled = clientConfiguration.option(SdkClientOption.ENDPOINT_DISCOVERY_ENABLED); - boolean endpointOverridden = clientConfiguration.option(SdkClientOption.ENDPOINT_OVERRIDDEN) == Boolean.TRUE; + boolean endpointOverridden = clientConfiguration.option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER).isEndpointOverridden(); if (endpointOverridden) { throw new IllegalStateException( - "This operation requires endpoint discovery, but an endpoint override was specified when the client was created. This is not supported."); + "This operation requires endpoint discovery, but an endpoint override was specified when the client was created. This is not supported."); } if (!endpointDiscoveryEnabled) { throw new IllegalStateException( - "This operation requires endpoint discovery, but endpoint discovery was disabled on the client."); + "This operation requires endpoint discovery, but endpoint discovery was disabled on the client."); } URI cachedEndpoint = null; if (endpointDiscoveryEnabled) { CompletableFuture identityFuture = testDiscoveryIdentifiersRequiredRequest - .overrideConfiguration().flatMap(AwsRequestOverrideConfiguration::credentialsIdentityProvider) - .orElseGet(() -> clientConfiguration.option(AwsClientOption.CREDENTIALS_IDENTITY_PROVIDER)).resolveIdentity(); + .overrideConfiguration().flatMap(AwsRequestOverrideConfiguration::credentialsIdentityProvider) + .orElseGet(() -> clientConfiguration.option(AwsClientOption.CREDENTIALS_IDENTITY_PROVIDER)).resolveIdentity(); String key = CompletableFutureUtils.joinLikeSync(identityFuture).accessKeyId(); EndpointDiscoveryRequest endpointDiscoveryRequest = EndpointDiscoveryRequest.builder().required(true) - .defaultEndpoint(clientConfiguration.option(SdkClientOption.ENDPOINT)) - .overrideConfiguration(testDiscoveryIdentifiersRequiredRequest.overrideConfiguration().orElse(null)).build(); + .defaultEndpoint(clientConfiguration.option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER).clientEndpoint()) + .overrideConfiguration(testDiscoveryIdentifiersRequiredRequest.overrideConfiguration().orElse(null)).build(); cachedEndpoint = endpointDiscoveryCache.get(key, endpointDiscoveryRequest); } SdkClientConfiguration clientConfiguration = updateSdkClientConfiguration(testDiscoveryIdentifiersRequiredRequest, - this.clientConfiguration); + this.clientConfiguration); List metricPublishers = resolveMetricPublishers(clientConfiguration, - testDiscoveryIdentifiersRequiredRequest.overrideConfiguration().orElse(null)); + testDiscoveryIdentifiersRequiredRequest.overrideConfiguration().orElse(null)); MetricCollector apiCallMetricCollector = metricPublishers.isEmpty() ? NoOpMetricCollector.create() : MetricCollector - .create("ApiCall"); + .create("ApiCall"); try { apiCallMetricCollector.reportMetric(CoreMetric.SERVICE_ID, "AwsEndpointDiscoveryTest"); apiCallMetricCollector.reportMetric(CoreMetric.OPERATION_NAME, "TestDiscoveryIdentifiersRequired"); return clientHandler - .execute(new ClientExecutionParams() - .withOperationName("TestDiscoveryIdentifiersRequired").withProtocolMetadata(protocolMetadata) - .withResponseHandler(responseHandler).withErrorResponseHandler(errorResponseHandler) - .discoveredEndpoint(cachedEndpoint).withRequestConfiguration(clientConfiguration) - .withInput(testDiscoveryIdentifiersRequiredRequest).withMetricCollector(apiCallMetricCollector) - .withMarshaller(new TestDiscoveryIdentifiersRequiredRequestMarshaller(protocolFactory))); + .execute(new ClientExecutionParams() + .withOperationName("TestDiscoveryIdentifiersRequired").withProtocolMetadata(protocolMetadata) + .withResponseHandler(responseHandler).withErrorResponseHandler(errorResponseHandler) + .discoveredEndpoint(cachedEndpoint).withRequestConfiguration(clientConfiguration) + .withInput(testDiscoveryIdentifiersRequiredRequest).withMetricCollector(apiCallMetricCollector) + .withMarshaller(new TestDiscoveryIdentifiersRequiredRequestMarshaller(protocolFactory))); } finally { metricPublishers.forEach(p -> p.publish(apiCallMetricCollector.collect())); } @@ -216,44 +216,44 @@ public TestDiscoveryIdentifiersRequiredResponse testDiscoveryIdentifiersRequired */ @Override public TestDiscoveryOptionalResponse testDiscoveryOptional(TestDiscoveryOptionalRequest testDiscoveryOptionalRequest) - throws AwsServiceException, SdkClientException, EndpointDiscoveryTestException { + throws AwsServiceException, SdkClientException, EndpointDiscoveryTestException { JsonOperationMetadata operationMetadata = JsonOperationMetadata.builder().hasStreamingSuccessResponse(false) - .isPayloadJson(true).build(); + .isPayloadJson(true).build(); HttpResponseHandler responseHandler = protocolFactory.createResponseHandler( - operationMetadata, TestDiscoveryOptionalResponse::builder); + operationMetadata, TestDiscoveryOptionalResponse::builder); HttpResponseHandler errorResponseHandler = createErrorResponseHandler(protocolFactory, - operationMetadata); + operationMetadata); boolean endpointDiscoveryEnabled = clientConfiguration.option(SdkClientOption.ENDPOINT_DISCOVERY_ENABLED); - boolean endpointOverridden = clientConfiguration.option(SdkClientOption.ENDPOINT_OVERRIDDEN) == Boolean.TRUE; + boolean endpointOverridden = clientConfiguration.option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER).isEndpointOverridden(); URI cachedEndpoint = null; if (endpointDiscoveryEnabled) { CompletableFuture identityFuture = testDiscoveryOptionalRequest - .overrideConfiguration().flatMap(AwsRequestOverrideConfiguration::credentialsIdentityProvider) - .orElseGet(() -> clientConfiguration.option(AwsClientOption.CREDENTIALS_IDENTITY_PROVIDER)).resolveIdentity(); + .overrideConfiguration().flatMap(AwsRequestOverrideConfiguration::credentialsIdentityProvider) + .orElseGet(() -> clientConfiguration.option(AwsClientOption.CREDENTIALS_IDENTITY_PROVIDER)).resolveIdentity(); String key = CompletableFutureUtils.joinLikeSync(identityFuture).accessKeyId(); EndpointDiscoveryRequest endpointDiscoveryRequest = EndpointDiscoveryRequest.builder().required(false) - .defaultEndpoint(clientConfiguration.option(SdkClientOption.ENDPOINT)) - .overrideConfiguration(testDiscoveryOptionalRequest.overrideConfiguration().orElse(null)).build(); + .defaultEndpoint(clientConfiguration.option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER).clientEndpoint()) + .overrideConfiguration(testDiscoveryOptionalRequest.overrideConfiguration().orElse(null)).build(); cachedEndpoint = endpointDiscoveryCache.get(key, endpointDiscoveryRequest); } SdkClientConfiguration clientConfiguration = updateSdkClientConfiguration(testDiscoveryOptionalRequest, - this.clientConfiguration); + this.clientConfiguration); List metricPublishers = resolveMetricPublishers(clientConfiguration, testDiscoveryOptionalRequest - .overrideConfiguration().orElse(null)); + .overrideConfiguration().orElse(null)); MetricCollector apiCallMetricCollector = metricPublishers.isEmpty() ? NoOpMetricCollector.create() : MetricCollector - .create("ApiCall"); + .create("ApiCall"); try { apiCallMetricCollector.reportMetric(CoreMetric.SERVICE_ID, "AwsEndpointDiscoveryTest"); apiCallMetricCollector.reportMetric(CoreMetric.OPERATION_NAME, "TestDiscoveryOptional"); return clientHandler.execute(new ClientExecutionParams() - .withOperationName("TestDiscoveryOptional").withProtocolMetadata(protocolMetadata) - .withResponseHandler(responseHandler).withErrorResponseHandler(errorResponseHandler) - .discoveredEndpoint(cachedEndpoint).withRequestConfiguration(clientConfiguration) - .withInput(testDiscoveryOptionalRequest).withMetricCollector(apiCallMetricCollector) - .withMarshaller(new TestDiscoveryOptionalRequestMarshaller(protocolFactory))); + .withOperationName("TestDiscoveryOptional").withProtocolMetadata(protocolMetadata) + .withResponseHandler(responseHandler).withErrorResponseHandler(errorResponseHandler) + .discoveredEndpoint(cachedEndpoint).withRequestConfiguration(clientConfiguration) + .withInput(testDiscoveryOptionalRequest).withMetricCollector(apiCallMetricCollector) + .withMarshaller(new TestDiscoveryOptionalRequestMarshaller(protocolFactory))); } finally { metricPublishers.forEach(p -> p.publish(apiCallMetricCollector.collect())); } @@ -275,52 +275,52 @@ public TestDiscoveryOptionalResponse testDiscoveryOptional(TestDiscoveryOptional */ @Override public TestDiscoveryRequiredResponse testDiscoveryRequired(TestDiscoveryRequiredRequest testDiscoveryRequiredRequest) - throws AwsServiceException, SdkClientException, EndpointDiscoveryTestException { + throws AwsServiceException, SdkClientException, EndpointDiscoveryTestException { JsonOperationMetadata operationMetadata = JsonOperationMetadata.builder().hasStreamingSuccessResponse(false) - .isPayloadJson(true).build(); + .isPayloadJson(true).build(); HttpResponseHandler responseHandler = protocolFactory.createResponseHandler( - operationMetadata, TestDiscoveryRequiredResponse::builder); + operationMetadata, TestDiscoveryRequiredResponse::builder); HttpResponseHandler errorResponseHandler = createErrorResponseHandler(protocolFactory, - operationMetadata); + operationMetadata); boolean endpointDiscoveryEnabled = clientConfiguration.option(SdkClientOption.ENDPOINT_DISCOVERY_ENABLED); - boolean endpointOverridden = clientConfiguration.option(SdkClientOption.ENDPOINT_OVERRIDDEN) == Boolean.TRUE; + boolean endpointOverridden = clientConfiguration.option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER).isEndpointOverridden(); if (endpointOverridden) { throw new IllegalStateException( - "This operation requires endpoint discovery, but an endpoint override was specified when the client was created. This is not supported."); + "This operation requires endpoint discovery, but an endpoint override was specified when the client was created. This is not supported."); } if (!endpointDiscoveryEnabled) { throw new IllegalStateException( - "This operation requires endpoint discovery, but endpoint discovery was disabled on the client."); + "This operation requires endpoint discovery, but endpoint discovery was disabled on the client."); } URI cachedEndpoint = null; if (endpointDiscoveryEnabled) { CompletableFuture identityFuture = testDiscoveryRequiredRequest - .overrideConfiguration().flatMap(AwsRequestOverrideConfiguration::credentialsIdentityProvider) - .orElseGet(() -> clientConfiguration.option(AwsClientOption.CREDENTIALS_IDENTITY_PROVIDER)).resolveIdentity(); + .overrideConfiguration().flatMap(AwsRequestOverrideConfiguration::credentialsIdentityProvider) + .orElseGet(() -> clientConfiguration.option(AwsClientOption.CREDENTIALS_IDENTITY_PROVIDER)).resolveIdentity(); String key = CompletableFutureUtils.joinLikeSync(identityFuture).accessKeyId(); EndpointDiscoveryRequest endpointDiscoveryRequest = EndpointDiscoveryRequest.builder().required(true) - .defaultEndpoint(clientConfiguration.option(SdkClientOption.ENDPOINT)) - .overrideConfiguration(testDiscoveryRequiredRequest.overrideConfiguration().orElse(null)).build(); + .defaultEndpoint(clientConfiguration.option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER).clientEndpoint()) + .overrideConfiguration(testDiscoveryRequiredRequest.overrideConfiguration().orElse(null)).build(); cachedEndpoint = endpointDiscoveryCache.get(key, endpointDiscoveryRequest); } SdkClientConfiguration clientConfiguration = updateSdkClientConfiguration(testDiscoveryRequiredRequest, - this.clientConfiguration); + this.clientConfiguration); List metricPublishers = resolveMetricPublishers(clientConfiguration, testDiscoveryRequiredRequest - .overrideConfiguration().orElse(null)); + .overrideConfiguration().orElse(null)); MetricCollector apiCallMetricCollector = metricPublishers.isEmpty() ? NoOpMetricCollector.create() : MetricCollector - .create("ApiCall"); + .create("ApiCall"); try { apiCallMetricCollector.reportMetric(CoreMetric.SERVICE_ID, "AwsEndpointDiscoveryTest"); apiCallMetricCollector.reportMetric(CoreMetric.OPERATION_NAME, "TestDiscoveryRequired"); return clientHandler.execute(new ClientExecutionParams() - .withOperationName("TestDiscoveryRequired").withProtocolMetadata(protocolMetadata) - .withResponseHandler(responseHandler).withErrorResponseHandler(errorResponseHandler) - .discoveredEndpoint(cachedEndpoint).withRequestConfiguration(clientConfiguration) - .withInput(testDiscoveryRequiredRequest).withMetricCollector(apiCallMetricCollector) - .withMarshaller(new TestDiscoveryRequiredRequestMarshaller(protocolFactory))); + .withOperationName("TestDiscoveryRequired").withProtocolMetadata(protocolMetadata) + .withResponseHandler(responseHandler).withErrorResponseHandler(errorResponseHandler) + .discoveredEndpoint(cachedEndpoint).withRequestConfiguration(clientConfiguration) + .withInput(testDiscoveryRequiredRequest).withMetricCollector(apiCallMetricCollector) + .withMarshaller(new TestDiscoveryRequiredRequestMarshaller(protocolFactory))); } finally { metricPublishers.forEach(p -> p.publish(apiCallMetricCollector.collect())); } @@ -332,7 +332,7 @@ public final String serviceName() { } private static List resolveMetricPublishers(SdkClientConfiguration clientConfiguration, - RequestOverrideConfiguration requestOverrideConfiguration) { + RequestOverrideConfiguration requestOverrideConfiguration) { List publishers = null; if (requestOverrideConfiguration != null) { publishers = requestOverrideConfiguration.metricPublishers(); @@ -347,7 +347,7 @@ private static List resolveMetricPublishers(SdkClientConfigurat } private HttpResponseHandler createErrorResponseHandler(BaseAwsJsonProtocolFactory protocolFactory, - JsonOperationMetadata operationMetadata) { + JsonOperationMetadata operationMetadata) { return protocolFactory.createErrorResponseHandler(operationMetadata); } @@ -381,7 +381,7 @@ private SdkClientConfiguration updateSdkClientConfiguration(SdkRequest request, return configuration.build(); } EndpointDiscoveryTestServiceClientConfigurationBuilder serviceConfigBuilder = new EndpointDiscoveryTestServiceClientConfigurationBuilder( - configuration); + configuration); for (SdkPlugin plugin : plugins) { plugin.configureClient(serviceConfigBuilder); } @@ -391,8 +391,8 @@ private SdkClientConfiguration updateSdkClientConfiguration(SdkRequest request, private > T init(T builder) { return builder.clientConfiguration(clientConfiguration) - .defaultServiceExceptionSupplier(EndpointDiscoveryTestException::builder).protocol(AwsJsonProtocol.AWS_JSON) - .protocolVersion("1.1"); + .defaultServiceExceptionSupplier(EndpointDiscoveryTestException::builder).protocol(AwsJsonProtocol.AWS_JSON) + .protocolVersion("1.1"); } @Override diff --git a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/model/serviceclientconfiguration-builder.java b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/model/serviceclientconfiguration-builder.java index 1fa344e072e4..9c81cdf0a6f9 100644 --- a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/model/serviceclientconfiguration-builder.java +++ b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/model/serviceclientconfiguration-builder.java @@ -7,6 +7,7 @@ import software.amazon.awssdk.annotations.Generated; import software.amazon.awssdk.annotations.SdkInternalApi; import software.amazon.awssdk.awscore.client.config.AwsClientOption; +import software.amazon.awssdk.core.ClientEndpointProvider; import software.amazon.awssdk.core.client.config.ClientOverrideConfiguration; import software.amazon.awssdk.core.client.config.SdkClientConfiguration; import software.amazon.awssdk.core.client.config.SdkClientOption; @@ -57,11 +58,9 @@ public ClientOverrideConfiguration overrideConfiguration() { @Override public JsonProtocolTestsServiceClientConfiguration.Builder endpointOverride(URI endpointOverride) { if (endpointOverride != null) { - config.option(SdkClientOption.ENDPOINT, endpointOverride); - config.option(SdkClientOption.ENDPOINT_OVERRIDDEN, true); + config.option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER, ClientEndpointProvider.forEndpointOverride(endpointOverride)); } else { - config.option(SdkClientOption.ENDPOINT, null); - config.option(SdkClientOption.ENDPOINT_OVERRIDDEN, false); + config.option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER, null); } return this; } @@ -71,8 +70,9 @@ public JsonProtocolTestsServiceClientConfiguration.Builder endpointOverride(URI */ @Override public URI endpointOverride() { - if (Boolean.TRUE.equals(config.option(SdkClientOption.ENDPOINT_OVERRIDDEN))) { - return config.option(SdkClientOption.ENDPOINT); + ClientEndpointProvider clientEndpoint = config.option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER); + if (clientEndpoint != null && clientEndpoint.isEndpointOverridden()) { + return clientEndpoint.clientEndpoint(); } return null; } diff --git a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/rules/request-set-endpoint-interceptor.java b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/rules/request-set-endpoint-interceptor.java index d936eca5ec8d..4cfeedb59e46 100644 --- a/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/rules/request-set-endpoint-interceptor.java +++ b/codegen/src/test/resources/software/amazon/awssdk/codegen/poet/rules/request-set-endpoint-interceptor.java @@ -5,7 +5,6 @@ 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.core.interceptor.SdkExecutionAttribute; import software.amazon.awssdk.core.interceptor.SdkInternalExecutionAttribute; import software.amazon.awssdk.endpoints.Endpoint; import software.amazon.awssdk.http.SdkHttpRequest; @@ -18,8 +17,9 @@ public SdkHttpRequest modifyHttpRequest(Context.ModifyHttpRequest context, Execu if (AwsEndpointProviderUtils.endpointIsDiscovered(executionAttributes)) { return context.httpRequest(); } - Endpoint endpoint = (Endpoint) executionAttributes.getAttribute(SdkInternalExecutionAttribute.RESOLVED_ENDPOINT); + Endpoint endpoint = executionAttributes.getAttribute(SdkInternalExecutionAttribute.RESOLVED_ENDPOINT); return AwsEndpointProviderUtils.setUri(context.httpRequest(), - executionAttributes.getAttribute(SdkExecutionAttribute.CLIENT_ENDPOINT), endpoint.url()); + executionAttributes.getAttribute(SdkInternalExecutionAttribute.CLIENT_ENDPOINT_PROVIDER).clientEndpoint(), + endpoint.url()); } } diff --git a/core/aws-core/src/main/java/software/amazon/awssdk/awscore/client/builder/AwsDefaultClientBuilder.java b/core/aws-core/src/main/java/software/amazon/awssdk/awscore/client/builder/AwsDefaultClientBuilder.java index 8c3a1a6b612d..44e7bdd46a0b 100644 --- a/core/aws-core/src/main/java/software/amazon/awssdk/awscore/client/builder/AwsDefaultClientBuilder.java +++ b/core/aws-core/src/main/java/software/amazon/awssdk/awscore/client/builder/AwsDefaultClientBuilder.java @@ -33,7 +33,7 @@ import software.amazon.awssdk.awscore.client.config.AwsAdvancedClientOption; import software.amazon.awssdk.awscore.client.config.AwsClientOption; import software.amazon.awssdk.awscore.defaultsmode.DefaultsMode; -import software.amazon.awssdk.awscore.endpoint.DefaultServiceEndpointBuilder; +import software.amazon.awssdk.awscore.endpoint.AwsClientEndpointProvider; import software.amazon.awssdk.awscore.endpoint.DualstackEnabledProvider; import software.amazon.awssdk.awscore.endpoint.FipsEnabledProvider; import software.amazon.awssdk.awscore.eventstream.EventStreamInitialRequestInterceptor; @@ -44,11 +44,13 @@ import software.amazon.awssdk.awscore.internal.defaultsmode.DefaultsModeResolver; import software.amazon.awssdk.awscore.retry.AwsRetryPolicy; import software.amazon.awssdk.awscore.retry.AwsRetryStrategy; +import software.amazon.awssdk.core.ClientEndpointProvider; import software.amazon.awssdk.core.client.builder.SdkDefaultClientBuilder; import software.amazon.awssdk.core.client.config.SdkAdvancedClientOption; import software.amazon.awssdk.core.client.config.SdkClientConfiguration; import software.amazon.awssdk.core.client.config.SdkClientOption; import software.amazon.awssdk.core.interceptor.ExecutionInterceptor; +import software.amazon.awssdk.core.internal.SdkInternalTestAdvancedClientOption; import software.amazon.awssdk.core.retry.RetryMode; import software.amazon.awssdk.core.retry.RetryPolicy; import software.amazon.awssdk.http.SdkHttpClient; @@ -181,9 +183,12 @@ private SdkClientConfiguration finalizeAwsConfiguration(SdkClientConfiguration c this::resolveDefaultS3UsEast1RegionalEndpoint) .lazyOptionIfAbsent(AwsClientOption.CREDENTIALS_IDENTITY_PROVIDER, this::resolveCredentialsIdentityProvider) - // CREDENTIALS_PROVIDER is also set, since older clients may be relying on it + // Set CREDENTIALS_PROVIDER, because older clients may be relying on it .lazyOptionIfAbsent(AwsClientOption.CREDENTIALS_PROVIDER, this::resolveCredentialsProvider) + .lazyOptionIfAbsent(SdkClientOption.CLIENT_ENDPOINT_PROVIDER, this::resolveClientEndpointProvider) + // Set ENDPOINT and ENDPOINT_OVERRIDDEN, because older clients may be relying on it .lazyOptionIfAbsent(SdkClientOption.ENDPOINT, this::resolveEndpoint) + .lazyOptionIfAbsent(SdkClientOption.ENDPOINT_OVERRIDDEN, this::resolveEndpointOverridden) .lazyOption(AwsClientOption.SIGNING_REGION, this::resolveSigningRegion) .lazyOption(SdkClientOption.HTTP_CLIENT_CONFIG, this::resolveHttpClientConfig) .applyMutation(this::configureRetryPolicy) @@ -210,6 +215,9 @@ protected final SdkClientConfiguration setOverrides(SdkClientConfiguration confi builder.option(RETRY_STRATEGY, defaultBuilder.build()); }); builder.putAll(overrideConfig); + + checkEndpointOverriddenOverride(configuration, builder); + // Forget anything we configured in the override configuration else it might be re-applied. builder.option(CONFIGURED_RETRY_MODE, null); builder.option(CONFIGURED_RETRY_STRATEGY, null); @@ -217,6 +225,20 @@ protected final SdkClientConfiguration setOverrides(SdkClientConfiguration confi return builder.build(); } + /** + * Check {@link SdkInternalTestAdvancedClientOption#ENDPOINT_OVERRIDDEN_OVERRIDE} to see if we should override the + * value returned by {@link SdkClientOption#CLIENT_ENDPOINT_PROVIDER}'s isEndpointOverridden. + */ + private void checkEndpointOverriddenOverride(SdkClientConfiguration configuration, SdkClientConfiguration.Builder builder) { + Optional endpointOverriddenOverride = + overrideConfig.advancedOption(SdkInternalTestAdvancedClientOption.ENDPOINT_OVERRIDDEN_OVERRIDE); + endpointOverriddenOverride.ifPresent(override -> { + ClientEndpointProvider clientEndpoint = configuration.option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER); + builder.option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER, + ClientEndpointProvider.create(clientEndpoint.clientEndpoint(), override)); + }); + } + /** * Return HTTP related defaults with the following chain of priorities. *
    @@ -294,18 +316,40 @@ private Region resolveSigningRegion(LazyValueSource config) { } /** - * Resolve the endpoint from the default-applied configuration. + * Specify the client endpoint provider to use for the client, if the client didn't specify one itself. + *

    + * This is only used for older client versions. Newer clients specify this value themselves. + */ + private ClientEndpointProvider resolveClientEndpointProvider(LazyValueSource config) { + ServiceMetadataAdvancedOption useGlobalS3EndpointProperty = + ServiceMetadataAdvancedOption.DEFAULT_S3_US_EAST_1_REGIONAL_ENDPOINT; + return AwsClientEndpointProvider.builder() + .serviceEndpointPrefix(serviceEndpointPrefix()) + .defaultProtocol(DEFAULT_ENDPOINT_PROTOCOL) + .region(config.get(AwsClientOption.AWS_REGION)) + .profileFile(config.get(SdkClientOption.PROFILE_FILE_SUPPLIER)) + .profileName(config.get(SdkClientOption.PROFILE_NAME)) + .putAdvancedOption(useGlobalS3EndpointProperty, + config.get(useGlobalS3EndpointProperty)) + .dualstackEnabled(config.get(AwsClientOption.DUALSTACK_ENDPOINT_ENABLED)) + .fipsEnabled(config.get(AwsClientOption.FIPS_ENDPOINT_ENABLED)) + .build(); + } + + /** + * Resolve the client endpoint. This code is only needed by old SDK client versions. Newer SDK client versions + * resolve this information from the client endpoint provider. */ private URI resolveEndpoint(LazyValueSource config) { - return new DefaultServiceEndpointBuilder(serviceEndpointPrefix(), DEFAULT_ENDPOINT_PROTOCOL) - .withRegion(config.get(AwsClientOption.AWS_REGION)) - .withProfileFile(config.get(SdkClientOption.PROFILE_FILE_SUPPLIER)) - .withProfileName(config.get(SdkClientOption.PROFILE_NAME)) - .putAdvancedOption(ServiceMetadataAdvancedOption.DEFAULT_S3_US_EAST_1_REGIONAL_ENDPOINT, - config.get(ServiceMetadataAdvancedOption.DEFAULT_S3_US_EAST_1_REGIONAL_ENDPOINT)) - .withDualstackEnabled(config.get(AwsClientOption.DUALSTACK_ENDPOINT_ENABLED)) - .withFipsEnabled(config.get(AwsClientOption.FIPS_ENDPOINT_ENABLED)) - .getServiceEndpoint(); + return config.get(SdkClientOption.CLIENT_ENDPOINT_PROVIDER).clientEndpoint(); + } + + /** + * Resolve whether the endpoint was overridden by the customer. This code is only needed by old SDK client + * versions. Newer SDK client versions resolve this information from the client endpoint provider. + */ + private boolean resolveEndpointOverridden(LazyValueSource config) { + return config.get(SdkClientOption.CLIENT_ENDPOINT_PROVIDER).isEndpointOverridden(); } /** diff --git a/core/aws-core/src/main/java/software/amazon/awssdk/awscore/endpoint/AwsClientEndpointProvider.java b/core/aws-core/src/main/java/software/amazon/awssdk/awscore/endpoint/AwsClientEndpointProvider.java new file mode 100644 index 000000000000..2257666f3324 --- /dev/null +++ b/core/aws-core/src/main/java/software/amazon/awssdk/awscore/endpoint/AwsClientEndpointProvider.java @@ -0,0 +1,461 @@ +/* + * 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.awscore.endpoint; + +import java.net.URI; +import java.net.URISyntaxException; +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import java.util.Optional; +import java.util.function.Supplier; +import software.amazon.awssdk.annotations.SdkProtectedApi; +import software.amazon.awssdk.core.ClientEndpointProvider; +import software.amazon.awssdk.core.client.builder.SdkClientBuilder; +import software.amazon.awssdk.core.exception.SdkClientException; +import software.amazon.awssdk.profiles.ProfileFile; +import software.amazon.awssdk.profiles.ProfileFileSystemSetting; +import software.amazon.awssdk.profiles.ProfileProperty; +import software.amazon.awssdk.regions.EndpointTag; +import software.amazon.awssdk.regions.Region; +import software.amazon.awssdk.regions.ServiceEndpointKey; +import software.amazon.awssdk.regions.ServiceMetadata; +import software.amazon.awssdk.regions.ServiceMetadataAdvancedOption; +import software.amazon.awssdk.utils.Lazy; +import software.amazon.awssdk.utils.Logger; +import software.amazon.awssdk.utils.OptionalUtils; +import software.amazon.awssdk.utils.ToString; +import software.amazon.awssdk.utils.Validate; +import software.amazon.awssdk.utils.internal.SystemSettingUtils; + +/** + * An implementation of {@link ClientEndpointProvider} that loads the default client endpoint from: + *

      + *
    1. The client-level endpoint override
    2. + *
    3. The service-specific endpoint override system property (e.g. 'aws.endpointUrlS3')
    4. + *
    5. The service-agnostic endpoint override system property (i.e. 'aws.endpointUrl')
    6. + *
    7. The service-specific endpoint override environment variable (e.g. 'AWS_ENDPOINT_URL_S3')
    8. + *
    9. The service-agnostic endpoint override environment variable (i.e. 'AWS_ENDPOINT_URL')
    10. + *
    11. The service-specific endpoint override profile property (e.g. 's3.endpoint_url')
    12. + *
    13. The service-agnostic endpoint override profile property (i.e. 'endpoint_url')
    14. + *
    15. The {@link ServiceMetadata} for the service
    16. + *
    + */ +@SdkProtectedApi +public final class AwsClientEndpointProvider implements ClientEndpointProvider { + private static final Logger log = Logger.loggerFor(AwsClientEndpointProvider.class); + + private static final String GLOBAL_ENDPOINT_OVERRIDE_ENVIRONMENT_VARIABLE = "AWS_ENDPOINT_URL"; + private static final String GLOBAL_ENDPOINT_OVERRIDE_SYSTEM_PROPERTY = "aws.endpointUrl"; + + /** + * A pairing of the client endpoint (URI) and whether it was an endpoint override from the customer (true) or a + * default endpoint (false). + */ + private final Lazy clientEndpoint; + + private AwsClientEndpointProvider(Builder builder) { + this.clientEndpoint = new Lazy<>(() -> resolveClientEndpoint(new Builder(builder))); + } + + public static Builder builder() { + return new Builder(); + } + + /** + * Retrieve the endpoint to be used by the client. + * @throws SdkClientException If the endpoint could not be loaded or was invalid + */ + public URI clientEndpoint() { + return clientEndpoint.getValue().clientEndpoint; + } + + /** + * Return true if the endpoint was overridden by the customer, or false if it was loaded from the + * {@link ServiceMetadata}. + * @throws SdkClientException If the endpoint could not be loaded or was invalid + */ + public boolean isEndpointOverridden() { + return clientEndpoint.getValue().isEndpointOverridden; + } + + private ClientEndpoint resolveClientEndpoint(Builder builder) { + return OptionalUtils.firstPresent(clientEndpointFromClientOverride(builder), + () -> clientEndpointFromEnvironment(builder), + () -> clientEndpointFromServiceMetadata(builder)) + .orElseThrow(AwsClientEndpointProvider::failToLoadEndpointException); + } + + private static SdkClientException failToLoadEndpointException() { + return SdkClientException.create("Unable to determine the default client endpoint. Enable TRACE logging on " + + AwsClientEndpointProvider.class.getName() + " for more information."); + } + + private Optional clientEndpointFromClientOverride(Builder builder) { + Optional result = Optional.ofNullable(builder.clientEndpointOverride) + .map(uri -> new ClientEndpoint(uri, true)); + result.ifPresent(e -> log.trace(() -> "Client was configured with endpoint override: " + e.clientEndpoint)); + return result; + } + + private Optional clientEndpointFromEnvironment(Builder builder) { + if (builder.serviceEndpointOverrideEnvironmentVariable == null || + builder.serviceEndpointOverrideSystemProperty == null || + builder.serviceProfileProperty == null) { + Validate.isTrue(builder.serviceEndpointOverrideEnvironmentVariable == null && + builder.serviceEndpointOverrideSystemProperty == null && + builder.serviceProfileProperty == null , + "If any of the service endpoint override environment variable, system property or profile " + + "property are configured, they must all be configured."); + log.trace(() -> "Environment was not checked for client endpoint."); + return Optional.empty(); + } + + return OptionalUtils.firstPresent(systemProperty(builder.serviceEndpointOverrideSystemProperty), + () -> systemProperty(GLOBAL_ENDPOINT_OVERRIDE_SYSTEM_PROPERTY), + () -> environmentVariable(builder.serviceEndpointOverrideEnvironmentVariable), + () -> environmentVariable(GLOBAL_ENDPOINT_OVERRIDE_ENVIRONMENT_VARIABLE), + () -> profileProperty(builder, + builder.serviceProfileProperty + "." + + ProfileProperty.ENDPOINT_URL), + () -> profileProperty(builder, ProfileProperty.ENDPOINT_URL)) + .map(uri -> new ClientEndpoint(uri, true)); + } + + private Optional systemProperty(String systemProperty) { + // CHECKSTYLE:OFF - We have to read system properties directly here to match the load order of the other SDKs + return createUri("system property " + systemProperty, + Optional.ofNullable(System.getProperty(systemProperty))); + // CHECKSTYLE:ON + } + + private Optional environmentVariable(String environmentVariable) { + return createUri("environment variable " + environmentVariable, + SystemSettingUtils.resolveEnvironmentVariable(environmentVariable)); + } + + private Optional profileProperty(Builder builder, String profileProperty) { + initializeProfileFileDefaults(builder); + return createUri("profile property " + profileProperty, + Optional.ofNullable(builder.profileFile.get()) + .flatMap(pf -> pf.profile(builder.profileName)) + .flatMap(p -> p.property(profileProperty))); + } + + private Optional clientEndpointFromServiceMetadata(Builder builder) { + // This value is generally overridden after endpoints 2.0. It seems to exist for backwards-compatibility + // with older client versions or interceptors. + + if (builder.serviceEndpointPrefix == null || + builder.region == null || + builder.protocol == null) { + // Make sure that people didn't set just one value and expect it to be used. + Validate.isTrue(builder.serviceEndpointPrefix == null && + builder.region == null && + builder.protocol == null, + "If any of the service endpoint prefix, region or protocol are configured, they must all " + + "be configured."); + log.trace(() -> "Service metadata was not checked for client endpoint."); + return Optional.empty(); + } + + Validate.paramNotNull(builder.serviceEndpointPrefix, "serviceName"); + Validate.paramNotNull(builder.region, "region"); + Validate.paramNotNull(builder.protocol, "protocol"); + + initializeProfileFileDefaults(builder); + + if (builder.dualstackEnabled == null) { + builder.dualstackEnabled = DualstackEnabledProvider.builder() + .profileFile(builder.profileFile) + .profileName(builder.profileName) + .build() + .isDualstackEnabled() + .orElse(false); + } + + if (builder.fipsEnabled == null) { + builder.fipsEnabled = FipsEnabledProvider.builder() + .profileFile(builder.profileFile) + .profileName(builder.profileName) + .build() + .isFipsEnabled() + .orElse(false); + } + + List endpointTags = new ArrayList<>(); + if (builder.dualstackEnabled) { + endpointTags.add(EndpointTag.DUALSTACK); + } + if (builder.fipsEnabled) { + endpointTags.add(EndpointTag.FIPS); + } + + ServiceMetadata serviceMetadata = ServiceMetadata.of(builder.serviceEndpointPrefix) + .reconfigure(c -> c.profileFile(builder.profileFile) + .profileName(builder.profileName) + .advancedOptions(builder.advancedOptions)); + URI endpointWithoutProtocol = + serviceMetadata.endpointFor(ServiceEndpointKey.builder() + .region(builder.region) + .tags(endpointTags) + .build()); + URI endpoint = URI.create(builder.protocol + "://" + endpointWithoutProtocol); + if (endpoint.getHost() == null) { + String error = "Configured region (" + builder.region + ") and tags (" + endpointTags + ") resulted in " + + "an invalid URI: " + endpoint + ". This is usually caused by an invalid region " + + "configuration."; + + List exampleRegions = serviceMetadata.regions(); + if (!exampleRegions.isEmpty()) { + error += " Valid regions: " + exampleRegions; + } + + throw SdkClientException.create(error); + } + + log.trace(() -> "Client endpoint was loaded from service metadata, but this endpoint will likely be overridden " + + "at the request-level by the endpoint resolver: " + endpoint); + return Optional.of(new ClientEndpoint(endpoint, false)); + } + + private Optional createUri(String source, Optional uri) { + return uri.map(u -> { + try { + URI parsedUri = new URI(uri.get()); + log.trace(() -> "Client endpoint was loaded from the " + source + ": " + parsedUri); + return parsedUri; + } catch (URISyntaxException e) { + throw SdkClientException.create("An invalid URI was configured in " + source, e); + } + }); + } + + private void initializeProfileFileDefaults(Builder builder) { + if (builder.profileFile == null) { + builder.profileFile = new Lazy<>(ProfileFile::defaultProfileFile)::getValue; + } + + if (builder.profileName == null) { + builder.profileName = ProfileFileSystemSetting.AWS_PROFILE.getStringValueOrThrow(); + } + } + + private static final class ClientEndpoint { + private final URI clientEndpoint; + private final boolean isEndpointOverridden; + + private ClientEndpoint(URI clientEndpoint, boolean isEndpointOverridden) { + this.clientEndpoint = clientEndpoint; + this.isEndpointOverridden = isEndpointOverridden; + } + + @Override + public String toString() { + return ToString.builder("ClientEndpoint") + .add("clientEndpoint", clientEndpoint) + .add("isEndpointOverridden", isEndpointOverridden) + .build(); + } + } + + public static final class Builder { + private URI clientEndpointOverride; + private String serviceEndpointPrefix; + private String protocol; + private Region region; + private Supplier profileFile; + private String profileName; + private final Map, Object> advancedOptions = new HashMap<>(); + private Boolean dualstackEnabled; + private Boolean fipsEnabled; + private String serviceEndpointOverrideEnvironmentVariable; + private String serviceEndpointOverrideSystemProperty; + private String serviceProfileProperty; + + private Builder() { + } + + private Builder(Builder src) { + this.clientEndpointOverride = src.clientEndpointOverride; + this.serviceEndpointPrefix = src.serviceEndpointPrefix; + this.protocol = src.protocol; + this.region = src.region; + this.profileFile = src.profileFile; + this.profileName = src.profileName; + this.advancedOptions.putAll(src.advancedOptions); + this.dualstackEnabled = src.dualstackEnabled; + this.fipsEnabled = src.fipsEnabled; + this.serviceEndpointOverrideEnvironmentVariable = src.serviceEndpointOverrideEnvironmentVariable; + this.serviceEndpointOverrideSystemProperty = src.serviceEndpointOverrideSystemProperty; + this.serviceProfileProperty = src.serviceProfileProperty; + } + + /** + * Set the endpoint that was overridden by the customer using {@link SdkClientBuilder#endpointOverride(URI)}. + *

    + * If specified, this provider will behave the same as + * {@link ClientEndpointProvider#forEndpointOverride(URI)}. Other configured values will not be used. + */ + public Builder clientEndpointOverride(URI clientEndpointOverride) { + if (clientEndpointOverride != null) { + Validate.paramNotNull(clientEndpointOverride.getScheme(), "The scheme of the endpoint override"); + } + this.clientEndpointOverride = clientEndpointOverride; + return this; + } + + /** + * Set the service-specific environment variable that should be used to load the endpoint override for this + * service. + *

    + * If this value is set, {@link #serviceEndpointOverrideSystemProperty} and {@link #serviceProfileProperty} must + * also be set. + *

    + * If this value is not set, loading the service endpoint from the environment is skipped. + */ + public Builder serviceEndpointOverrideEnvironmentVariable(String serviceEndpointOverrideEnvironmentVariable) { + this.serviceEndpointOverrideEnvironmentVariable = serviceEndpointOverrideEnvironmentVariable; + return this; + } + + /** + * Set the service-specific system property that should be used to load the endpoint override for this service. + *

    + * If this value is set, {@link #serviceEndpointOverrideEnvironmentVariable} and {@link #serviceProfileProperty} + * must also be set. + *

    + * If this value is not set, loading the service endpoint from the environment is skipped. + */ + public Builder serviceEndpointOverrideSystemProperty(String serviceEndpointOverrideSystemProperty) { + this.serviceEndpointOverrideSystemProperty = serviceEndpointOverrideSystemProperty; + return this; + } + + /** + * Set the service-specific profile property that should be used to load the endpoint override for this service. + *

    + * If this value is set, {@link #serviceEndpointOverrideEnvironmentVariable} and + * {@link #serviceEndpointOverrideSystemProperty} must also be set. + *

    + * If this value is not set, loading the service endpoint from the environment is skipped. + */ + public Builder serviceProfileProperty(String serviceProfileProperty) { + this.serviceProfileProperty = serviceProfileProperty; + return this; + } + + /** + * Set the profile file supplier that will supply the customer's profile file. This profile file is used both + * for checking for the endpoint override and when resolving the endpoint from {@link ServiceMetadata}. + *

    + * If this value is not set, the {@link ProfileFile#defaultProfileFile()} is used. + */ + public Builder profileFile(Supplier profileFile) { + this.profileFile = profileFile; + return this; + } + + /** + * Set the profile name for the profile that should be used . This profile is used both + * for checking for the endpoint override and when resolving the endpoint from {@link ServiceMetadata}. + *

    + * If this value is not set, {@link ProfileFileSystemSetting#AWS_PROFILE} is used. + */ + public Builder profileName(String profileName) { + this.profileName = profileName; + return this; + } + + /** + * Set the service endpoint prefix, as it is expected by {@link ServiceMetadata#of(String)}. + *

    + * This value will only be used if the endpoint is loaded from service metadata. + *

    + * If this value is set, {@link #defaultProtocol} and {@link #region} must also be set. If this value is not + * set, loading the service endpoint from service metadata is skipped. + */ + public Builder serviceEndpointPrefix(String serviceEndpointPrefix) { + this.serviceEndpointPrefix = serviceEndpointPrefix; + return this; + } + + /** + * Set the protocol to be used for endpoints returned by {@link ServiceMetadata#of(String)}. + *

    + * This value will only be used if the endpoint is loaded from service metadata. + *

    + * If this value is set, {@link #serviceEndpointPrefix} and {@link #region} must also be set. If this value is + * not set, loading the service endpoint from service metadata is skipped. + */ + public Builder defaultProtocol(String protocol) { + this.protocol = protocol; + return this; + } + + /** + * The region to use when resolving with {@link ServiceMetadata#of(String)}. + *

    + * This value will only be used if the region is loaded from service metadata. + *

    + * If this value is set, {@link #serviceEndpointPrefix} and {@link #defaultProtocol} must also be set. If this + * value is not set, loading the service endpoint from service metadata is skipped. + */ + public Builder region(Region region) { + this.region = region; + return this; + } + + /** + * Whether dualstack endpoints should be used when resolving with {@link ServiceMetadata#of(String)}. + *

    + * This value will only be used if the endpoint is loaded from service metadata. + *

    + * If this value is not set, the {@link DualstackEnabledProvider} will be used. + */ + public Builder dualstackEnabled(Boolean dualstackEnabled) { + this.dualstackEnabled = dualstackEnabled; + return this; + } + + /** + * Whether FIPS endpoints should be used when resolving with {@link ServiceMetadata#of(String)}. + *

    + * This value will only be used if the endpoint is loaded from service metadata. + *

    + * If this value is not set, the {@link FipsEnabledProvider} will be used. + */ + public Builder fipsEnabled(Boolean fipsEnabled) { + this.fipsEnabled = fipsEnabled; + return this; + } + + /** + * Specify advanced options that should be passed on to the {@link ServiceMetadata}. + *

    + * This value will only be used if the endpoint is loaded from service metadata. + */ + public Builder putAdvancedOption(ServiceMetadataAdvancedOption option, T value) { + this.advancedOptions.put(option, value); + return this; + } + + public AwsClientEndpointProvider build() { + return new AwsClientEndpointProvider(this); + } + } +} diff --git a/core/aws-core/src/main/java/software/amazon/awssdk/awscore/endpoint/DefaultServiceEndpointBuilder.java b/core/aws-core/src/main/java/software/amazon/awssdk/awscore/endpoint/DefaultServiceEndpointBuilder.java index a0113969a810..005fa0ea1b35 100644 --- a/core/aws-core/src/main/java/software/amazon/awssdk/awscore/endpoint/DefaultServiceEndpointBuilder.java +++ b/core/aws-core/src/main/java/software/amazon/awssdk/awscore/endpoint/DefaultServiceEndpointBuilder.java @@ -16,156 +16,71 @@ package software.amazon.awssdk.awscore.endpoint; import java.net.URI; -import java.net.URISyntaxException; -import java.util.ArrayList; -import java.util.HashMap; -import java.util.List; -import java.util.Map; import java.util.function.Supplier; import software.amazon.awssdk.annotations.NotThreadSafe; import software.amazon.awssdk.annotations.SdkProtectedApi; -import software.amazon.awssdk.core.exception.SdkClientException; import software.amazon.awssdk.profiles.ProfileFile; -import software.amazon.awssdk.profiles.ProfileFileSystemSetting; -import software.amazon.awssdk.regions.EndpointTag; import software.amazon.awssdk.regions.Region; -import software.amazon.awssdk.regions.ServiceEndpointKey; -import software.amazon.awssdk.regions.ServiceMetadata; import software.amazon.awssdk.regions.ServiceMetadataAdvancedOption; -import software.amazon.awssdk.utils.Lazy; -import software.amazon.awssdk.utils.Validate; /** - * Uses service metadata and the request region to construct an endpoint for a specific service + * Uses service metadata and the request region to construct an endpoint for a specific service. + * + * @deprecated Use {@link AwsClientEndpointProvider}. This is only used by old client versions. */ @NotThreadSafe @SdkProtectedApi -// TODO We may not need this anymore, we should default to AWS partition when resolving -// a region we don't know about yet. +@Deprecated public final class DefaultServiceEndpointBuilder { - private final String serviceName; - private final String protocol; - + private final AwsClientEndpointProvider.Builder endpointResolver = AwsClientEndpointProvider.builder(); private Region region; - private Supplier profileFile; - private String profileName; - private final Map, Object> advancedOptions = new HashMap<>(); - private Boolean dualstackEnabled; - private Boolean fipsEnabled; public DefaultServiceEndpointBuilder(String serviceName, String protocol) { - this.serviceName = Validate.paramNotNull(serviceName, "serviceName"); - this.protocol = Validate.paramNotNull(protocol, "protocol"); + endpointResolver.serviceEndpointPrefix(serviceName) + .defaultProtocol(protocol); + } + + public Region getRegion() { + return region; } public DefaultServiceEndpointBuilder withRegion(Region region) { - if (region == null) { - throw new IllegalArgumentException("Region cannot be null"); - } this.region = region; + endpointResolver.region(region); return this; } public DefaultServiceEndpointBuilder withProfileFile(Supplier profileFile) { - this.profileFile = profileFile; + endpointResolver.profileFile(profileFile); return this; } public DefaultServiceEndpointBuilder withProfileFile(ProfileFile profileFile) { - this.profileFile = () -> profileFile; + endpointResolver.profileFile(() -> profileFile); return this; } public DefaultServiceEndpointBuilder withProfileName(String profileName) { - this.profileName = profileName; + endpointResolver.profileName(profileName); return this; } public DefaultServiceEndpointBuilder putAdvancedOption(ServiceMetadataAdvancedOption option, T value) { - advancedOptions.put(option, value); + endpointResolver.putAdvancedOption(option, value); return this; } public DefaultServiceEndpointBuilder withDualstackEnabled(Boolean dualstackEnabled) { - this.dualstackEnabled = dualstackEnabled; + endpointResolver.dualstackEnabled(dualstackEnabled); return this; } public DefaultServiceEndpointBuilder withFipsEnabled(Boolean fipsEnabled) { - this.fipsEnabled = fipsEnabled; + endpointResolver.fipsEnabled(fipsEnabled); return this; } public URI getServiceEndpoint() { - if (profileFile == null) { - profileFile = new Lazy<>(ProfileFile::defaultProfileFile)::getValue; - } - - if (profileName == null) { - profileName = ProfileFileSystemSetting.AWS_PROFILE.getStringValueOrThrow(); - } - - if (dualstackEnabled == null) { - dualstackEnabled = DualstackEnabledProvider.builder() - .profileFile(profileFile) - .profileName(profileName) - .build() - .isDualstackEnabled() - .orElse(false); - } - - if (fipsEnabled == null) { - fipsEnabled = FipsEnabledProvider.builder() - .profileFile(profileFile) - .profileName(profileName) - .build() - .isFipsEnabled() - .orElse(false); - } - - - - List endpointTags = new ArrayList<>(); - if (dualstackEnabled) { - endpointTags.add(EndpointTag.DUALSTACK); - } - if (fipsEnabled) { - endpointTags.add(EndpointTag.FIPS); - } - - ServiceMetadata serviceMetadata = ServiceMetadata.of(serviceName) - .reconfigure(c -> c.profileFile(profileFile) - .profileName(profileName) - .advancedOptions(advancedOptions)); - URI endpoint = addProtocolToServiceEndpoint(serviceMetadata.endpointFor(ServiceEndpointKey.builder() - .region(region) - .tags(endpointTags) - .build())); - - if (endpoint.getHost() == null) { - String error = "Configured region (" + region + ") and tags (" + endpointTags + ") resulted in an invalid URI: " - + endpoint + ". This is usually caused by an invalid region configuration."; - - List exampleRegions = serviceMetadata.regions(); - if (!exampleRegions.isEmpty()) { - error += " Valid regions: " + exampleRegions; - } - - throw SdkClientException.create(error); - } - - return endpoint; - } - - private URI addProtocolToServiceEndpoint(URI endpointWithoutProtocol) throws IllegalArgumentException { - try { - return new URI(protocol + "://" + endpointWithoutProtocol); - } catch (URISyntaxException e) { - throw new IllegalArgumentException(e); - } - } - - public Region getRegion() { - return region; + return endpointResolver.build().clientEndpoint(); } } diff --git a/core/aws-core/src/main/java/software/amazon/awssdk/awscore/internal/AwsExecutionContextBuilder.java b/core/aws-core/src/main/java/software/amazon/awssdk/awscore/internal/AwsExecutionContextBuilder.java index e3e273aa03d7..3d570ce13bf0 100644 --- a/core/aws-core/src/main/java/software/amazon/awssdk/awscore/internal/AwsExecutionContextBuilder.java +++ b/core/aws-core/src/main/java/software/amazon/awssdk/awscore/internal/AwsExecutionContextBuilder.java @@ -102,8 +102,8 @@ private AwsExecutionContextBuilder() { .putAttribute(AwsExecutionAttribute.FIPS_ENDPOINT_ENABLED, clientConfig.option(AwsClientOption.FIPS_ENDPOINT_ENABLED)) .putAttribute(SdkExecutionAttribute.OPERATION_NAME, executionParams.getOperationName()) - .putAttribute(SdkExecutionAttribute.CLIENT_ENDPOINT, clientConfig.option(SdkClientOption.ENDPOINT)) - .putAttribute(SdkExecutionAttribute.ENDPOINT_OVERRIDDEN, clientConfig.option(SdkClientOption.ENDPOINT_OVERRIDDEN)) + .putAttribute(SdkInternalExecutionAttribute.CLIENT_ENDPOINT_PROVIDER, + clientConfig.option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER)) .putAttribute(SdkInternalExecutionAttribute.ENDPOINT_PROVIDER, resolveEndpointProvider(originalRequest, clientConfig)) .putAttribute(SdkInternalExecutionAttribute.CLIENT_CONTEXT_PARAMS, diff --git a/core/aws-core/src/test/java/software/amazon/awssdk/awscore/client/builder/DefaultAwsClientBuilderTest.java b/core/aws-core/src/test/java/software/amazon/awssdk/awscore/client/builder/DefaultAwsClientBuilderTest.java index ba04424fee93..ca3061cca171 100644 --- a/core/aws-core/src/test/java/software/amazon/awssdk/awscore/client/builder/DefaultAwsClientBuilderTest.java +++ b/core/aws-core/src/test/java/software/amazon/awssdk/awscore/client/builder/DefaultAwsClientBuilderTest.java @@ -98,8 +98,14 @@ public void buildIncludesServiceDefaults() { public void buildWithRegionShouldHaveCorrectEndpointAndSigningRegion() { TestClient client = testClientBuilder().region(Region.US_WEST_1).build(); + assertThat(client.clientConfiguration.option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER).clientEndpoint()) + .hasToString("https://" + ENDPOINT_PREFIX + ".us-west-1.amazonaws.com"); + assertThat(client.clientConfiguration.option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER).isEndpointOverridden()) + .isEqualTo(false); assertThat(client.clientConfiguration.option(SdkClientOption.ENDPOINT)) .hasToString("https://" + ENDPOINT_PREFIX + ".us-west-1.amazonaws.com"); + assertThat(client.clientConfiguration.option(SdkClientOption.ENDPOINT_OVERRIDDEN)) + .isEqualTo(false); assertThat(client.clientConfiguration.option(SIGNING_REGION)).isEqualTo(Region.US_WEST_1); assertThat(client.clientConfiguration.option(SERVICE_SIGNING_NAME)).isEqualTo(SIGNING_NAME); } @@ -130,7 +136,13 @@ public void buildWithSetFipsTrueAndNonFipsRegionFipsEnabledRemainsSet() { public void buildWithEndpointShouldHaveCorrectEndpointAndSigningRegion() { TestClient client = testClientBuilder().region(Region.US_WEST_1).endpointOverride(ENDPOINT).build(); + assertThat(client.clientConfiguration.option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER).clientEndpoint()) + .isEqualTo(ENDPOINT); + assertThat(client.clientConfiguration.option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER).isEndpointOverridden()) + .isEqualTo(true); assertThat(client.clientConfiguration.option(SdkClientOption.ENDPOINT)).isEqualTo(ENDPOINT); + assertThat(client.clientConfiguration.option(SdkClientOption.ENDPOINT_OVERRIDDEN)) + .isEqualTo(true); assertThat(client.clientConfiguration.option(SIGNING_REGION)).isEqualTo(Region.US_WEST_1); assertThat(client.clientConfiguration.option(SERVICE_SIGNING_NAME)).isEqualTo(SIGNING_NAME); } diff --git a/core/aws-core/src/test/java/software/amazon/awssdk/awscore/client/utils/HttpTestUtils.java b/core/aws-core/src/test/java/software/amazon/awssdk/awscore/client/utils/HttpTestUtils.java index 463ceded2d85..de9e72eedefc 100644 --- a/core/aws-core/src/test/java/software/amazon/awssdk/awscore/client/utils/HttpTestUtils.java +++ b/core/aws-core/src/test/java/software/amazon/awssdk/awscore/client/utils/HttpTestUtils.java @@ -22,6 +22,7 @@ import software.amazon.awssdk.auth.credentials.DefaultCredentialsProvider; import software.amazon.awssdk.awscore.client.config.AwsClientOption; import software.amazon.awssdk.awscore.retry.AwsRetryStrategy; +import software.amazon.awssdk.core.ClientEndpointProvider; import software.amazon.awssdk.core.client.config.SdkAdvancedAsyncClientOption; import software.amazon.awssdk.core.client.config.SdkAdvancedClientOption; import software.amazon.awssdk.core.client.config.SdkClientConfiguration; @@ -50,7 +51,8 @@ public static TestClientBuilder testClientBuilder() { public static SdkClientConfiguration testClientConfiguration() { return SdkClientConfiguration.builder() .option(SdkClientOption.EXECUTION_INTERCEPTORS, new ArrayList<>()) - .option(SdkClientOption.ENDPOINT, URI.create("http://localhost:8080")) + .option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER, + ClientEndpointProvider.forEndpointOverride(URI.create("http://localhost:8080"))) .option(SdkClientOption.RETRY_STRATEGY, AwsRetryStrategy.defaultRetryStrategy()) .option(SdkClientOption.ADDITIONAL_HTTP_HEADERS, new HashMap<>()) .option(SdkClientOption.CRC32_FROM_COMPRESSED_DATA_ENABLED, false) diff --git a/core/protocols/aws-json-protocol/src/main/java/software/amazon/awssdk/protocols/json/BaseAwsJsonProtocolFactory.java b/core/protocols/aws-json-protocol/src/main/java/software/amazon/awssdk/protocols/json/BaseAwsJsonProtocolFactory.java index 2fa813a5a330..a36326392738 100644 --- a/core/protocols/aws-json-protocol/src/main/java/software/amazon/awssdk/protocols/json/BaseAwsJsonProtocolFactory.java +++ b/core/protocols/aws-json-protocol/src/main/java/software/amazon/awssdk/protocols/json/BaseAwsJsonProtocolFactory.java @@ -17,6 +17,7 @@ import static java.util.Collections.unmodifiableList; +import java.net.URI; import java.util.ArrayList; import java.util.Collections; import java.util.EnumMap; @@ -27,6 +28,7 @@ import software.amazon.awssdk.annotations.SdkProtectedApi; import software.amazon.awssdk.annotations.SdkTestInternalApi; import software.amazon.awssdk.awscore.exception.AwsServiceException; +import software.amazon.awssdk.core.ClientEndpointProvider; import software.amazon.awssdk.core.SdkPojo; import software.amazon.awssdk.core.client.config.SdkClientConfiguration; import software.amazon.awssdk.core.client.config.SdkClientOption; @@ -183,7 +185,7 @@ protected Map getDefaultTimestamp public final ProtocolMarshaller createProtocolMarshaller(OperationInfo operationInfo) { return JsonProtocolMarshallerBuilder.create() - .endpoint(clientConfiguration.option(SdkClientOption.ENDPOINT)) + .endpoint(endpoint(clientConfiguration)) .jsonGenerator(createGenerator(operationInfo)) .contentType(getContentType()) .operationInfo(operationInfo) @@ -192,6 +194,16 @@ public final ProtocolMarshaller createProtocolMarshaller(Ope .build(); } + private URI endpoint(SdkClientConfiguration clientConfiguration) { + ClientEndpointProvider endpointProvider = clientConfiguration.option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER); + if (endpointProvider != null) { + return endpointProvider.clientEndpoint(); + } + + // Some old client versions may not use the endpoint provider. In that case, use the legacy endpoint field. + return clientConfiguration.option(SdkClientOption.ENDPOINT); + } + /** * Builder for {@link AwsJsonProtocolFactory}. */ diff --git a/core/protocols/aws-query-protocol/src/main/java/software/amazon/awssdk/protocols/query/AwsQueryProtocolFactory.java b/core/protocols/aws-query-protocol/src/main/java/software/amazon/awssdk/protocols/query/AwsQueryProtocolFactory.java index e7e791f555a9..e23ea4c59cb7 100644 --- a/core/protocols/aws-query-protocol/src/main/java/software/amazon/awssdk/protocols/query/AwsQueryProtocolFactory.java +++ b/core/protocols/aws-query-protocol/src/main/java/software/amazon/awssdk/protocols/query/AwsQueryProtocolFactory.java @@ -17,6 +17,7 @@ import static java.util.Collections.unmodifiableList; +import java.net.URI; import java.util.ArrayList; import java.util.List; import java.util.Optional; @@ -24,6 +25,7 @@ import software.amazon.awssdk.annotations.SdkProtectedApi; import software.amazon.awssdk.awscore.AwsResponse; import software.amazon.awssdk.awscore.exception.AwsServiceException; +import software.amazon.awssdk.core.ClientEndpointProvider; import software.amazon.awssdk.core.SdkPojo; import software.amazon.awssdk.core.client.config.SdkClientConfiguration; import software.amazon.awssdk.core.client.config.SdkClientOption; @@ -74,12 +76,22 @@ public class AwsQueryProtocolFactory { public final ProtocolMarshaller createProtocolMarshaller( OperationInfo operationInfo) { return QueryProtocolMarshaller.builder() - .endpoint(clientConfiguration.option(SdkClientOption.ENDPOINT)) + .endpoint(endpoint(clientConfiguration)) .operationInfo(operationInfo) .isEc2(isEc2()) .build(); } + private URI endpoint(SdkClientConfiguration clientConfiguration) { + ClientEndpointProvider endpointProvider = clientConfiguration.option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER); + if (endpointProvider != null) { + return endpointProvider.clientEndpoint(); + } + + // Some old client versions may not use the endpoint provider. In that case, use the legacy endpoint field. + return clientConfiguration.option(SdkClientOption.ENDPOINT); + } + /** * Creates the success response handler to unmarshall the response into a POJO. * diff --git a/core/protocols/aws-xml-protocol/src/main/java/software/amazon/awssdk/protocols/xml/AwsXmlProtocolFactory.java b/core/protocols/aws-xml-protocol/src/main/java/software/amazon/awssdk/protocols/xml/AwsXmlProtocolFactory.java index 4fa73a1aeabd..7a0dc0c64707 100644 --- a/core/protocols/aws-xml-protocol/src/main/java/software/amazon/awssdk/protocols/xml/AwsXmlProtocolFactory.java +++ b/core/protocols/aws-xml-protocol/src/main/java/software/amazon/awssdk/protocols/xml/AwsXmlProtocolFactory.java @@ -17,6 +17,7 @@ import static java.util.Collections.unmodifiableList; +import java.net.URI; import java.util.ArrayList; import java.util.List; import java.util.Optional; @@ -25,6 +26,7 @@ import software.amazon.awssdk.annotations.SdkProtectedApi; import software.amazon.awssdk.awscore.AwsResponse; import software.amazon.awssdk.awscore.exception.AwsServiceException; +import software.amazon.awssdk.core.ClientEndpointProvider; import software.amazon.awssdk.core.Response; import software.amazon.awssdk.core.SdkPojo; import software.amazon.awssdk.core.client.config.SdkClientConfiguration; @@ -100,12 +102,22 @@ public class AwsXmlProtocolFactory { */ public ProtocolMarshaller createProtocolMarshaller(OperationInfo operationInfo) { return XmlProtocolMarshaller.builder() - .endpoint(clientConfiguration.option(SdkClientOption.ENDPOINT)) + .endpoint(endpoint(clientConfiguration)) .xmlGenerator(createGenerator(operationInfo)) .operationInfo(operationInfo) .build(); } + private URI endpoint(SdkClientConfiguration clientConfiguration) { + ClientEndpointProvider endpointProvider = clientConfiguration.option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER); + if (endpointProvider != null) { + return endpointProvider.clientEndpoint(); + } + + // Some old client versions may not use the endpoint provider. In that case, use the legacy endpoint field. + return clientConfiguration.option(SdkClientOption.ENDPOINT); + } + public HttpResponseHandler createResponseHandler(Supplier pojoSupplier, XmlOperationMetadata staxOperationMetadata) { return createResponseHandler(r -> pojoSupplier.get(), staxOperationMetadata); diff --git a/core/sdk-core/src/main/java/software/amazon/awssdk/core/ClientEndpointProvider.java b/core/sdk-core/src/main/java/software/amazon/awssdk/core/ClientEndpointProvider.java new file mode 100644 index 000000000000..500dd446af4d --- /dev/null +++ b/core/sdk-core/src/main/java/software/amazon/awssdk/core/ClientEndpointProvider.java @@ -0,0 +1,56 @@ +/* + * 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; + +import java.net.URI; +import software.amazon.awssdk.annotations.SdkProtectedApi; +import software.amazon.awssdk.core.internal.StaticClientEndpointProvider; +import software.amazon.awssdk.endpoints.EndpointProvider; + +/** + * Client endpoint providers are responsible for resolving client-level endpoints. {@link EndpointProvider}s are + * ultimately responsible for resolving the endpoint used for a request. + *

    + * {@link EndpointProvider}s may choose to honor or completely ignore the client-level endpoint. Default endpoint + * providers will ignore the client-level endpoint, unless {@link #isEndpointOverridden()} is true. + */ +@SdkProtectedApi +public interface ClientEndpointProvider { + /** + * Create a client endpoint provider that uses the provided URI and returns true from {@link #isEndpointOverridden()}. + */ + static ClientEndpointProvider forEndpointOverride(URI uri) { + return new StaticClientEndpointProvider(uri, true); + } + + /** + * Create a client endpoint provider that uses the provided static URI and override settings. + */ + static ClientEndpointProvider create(URI uri, boolean isEndpointOverridden) { + return new StaticClientEndpointProvider(uri, isEndpointOverridden); + } + + /** + * Retrieve the client endpoint from this provider. + */ + URI clientEndpoint(); + + /** + * Returns true if this endpoint was specified as an override by the customer, or false if it was determined + * automatically by the SDK. + */ + boolean isEndpointOverridden(); +} diff --git a/core/sdk-core/src/main/java/software/amazon/awssdk/core/client/builder/SdkDefaultClientBuilder.java b/core/sdk-core/src/main/java/software/amazon/awssdk/core/client/builder/SdkDefaultClientBuilder.java index f24b9b996a19..44847e35c1da 100644 --- a/core/sdk-core/src/main/java/software/amazon/awssdk/core/client/builder/SdkDefaultClientBuilder.java +++ b/core/sdk-core/src/main/java/software/amazon/awssdk/core/client/builder/SdkDefaultClientBuilder.java @@ -70,6 +70,7 @@ import software.amazon.awssdk.annotations.SdkPreviewApi; import software.amazon.awssdk.annotations.SdkProtectedApi; import software.amazon.awssdk.annotations.SdkTestInternalApi; +import software.amazon.awssdk.core.ClientEndpointProvider; import software.amazon.awssdk.core.CompressionConfiguration; import software.amazon.awssdk.core.SdkPlugin; import software.amazon.awssdk.core.SdkSystemSetting; @@ -534,12 +535,10 @@ private List sdkInterceptors() { @Override public final B endpointOverride(URI endpointOverride) { if (endpointOverride == null) { - clientConfiguration.option(SdkClientOption.ENDPOINT, null); - clientConfiguration.option(SdkClientOption.ENDPOINT_OVERRIDDEN, false); + clientConfiguration.option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER, null); } else { - Validate.paramNotNull(endpointOverride.getScheme(), "The URI scheme of endpointOverride"); - clientConfiguration.option(SdkClientOption.ENDPOINT, endpointOverride); - clientConfiguration.option(SdkClientOption.ENDPOINT_OVERRIDDEN, true); + clientConfiguration.option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER, + ClientEndpointProvider.forEndpointOverride(endpointOverride)); } return thisBuilder(); } diff --git a/core/sdk-core/src/main/java/software/amazon/awssdk/core/client/config/SdkClientConfiguration.java b/core/sdk-core/src/main/java/software/amazon/awssdk/core/client/config/SdkClientConfiguration.java index 401dded53e75..b20ada64d34b 100644 --- a/core/sdk-core/src/main/java/software/amazon/awssdk/core/client/config/SdkClientConfiguration.java +++ b/core/sdk-core/src/main/java/software/amazon/awssdk/core/client/config/SdkClientConfiguration.java @@ -15,14 +15,12 @@ package software.amazon.awssdk.core.client.config; -import static software.amazon.awssdk.core.client.config.SdkClientOption.ENDPOINT_OVERRIDDEN; import static software.amazon.awssdk.core.client.config.SdkClientOption.SIGNER_OVERRIDDEN; import java.util.Map; import java.util.function.Consumer; import java.util.function.Supplier; import software.amazon.awssdk.annotations.SdkProtectedApi; -import software.amazon.awssdk.core.internal.SdkInternalTestAdvancedClientOption; import software.amazon.awssdk.core.signer.Signer; import software.amazon.awssdk.utils.AttributeMap; import software.amazon.awssdk.utils.SdkAutoCloseable; @@ -64,21 +62,15 @@ public static SdkClientConfiguration.Builder builder() { public static SdkClientConfiguration fromOverrideConfiguration(ClientOverrideConfiguration configuration) { SdkClientConfiguration result = configuration.asSdkClientConfiguration(); - Boolean endpointOverriddenOverride = result.option(SdkInternalTestAdvancedClientOption.ENDPOINT_OVERRIDDEN_OVERRIDE); Signer signerFromOverride = result.option(SdkAdvancedClientOption.SIGNER); - if (endpointOverriddenOverride == null && signerFromOverride == null) { + if (signerFromOverride == null) { return result; } - SdkClientConfiguration.Builder resultBuilder = result.toBuilder(); - if (signerFromOverride != null) { - resultBuilder.option(SIGNER_OVERRIDDEN, true); - } - if (endpointOverriddenOverride != null) { - resultBuilder.option(ENDPOINT_OVERRIDDEN, endpointOverriddenOverride); - } - return resultBuilder.build(); + return result.toBuilder() + .option(SIGNER_OVERRIDDEN, true) + .build(); } /** diff --git a/core/sdk-core/src/main/java/software/amazon/awssdk/core/client/config/SdkClientOption.java b/core/sdk-core/src/main/java/software/amazon/awssdk/core/client/config/SdkClientOption.java index b05f700e3be9..5c740cd7b01a 100644 --- a/core/sdk-core/src/main/java/software/amazon/awssdk/core/client/config/SdkClientOption.java +++ b/core/sdk-core/src/main/java/software/amazon/awssdk/core/client/config/SdkClientOption.java @@ -23,6 +23,7 @@ import java.util.function.Consumer; import java.util.function.Supplier; import software.amazon.awssdk.annotations.SdkProtectedApi; +import software.amazon.awssdk.core.ClientEndpointProvider; import software.amazon.awssdk.core.ClientType; import software.amazon.awssdk.core.CompressionConfiguration; import software.amazon.awssdk.core.SdkClient; @@ -100,15 +101,31 @@ public final class SdkClientOption extends ClientOption { /** * The effective endpoint the client is configured to make requests to. If the client has been configured with * an endpoint override then this value will be the provided endpoint value. + * + * @deprecated Use {@link #CLIENT_ENDPOINT_PROVIDER} for client-level endpoint configuration, or + * {@link #ENDPOINT_PROVIDER} for deriving the request-level endpoint. */ + @Deprecated public static final SdkClientOption ENDPOINT = new SdkClientOption<>(URI.class); /** * A flag that when set to true indicates the endpoint stored in {@link SdkClientOption#ENDPOINT} was a customer * supplied value and not generated by the client based on Region metadata. + * + * @deprecated Use {@link #CLIENT_ENDPOINT_PROVIDER}'s {@link ClientEndpointProvider#isEndpointOverridden()}. */ + @Deprecated public static final SdkClientOption ENDPOINT_OVERRIDDEN = new SdkClientOption<>(Boolean.class); + /** + * A provider for the client-level endpoint configuration. This includes the default endpoint determined by the + * endpoint metadata or endpoint overrides specified by the customer. + *

    + * {@link #ENDPOINT_PROVIDER} determines the request-level endpoint configuration. + */ + public static final SdkClientOption CLIENT_ENDPOINT_PROVIDER = + new SdkClientOption<>(ClientEndpointProvider.class); + /** * Service-specific configuration used by some services, like S3. */ diff --git a/core/sdk-core/src/main/java/software/amazon/awssdk/core/client/config/SdkClientOptionValidation.java b/core/sdk-core/src/main/java/software/amazon/awssdk/core/client/config/SdkClientOptionValidation.java index 638baf938217..aab55738c828 100644 --- a/core/sdk-core/src/main/java/software/amazon/awssdk/core/client/config/SdkClientOptionValidation.java +++ b/core/sdk-core/src/main/java/software/amazon/awssdk/core/client/config/SdkClientOptionValidation.java @@ -42,8 +42,6 @@ public static void validateSyncClientOptions(SdkClientConfiguration c) { } private static void validateClientOptions(SdkClientConfiguration c) { - require("endpoint", c.option(SdkClientOption.ENDPOINT)); - require("overrideConfiguration.additionalHttpHeaders", c.option(SdkClientOption.ADDITIONAL_HTTP_HEADERS)); require("overrideConfiguration.executionInterceptors", c.option(SdkClientOption.EXECUTION_INTERCEPTORS)); require("overrideConfiguration.retryStrategy", c.option(SdkClientOption.RETRY_STRATEGY)); diff --git a/core/sdk-core/src/main/java/software/amazon/awssdk/core/interceptor/ExecutionAttribute.java b/core/sdk-core/src/main/java/software/amazon/awssdk/core/interceptor/ExecutionAttribute.java index d53c0e99410b..d585df2ea460 100644 --- a/core/sdk-core/src/main/java/software/amazon/awssdk/core/interceptor/ExecutionAttribute.java +++ b/core/sdk-core/src/main/java/software/amazon/awssdk/core/interceptor/ExecutionAttribute.java @@ -87,6 +87,17 @@ private ExecutionAttribute(String name, ValueStorage storage) { public static DerivedAttributeBuilder derivedBuilder(String name, @SuppressWarnings("unused") Class attributeType, ExecutionAttribute realAttribute) { + return new DerivedAttributeBuilder<>(name, () -> realAttribute); + } + + /** + * This is the same as {@link #derivedBuilder(String, Class, ExecutionAttribute)}, but the real attribute is loaded + * lazily at runtime. This is useful when the real attribute is in the same class hierarchy, to avoid initialization + * order problems. + */ + public static DerivedAttributeBuilder derivedBuilder(String name, + @SuppressWarnings("unused") Class attributeType, + Supplier> realAttribute) { return new DerivedAttributeBuilder<>(name, realAttribute); } @@ -164,11 +175,11 @@ ValueStorage storage() { public static final class DerivedAttributeBuilder { private final String name; - private final ExecutionAttribute realAttribute; + private final Supplier> realAttribute; private Function readMapping; private BiFunction writeMapping; - private DerivedAttributeBuilder(String name, ExecutionAttribute realAttribute) { + private DerivedAttributeBuilder(String name, Supplier> realAttribute) { this.name = name; this.realAttribute = realAttribute; } @@ -244,7 +255,7 @@ public void setIfAbsent(Map, Object> attributes, T value) * attributes map. */ private static final class DerivationValueStorage implements ValueStorage { - private final ExecutionAttribute realAttribute; + private final Supplier> realAttribute; private final Function readMapping; private final BiFunction writeMapping; @@ -257,13 +268,13 @@ private DerivationValueStorage(DerivedAttributeBuilder builder) { @SuppressWarnings("unchecked") // Safe because of the implementation of set @Override public T get(Map, Object> attributes) { - return readMapping.apply((U) attributes.get(realAttribute)); + return readMapping.apply((U) attributes.get(realAttribute.get())); } @SuppressWarnings("unchecked") // Safe because of the implementation of set @Override public void set(Map, Object> attributes, T value) { - attributes.compute(realAttribute, (k, real) -> writeMapping.apply((U) real, value)); + attributes.compute(realAttribute.get(), (k, real) -> writeMapping.apply((U) real, value)); } @Override diff --git a/core/sdk-core/src/main/java/software/amazon/awssdk/core/interceptor/SdkExecutionAttribute.java b/core/sdk-core/src/main/java/software/amazon/awssdk/core/interceptor/SdkExecutionAttribute.java index 57836e042d6a..83bfb111def8 100644 --- a/core/sdk-core/src/main/java/software/amazon/awssdk/core/interceptor/SdkExecutionAttribute.java +++ b/core/sdk-core/src/main/java/software/amazon/awssdk/core/interceptor/SdkExecutionAttribute.java @@ -26,6 +26,7 @@ import java.util.function.Supplier; import software.amazon.awssdk.annotations.SdkPublicApi; import software.amazon.awssdk.checksums.spi.ChecksumAlgorithm; +import software.amazon.awssdk.core.ClientEndpointProvider; import software.amazon.awssdk.core.ClientType; import software.amazon.awssdk.core.SelectedAuthScheme; import software.amazon.awssdk.core.ServiceConfiguration; @@ -33,6 +34,8 @@ import software.amazon.awssdk.core.checksums.ChecksumSpecs; import software.amazon.awssdk.core.checksums.ChecksumValidation; import software.amazon.awssdk.core.signer.Signer; +import software.amazon.awssdk.endpoints.EndpointProvider; +import software.amazon.awssdk.http.SdkHttpRequest; import software.amazon.awssdk.http.auth.aws.signer.AwsV4FamilyHttpSigner; import software.amazon.awssdk.http.auth.spi.scheme.AuthSchemeOption; import software.amazon.awssdk.http.auth.spi.signer.AsyncSignRequest; @@ -86,16 +89,38 @@ public class SdkExecutionAttribute { new ExecutionAttribute<>("ApiCallAttemptMetricCollector"); /** - * If true indicates that the configured endpoint of the client is a value that was supplied as an override and not + * True indicates that the configured endpoint of the client is a value that was supplied as an override and not * generated from regional metadata. + * + * @deprecated This value should not be trusted. To modify the endpoint used for requests, you should decorate the + * {@link EndpointProvider} of the client. This value can be determined there, by checking for the existence of an + * override endpoint. */ - public static final ExecutionAttribute ENDPOINT_OVERRIDDEN = new ExecutionAttribute<>("EndpointOverridden"); + @Deprecated + public static final ExecutionAttribute ENDPOINT_OVERRIDDEN = + ExecutionAttribute.derivedBuilder("EndpointOverridden", + Boolean.class, + () -> SdkInternalExecutionAttribute.CLIENT_ENDPOINT_PROVIDER) + .readMapping(ClientEndpointProvider::isEndpointOverridden) + .writeMapping((ep, overridden) -> ClientEndpointProvider.create(ep.clientEndpoint(), overridden)) + .build(); /** - * This is the endpointOverride (if {@link #ENDPOINT_OVERRIDDEN} is true), otherwise the endpoint generated from regional - * metadata. + * This is the endpointOverride (if {@link #ENDPOINT_OVERRIDDEN} is true), otherwise the endpoint generated from + * regional metadata. + * + * @deprecated This value is not usually accurate, now that the endpoint is almost entirely determined by the + * service's endpoint rules. Use {@link SdkHttpRequest#getUri()} from interceptors, to get or modify the actual + * endpoint. */ - public static final ExecutionAttribute CLIENT_ENDPOINT = new ExecutionAttribute<>("EndpointOverride"); + @Deprecated + public static final ExecutionAttribute CLIENT_ENDPOINT = + ExecutionAttribute.derivedBuilder("EndpointOverride", + URI.class, + () -> SdkInternalExecutionAttribute.CLIENT_ENDPOINT_PROVIDER) + .readMapping(ClientEndpointProvider::clientEndpoint) + .writeMapping((ep, uri) -> ClientEndpointProvider.create(uri, ep.isEndpointOverridden())) + .build(); /** * If the client signer value has been overridden. diff --git a/core/sdk-core/src/main/java/software/amazon/awssdk/core/interceptor/SdkInternalExecutionAttribute.java b/core/sdk-core/src/main/java/software/amazon/awssdk/core/interceptor/SdkInternalExecutionAttribute.java index 2ae0dc904d64..37ef66a5d717 100644 --- a/core/sdk-core/src/main/java/software/amazon/awssdk/core/interceptor/SdkInternalExecutionAttribute.java +++ b/core/sdk-core/src/main/java/software/amazon/awssdk/core/interceptor/SdkInternalExecutionAttribute.java @@ -18,6 +18,7 @@ import java.util.Map; import java.util.concurrent.atomic.AtomicLong; import software.amazon.awssdk.annotations.SdkProtectedApi; +import software.amazon.awssdk.core.ClientEndpointProvider; import software.amazon.awssdk.core.SdkClient; import software.amazon.awssdk.core.SdkProtocolMetadata; import software.amazon.awssdk.core.SelectedAuthScheme; @@ -77,6 +78,13 @@ public final class SdkInternalExecutionAttribute extends SdkExecutionAttribute { public static final ExecutionAttribute IS_NONE_AUTH_TYPE_REQUEST = new ExecutionAttribute<>("IsNoneAuthTypeRequest"); + /** + * The endpoint provider used to resolve the endpoint of the client. This will be overridden during the request + * pipeline by the {@link #ENDPOINT_PROVIDER}. + */ + public static final ExecutionAttribute CLIENT_ENDPOINT_PROVIDER = + new ExecutionAttribute<>("ClientEndpointProvider"); + /** * The endpoint provider used to resolve the destination endpoint for a request. */ diff --git a/core/sdk-core/src/main/java/software/amazon/awssdk/core/internal/SdkInternalTestAdvancedClientOption.java b/core/sdk-core/src/main/java/software/amazon/awssdk/core/internal/SdkInternalTestAdvancedClientOption.java index 9bebbe2fd600..25661ebb0260 100644 --- a/core/sdk-core/src/main/java/software/amazon/awssdk/core/internal/SdkInternalTestAdvancedClientOption.java +++ b/core/sdk-core/src/main/java/software/amazon/awssdk/core/internal/SdkInternalTestAdvancedClientOption.java @@ -20,7 +20,6 @@ import software.amazon.awssdk.annotations.SdkTestInternalApi; import software.amazon.awssdk.core.client.builder.SdkClientBuilder; import software.amazon.awssdk.core.client.config.SdkAdvancedClientOption; -import software.amazon.awssdk.core.client.config.SdkClientOption; /** * Options of {@link SdkAdvancedClientOption} that must not be used outside of tests that are stored in this project. @@ -33,7 +32,7 @@ public class SdkInternalTestAdvancedClientOption extends SdkAdvancedClientOpt * endpoints generated from a specific region. For example, endpoint discovery is not supported in some cases when endpoint * overrides are used. * - * When this option is set, the {@link SdkClientOption#ENDPOINT_OVERRIDDEN} is forced to this value. Because of the way this + * When this option is set, the "endpoint overridden" flag is forced to this value. Because of the way this * is implemented, the client configuration must be configured *after* the {@code endpointOverride} is configured. */ @SdkTestInternalApi diff --git a/core/sdk-core/src/main/java/software/amazon/awssdk/core/internal/StaticClientEndpointProvider.java b/core/sdk-core/src/main/java/software/amazon/awssdk/core/internal/StaticClientEndpointProvider.java new file mode 100644 index 000000000000..40a9cd38f2c3 --- /dev/null +++ b/core/sdk-core/src/main/java/software/amazon/awssdk/core/internal/StaticClientEndpointProvider.java @@ -0,0 +1,81 @@ +/* + * 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; + +import java.net.URI; +import software.amazon.awssdk.annotations.SdkInternalApi; +import software.amazon.awssdk.core.ClientEndpointProvider; +import software.amazon.awssdk.utils.ToString; +import software.amazon.awssdk.utils.Validate; + +/** + * An implementation of {@link ClientEndpointProvider} that uses static values. + * + * @see ClientEndpointProvider#create(URI, boolean) + */ +@SdkInternalApi +public class StaticClientEndpointProvider implements ClientEndpointProvider { + private final URI clientEndpoint; + private final boolean isEndpointOverridden; + + public StaticClientEndpointProvider(URI clientEndpoint, boolean isEndpointOverridden) { + this.clientEndpoint = Validate.paramNotNull(clientEndpoint, "clientEndpoint"); + this.isEndpointOverridden = isEndpointOverridden; + Validate.paramNotNull(clientEndpoint.getScheme(), "The URI scheme of endpointOverride"); + } + + @Override + public URI clientEndpoint() { + return this.clientEndpoint; + } + + @Override + public boolean isEndpointOverridden() { + return this.isEndpointOverridden; + } + + @Override + public boolean equals(Object o) { + if (this == o) { + return true; + } + if (o == null || getClass() != o.getClass()) { + return false; + } + + StaticClientEndpointProvider that = (StaticClientEndpointProvider) o; + + if (isEndpointOverridden != that.isEndpointOverridden) { + return false; + } + return clientEndpoint.equals(that.clientEndpoint); + } + + @Override + public int hashCode() { + int result = clientEndpoint.hashCode(); + result = 31 * result + (isEndpointOverridden ? 1 : 0); + return result; + } + + @Override + public String toString() { + return ToString.builder("ClientEndpointProvider") + .add("clientEndpoint", clientEndpoint) + .add("isEndpointOverridden", isEndpointOverridden) + .build(); + } +} diff --git a/core/sdk-core/src/test/java/software/amazon/awssdk/core/client/builder/DefaultClientBuilderTest.java b/core/sdk-core/src/test/java/software/amazon/awssdk/core/client/builder/DefaultClientBuilderTest.java index 0a9938ea9e2e..25e83b36383c 100644 --- a/core/sdk-core/src/test/java/software/amazon/awssdk/core/client/builder/DefaultClientBuilderTest.java +++ b/core/sdk-core/src/test/java/software/amazon/awssdk/core/client/builder/DefaultClientBuilderTest.java @@ -30,7 +30,6 @@ import static software.amazon.awssdk.core.client.config.SdkClientOption.ADDITIONAL_HTTP_HEADERS; import static software.amazon.awssdk.core.client.config.SdkClientOption.API_CALL_ATTEMPT_TIMEOUT; import static software.amazon.awssdk.core.client.config.SdkClientOption.API_CALL_TIMEOUT; -import static software.amazon.awssdk.core.client.config.SdkClientOption.ENDPOINT_OVERRIDDEN; import static software.amazon.awssdk.core.client.config.SdkClientOption.EXECUTION_ATTRIBUTES; import static software.amazon.awssdk.core.client.config.SdkClientOption.EXECUTION_INTERCEPTORS; import static software.amazon.awssdk.core.client.config.SdkClientOption.METRIC_PUBLISHERS; @@ -65,6 +64,7 @@ import org.mockito.Mock; import org.mockito.Mockito; import org.mockito.junit.MockitoJUnitRunner; +import software.amazon.awssdk.core.ClientEndpointProvider; import software.amazon.awssdk.core.client.config.ClientOverrideConfiguration; import software.amazon.awssdk.core.client.config.SdkAdvancedClientOption; import software.amazon.awssdk.core.client.config.SdkClientConfiguration; @@ -285,7 +285,6 @@ public void close() { assertThat(config.option(PROFILE_NAME)).isEqualTo(profileName); assertThat(config.option(METRIC_PUBLISHERS)).contains(metricPublisher); assertThat(config.option(EXECUTION_ATTRIBUTES).getAttribute(execAttribute)).isEqualTo("value"); - assertThat(config.option(ENDPOINT_OVERRIDDEN)).isEqualTo(Boolean.TRUE); // Ensure that the SDK won't close the scheduled executor service we provided. config.close(); @@ -306,7 +305,8 @@ public void buildIncludesServiceDefaults() { public void buildWithEndpointShouldHaveCorrectEndpointAndSigningRegion() { TestClient client = testClientBuilder().endpointOverride(ENDPOINT).build(); - assertThat(client.clientConfiguration.option(SdkClientOption.ENDPOINT)).isEqualTo(ENDPOINT); + assertThat(client.clientConfiguration.option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER).clientEndpoint()) + .isEqualTo(ENDPOINT); } @Test @@ -482,7 +482,8 @@ protected TestClient buildClient() { @Override protected SdkClientConfiguration mergeChildDefaults(SdkClientConfiguration configuration) { - return configuration.merge(c -> c.option(SdkClientOption.ENDPOINT, DEFAULT_ENDPOINT)); + return configuration.merge(c -> c.option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER, + ClientEndpointProvider.forEndpointOverride(DEFAULT_ENDPOINT))); } @Override @@ -513,7 +514,8 @@ protected TestAsyncClient buildClient() { @Override protected SdkClientConfiguration mergeChildDefaults(SdkClientConfiguration configuration) { - return configuration.merge(c -> c.option(SdkClientOption.ENDPOINT, DEFAULT_ENDPOINT)); + return configuration.merge(c -> c.option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER, + ClientEndpointProvider.forEndpointOverride(DEFAULT_ENDPOINT))); } @Override diff --git a/core/sdk-core/src/test/java/utils/HttpTestUtils.java b/core/sdk-core/src/test/java/utils/HttpTestUtils.java index 6c21a54c227b..127584c67e5a 100644 --- a/core/sdk-core/src/test/java/utils/HttpTestUtils.java +++ b/core/sdk-core/src/test/java/utils/HttpTestUtils.java @@ -24,6 +24,7 @@ import java.util.Map; import java.util.concurrent.Executors; import java.util.stream.Collectors; +import software.amazon.awssdk.core.ClientEndpointProvider; import software.amazon.awssdk.core.client.config.SdkAdvancedAsyncClientOption; import software.amazon.awssdk.core.client.config.SdkAdvancedClientOption; import software.amazon.awssdk.core.client.config.SdkClientConfiguration; @@ -70,7 +71,8 @@ public static TestAsyncClientBuilder testAsyncClientBuilder() { public static SdkClientConfiguration testClientConfiguration() { return SdkClientConfiguration.builder() .option(SdkClientOption.EXECUTION_INTERCEPTORS, new ArrayList<>()) - .option(SdkClientOption.ENDPOINT, URI.create("http://localhost:8080")) + .option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER, + ClientEndpointProvider.forEndpointOverride(URI.create("http://localhost:8080"))) .option(SdkClientOption.RETRY_STRATEGY, SdkDefaultRetryStrategy.defaultRetryStrategy()) .option(SdkClientOption.ADDITIONAL_HTTP_HEADERS, new HashMap<>()) diff --git a/services/docdb/src/main/java/software/amazon/awssdk/services/docdb/internal/RdsPresignInterceptor.java b/services/docdb/src/main/java/software/amazon/awssdk/services/docdb/internal/RdsPresignInterceptor.java index 4d48de11e262..55b0fd574e64 100644 --- a/services/docdb/src/main/java/software/amazon/awssdk/services/docdb/internal/RdsPresignInterceptor.java +++ b/services/docdb/src/main/java/software/amazon/awssdk/services/docdb/internal/RdsPresignInterceptor.java @@ -25,13 +25,13 @@ import java.util.concurrent.CompletableFuture; import software.amazon.awssdk.annotations.SdkInternalApi; import software.amazon.awssdk.awscore.AwsExecutionAttribute; -import software.amazon.awssdk.awscore.endpoint.DefaultServiceEndpointBuilder; +import software.amazon.awssdk.awscore.endpoint.AwsClientEndpointProvider; +import software.amazon.awssdk.core.ClientEndpointProvider; import software.amazon.awssdk.core.Protocol; import software.amazon.awssdk.core.SdkRequest; import software.amazon.awssdk.core.SelectedAuthScheme; import software.amazon.awssdk.core.client.config.SdkClientConfiguration; import software.amazon.awssdk.core.client.config.SdkClientOption; -import software.amazon.awssdk.core.exception.SdkClientException; import software.amazon.awssdk.core.interceptor.Context; import software.amazon.awssdk.core.interceptor.ExecutionAttributes; import software.amazon.awssdk.core.interceptor.ExecutionInterceptor; @@ -60,13 +60,15 @@ @SdkInternalApi public abstract class RdsPresignInterceptor implements ExecutionInterceptor { - private static final URI CUSTOM_ENDPOINT_LOCALHOST = URI.create("http://localhost"); + private static final ClientEndpointProvider CUSTOM_ENDPOINT_PROVIDER_LOCALHOST = + ClientEndpointProvider.forEndpointOverride(URI.create("http://localhost")); protected static final AwsQueryProtocolFactory PROTOCOL_FACTORY = AwsQueryProtocolFactory .builder() // Need an endpoint to marshall but this will be overwritten in modifyHttpRequest .clientConfiguration(SdkClientConfiguration.builder() - .option(SdkClientOption.ENDPOINT, CUSTOM_ENDPOINT_LOCALHOST) + .option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER, + CUSTOM_ENDPOINT_PROVIDER_LOCALHOST) .build()) .build(); @@ -217,20 +219,16 @@ private SdkHttpFullRequest toSdkHttpFullRequest(SignedRequest signedRequest) { } private URI createEndpoint(String regionName, String serviceName, ExecutionAttributes attributes) { - Region region = Region.of(regionName); - if (region == null) { - throw SdkClientException.builder() - .message("{" + serviceName + ", " + regionName + "} was not " - + "found in region metadata. Update to latest version of SDK and try again.") - .build(); - } - - return new DefaultServiceEndpointBuilder(SERVICE_NAME, Protocol.HTTPS.toString()) - .withRegion(region) - .withProfileFile(attributes.getAttribute(SdkExecutionAttribute.PROFILE_FILE_SUPPLIER)) - .withProfileName(attributes.getAttribute(SdkExecutionAttribute.PROFILE_NAME)) - .withDualstackEnabled(attributes.getAttribute(AwsExecutionAttribute.DUALSTACK_ENDPOINT_ENABLED)) - .withFipsEnabled(attributes.getAttribute(AwsExecutionAttribute.FIPS_ENDPOINT_ENABLED)) - .getServiceEndpoint(); + return AwsClientEndpointProvider.builder() + .serviceEndpointPrefix(SERVICE_NAME) + .defaultProtocol(Protocol.HTTPS.toString()) + .region(Region.of(regionName)) + .profileFile(attributes.getAttribute(SdkExecutionAttribute.PROFILE_FILE_SUPPLIER)) + .profileName(attributes.getAttribute(SdkExecutionAttribute.PROFILE_NAME)) + .dualstackEnabled( + attributes.getAttribute(AwsExecutionAttribute.DUALSTACK_ENDPOINT_ENABLED)) + .fipsEnabled(attributes.getAttribute(AwsExecutionAttribute.FIPS_ENDPOINT_ENABLED)) + .build() + .clientEndpoint(); } } diff --git a/services/dynamodb/src/test/java/software/amazon/awssdk/services/dynamodb/PutItemRequestMarshallerTest.java b/services/dynamodb/src/test/java/software/amazon/awssdk/services/dynamodb/PutItemRequestMarshallerTest.java index 70b65c2c9b52..788280ad457c 100644 --- a/services/dynamodb/src/test/java/software/amazon/awssdk/services/dynamodb/PutItemRequestMarshallerTest.java +++ b/services/dynamodb/src/test/java/software/amazon/awssdk/services/dynamodb/PutItemRequestMarshallerTest.java @@ -24,6 +24,7 @@ import java.nio.ByteBuffer; import org.junit.jupiter.api.Test; import software.amazon.awssdk.core.SdkBytes; +import software.amazon.awssdk.core.ClientEndpointProvider; import software.amazon.awssdk.core.client.config.SdkClientConfiguration; import software.amazon.awssdk.core.client.config.SdkClientOption; import software.amazon.awssdk.http.SdkHttpFullRequest; @@ -42,7 +43,8 @@ public class PutItemRequestMarshallerTest { AwsJsonProtocolFactory.builder() .clientConfiguration( SdkClientConfiguration.builder() - .option(SdkClientOption.ENDPOINT, URI.create("http://localhost")) + .option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER, + ClientEndpointProvider.forEndpointOverride(URI.create("http://localhost"))) .build()) .protocolVersion("1.1") .protocol(AwsJsonProtocol.AWS_JSON) diff --git a/services/ec2/src/main/java/software/amazon/awssdk/services/ec2/transform/internal/GeneratePreSignUrlInterceptor.java b/services/ec2/src/main/java/software/amazon/awssdk/services/ec2/transform/internal/GeneratePreSignUrlInterceptor.java index baf011facda5..7e8f314d0eca 100644 --- a/services/ec2/src/main/java/software/amazon/awssdk/services/ec2/transform/internal/GeneratePreSignUrlInterceptor.java +++ b/services/ec2/src/main/java/software/amazon/awssdk/services/ec2/transform/internal/GeneratePreSignUrlInterceptor.java @@ -27,6 +27,7 @@ import software.amazon.awssdk.auth.signer.Aws4Signer; import software.amazon.awssdk.auth.signer.params.Aws4PresignerParams; import software.amazon.awssdk.awscore.util.AwsHostNameUtils; +import software.amazon.awssdk.core.ClientEndpointProvider; import software.amazon.awssdk.core.SdkRequest; import software.amazon.awssdk.core.client.config.SdkClientConfiguration; import software.amazon.awssdk.core.client.config.SdkClientOption; @@ -51,13 +52,15 @@ @SdkInternalApi public final class GeneratePreSignUrlInterceptor implements ExecutionInterceptor { - private static final URI CUSTOM_ENDPOINT_LOCALHOST = URI.create("http://localhost"); + private static final ClientEndpointProvider CUSTOM_ENDPOINT_PROVIDER_LOCALHOST = + ClientEndpointProvider.forEndpointOverride(URI.create("http://localhost")); private static final AwsEc2ProtocolFactory PROTOCOL_FACTORY = AwsEc2ProtocolFactory .builder() // Need an endpoint to marshall but this will be overwritten in modifyHttpRequest .clientConfiguration(SdkClientConfiguration.builder() - .option(SdkClientOption.ENDPOINT, CUSTOM_ENDPOINT_LOCALHOST) + .option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER, + CUSTOM_ENDPOINT_PROVIDER_LOCALHOST) .build()) .build(); diff --git a/services/neptune/src/main/java/software/amazon/awssdk/services/neptune/internal/RdsPresignInterceptor.java b/services/neptune/src/main/java/software/amazon/awssdk/services/neptune/internal/RdsPresignInterceptor.java index 07dd4567100c..34f8fe30247c 100644 --- a/services/neptune/src/main/java/software/amazon/awssdk/services/neptune/internal/RdsPresignInterceptor.java +++ b/services/neptune/src/main/java/software/amazon/awssdk/services/neptune/internal/RdsPresignInterceptor.java @@ -25,13 +25,13 @@ import java.util.concurrent.CompletableFuture; import software.amazon.awssdk.annotations.SdkInternalApi; import software.amazon.awssdk.awscore.AwsExecutionAttribute; -import software.amazon.awssdk.awscore.endpoint.DefaultServiceEndpointBuilder; +import software.amazon.awssdk.awscore.endpoint.AwsClientEndpointProvider; +import software.amazon.awssdk.core.ClientEndpointProvider; import software.amazon.awssdk.core.Protocol; import software.amazon.awssdk.core.SdkRequest; import software.amazon.awssdk.core.SelectedAuthScheme; import software.amazon.awssdk.core.client.config.SdkClientConfiguration; import software.amazon.awssdk.core.client.config.SdkClientOption; -import software.amazon.awssdk.core.exception.SdkClientException; import software.amazon.awssdk.core.interceptor.Context; import software.amazon.awssdk.core.interceptor.ExecutionAttributes; import software.amazon.awssdk.core.interceptor.ExecutionInterceptor; @@ -61,13 +61,15 @@ @SdkInternalApi public abstract class RdsPresignInterceptor implements ExecutionInterceptor { - private static final URI CUSTOM_ENDPOINT_LOCALHOST = URI.create("http://localhost"); + private static final ClientEndpointProvider CUSTOM_ENDPOINT_PROVIDER_LOCALHOST = + ClientEndpointProvider.forEndpointOverride(URI.create("http://localhost")); protected static final AwsQueryProtocolFactory PROTOCOL_FACTORY = AwsQueryProtocolFactory .builder() // Need an endpoint to marshall but this will be overwritten in modifyHttpRequest .clientConfiguration(SdkClientConfiguration.builder() - .option(SdkClientOption.ENDPOINT, CUSTOM_ENDPOINT_LOCALHOST) + .option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER, + CUSTOM_ENDPOINT_PROVIDER_LOCALHOST) .build()) .build(); @@ -218,20 +220,16 @@ private SdkHttpFullRequest toSdkHttpFullRequest(SignedRequest signedRequest) { } private URI createEndpoint(String regionName, String serviceName, ExecutionAttributes attributes) { - Region region = Region.of(regionName); - if (region == null) { - throw SdkClientException.builder() - .message("{" + serviceName + ", " + regionName + "} was not " - + "found in region metadata. Update to latest version of SDK and try again.") - .build(); - } - - return new DefaultServiceEndpointBuilder(SERVICE_NAME, Protocol.HTTPS.toString()) - .withRegion(region) - .withProfileFile(attributes.getAttribute(SdkExecutionAttribute.PROFILE_FILE_SUPPLIER)) - .withProfileName(attributes.getAttribute(SdkExecutionAttribute.PROFILE_NAME)) - .withDualstackEnabled(attributes.getAttribute(AwsExecutionAttribute.DUALSTACK_ENDPOINT_ENABLED)) - .withFipsEnabled(attributes.getAttribute(AwsExecutionAttribute.FIPS_ENDPOINT_ENABLED)) - .getServiceEndpoint(); + return AwsClientEndpointProvider.builder() + .serviceEndpointPrefix(SERVICE_NAME) + .defaultProtocol(Protocol.HTTPS.toString()) + .region(Region.of(regionName)) + .profileFile(attributes.getAttribute(SdkExecutionAttribute.PROFILE_FILE_SUPPLIER)) + .profileName(attributes.getAttribute(SdkExecutionAttribute.PROFILE_NAME)) + .dualstackEnabled( + attributes.getAttribute(AwsExecutionAttribute.DUALSTACK_ENDPOINT_ENABLED)) + .fipsEnabled(attributes.getAttribute(AwsExecutionAttribute.FIPS_ENDPOINT_ENABLED)) + .build() + .clientEndpoint(); } } diff --git a/services/polly/src/main/java/software/amazon/awssdk/services/polly/internal/presigner/DefaultPollyPresigner.java b/services/polly/src/main/java/software/amazon/awssdk/services/polly/internal/presigner/DefaultPollyPresigner.java index 3e5438c5ded5..0ed43bf8df63 100644 --- a/services/polly/src/main/java/software/amazon/awssdk/services/polly/internal/presigner/DefaultPollyPresigner.java +++ b/services/polly/src/main/java/software/amazon/awssdk/services/polly/internal/presigner/DefaultPollyPresigner.java @@ -38,7 +38,7 @@ import software.amazon.awssdk.auth.signer.AwsSignerExecutionAttribute; import software.amazon.awssdk.awscore.AwsExecutionAttribute; import software.amazon.awssdk.awscore.AwsRequestOverrideConfiguration; -import software.amazon.awssdk.awscore.endpoint.DefaultServiceEndpointBuilder; +import software.amazon.awssdk.awscore.endpoint.AwsClientEndpointProvider; import software.amazon.awssdk.awscore.endpoint.DualstackEnabledProvider; import software.amazon.awssdk.awscore.endpoint.FipsEnabledProvider; import software.amazon.awssdk.awscore.presigner.PresignRequest; @@ -341,17 +341,20 @@ private void applyEndpoint(SdkHttpFullRequest.Builder httpRequestBuilder) { } private URI resolveEndpoint() { - if (endpointOverride != null) { - return endpointOverride; - } - - return new DefaultServiceEndpointBuilder(SERVICE_NAME, "https") - .withRegion(region) - .withProfileFile(profileFile) - .withProfileName(profileName) - .withDualstackEnabled(dualstackEnabled) - .withFipsEnabled(fipsEnabled) - .getServiceEndpoint(); + return AwsClientEndpointProvider.builder() + .clientEndpointOverride(endpointOverride) + .serviceEndpointOverrideEnvironmentVariable("AWS_ENDPOINT_URL_POLLY") + .serviceEndpointOverrideSystemProperty("aws.endpointUrlPolly") + .serviceProfileProperty("polly") + .serviceEndpointPrefix(SERVICE_NAME) + .defaultProtocol("https") + .region(region) + .profileFile(profileFile) + .profileName(profileName) + .dualstackEnabled(dualstackEnabled) + .fipsEnabled(fipsEnabled) + .build() + .clientEndpoint(); } public static class BuilderImpl implements PollyPresigner.Builder { diff --git a/services/rds/src/main/java/software/amazon/awssdk/services/rds/internal/RdsPresignInterceptor.java b/services/rds/src/main/java/software/amazon/awssdk/services/rds/internal/RdsPresignInterceptor.java index eae144050d6d..3e55f5ae9f24 100644 --- a/services/rds/src/main/java/software/amazon/awssdk/services/rds/internal/RdsPresignInterceptor.java +++ b/services/rds/src/main/java/software/amazon/awssdk/services/rds/internal/RdsPresignInterceptor.java @@ -25,13 +25,13 @@ import java.util.concurrent.CompletableFuture; import software.amazon.awssdk.annotations.SdkInternalApi; import software.amazon.awssdk.awscore.AwsExecutionAttribute; -import software.amazon.awssdk.awscore.endpoint.DefaultServiceEndpointBuilder; +import software.amazon.awssdk.awscore.endpoint.AwsClientEndpointProvider; +import software.amazon.awssdk.core.ClientEndpointProvider; import software.amazon.awssdk.core.Protocol; import software.amazon.awssdk.core.SdkRequest; import software.amazon.awssdk.core.SelectedAuthScheme; import software.amazon.awssdk.core.client.config.SdkClientConfiguration; import software.amazon.awssdk.core.client.config.SdkClientOption; -import software.amazon.awssdk.core.exception.SdkClientException; import software.amazon.awssdk.core.interceptor.Context; import software.amazon.awssdk.core.interceptor.ExecutionAttributes; import software.amazon.awssdk.core.interceptor.ExecutionInterceptor; @@ -60,13 +60,15 @@ @SdkInternalApi public abstract class RdsPresignInterceptor implements ExecutionInterceptor { - private static final URI CUSTOM_ENDPOINT_LOCALHOST = URI.create("http://localhost"); + private static final ClientEndpointProvider CUSTOM_ENDPOINT_PROVIDER_LOCALHOST = + ClientEndpointProvider.forEndpointOverride(URI.create("http://localhost")); protected static final AwsQueryProtocolFactory PROTOCOL_FACTORY = AwsQueryProtocolFactory .builder() // Need an endpoint to marshall but this will be overwritten in modifyHttpRequest .clientConfiguration(SdkClientConfiguration.builder() - .option(SdkClientOption.ENDPOINT, CUSTOM_ENDPOINT_LOCALHOST) + .option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER, + CUSTOM_ENDPOINT_PROVIDER_LOCALHOST) .build()) .build(); @@ -216,20 +218,16 @@ private SdkHttpFullRequest toSdkHttpFullRequest(SignedRequest signedRequest) { } private URI createEndpoint(String regionName, String serviceName, ExecutionAttributes attributes) { - Region region = Region.of(regionName); - if (region == null) { - throw SdkClientException.builder() - .message("{" + serviceName + ", " + regionName + "} was not " - + "found in region metadata. Update to latest version of SDK and try again.") - .build(); - } - - return new DefaultServiceEndpointBuilder(SERVICE_NAME, Protocol.HTTPS.toString()) - .withRegion(region) - .withProfileFile(attributes.getAttribute(SdkExecutionAttribute.PROFILE_FILE_SUPPLIER)) - .withProfileName(attributes.getAttribute(SdkExecutionAttribute.PROFILE_NAME)) - .withDualstackEnabled(attributes.getAttribute(AwsExecutionAttribute.DUALSTACK_ENDPOINT_ENABLED)) - .withFipsEnabled(attributes.getAttribute(AwsExecutionAttribute.FIPS_ENDPOINT_ENABLED)) - .getServiceEndpoint(); + return AwsClientEndpointProvider.builder() + .serviceEndpointPrefix(SERVICE_NAME) + .defaultProtocol(Protocol.HTTPS.toString()) + .region(Region.of(regionName)) + .profileFile(attributes.getAttribute(SdkExecutionAttribute.PROFILE_FILE_SUPPLIER)) + .profileName(attributes.getAttribute(SdkExecutionAttribute.PROFILE_NAME)) + .dualstackEnabled( + attributes.getAttribute(AwsExecutionAttribute.DUALSTACK_ENDPOINT_ENABLED)) + .fipsEnabled(attributes.getAttribute(AwsExecutionAttribute.FIPS_ENDPOINT_ENABLED)) + .build() + .clientEndpoint(); } } diff --git a/services/route53/src/test/java/software/amazon/awssdk/services/route53/QueryParamBindingTest.java b/services/route53/src/test/java/software/amazon/awssdk/services/route53/QueryParamBindingTest.java index 8c1cdda76b46..78a21d9e145e 100644 --- a/services/route53/src/test/java/software/amazon/awssdk/services/route53/QueryParamBindingTest.java +++ b/services/route53/src/test/java/software/amazon/awssdk/services/route53/QueryParamBindingTest.java @@ -21,6 +21,7 @@ import java.util.List; import java.util.Map; import org.junit.jupiter.api.Test; +import software.amazon.awssdk.core.ClientEndpointProvider; import software.amazon.awssdk.core.client.config.SdkClientConfiguration; import software.amazon.awssdk.core.client.config.SdkClientOption; import software.amazon.awssdk.http.SdkHttpFullRequest; @@ -35,7 +36,8 @@ public class QueryParamBindingTest { protected static final AwsXmlProtocolFactory PROTOCOL_FACTORY = AwsXmlProtocolFactory .builder() .clientConfiguration(SdkClientConfiguration.builder() - .option(SdkClientOption.ENDPOINT, URI.create("http://localhost")) + .option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER, + ClientEndpointProvider.forEndpointOverride(URI.create("http://localhost"))) .build()) .build(); diff --git a/services/s3/src/main/java/software/amazon/awssdk/services/s3/S3Utilities.java b/services/s3/src/main/java/software/amazon/awssdk/services/s3/S3Utilities.java index 6175e2004247..26ed7e82e8c6 100644 --- a/services/s3/src/main/java/software/amazon/awssdk/services/s3/S3Utilities.java +++ b/services/s3/src/main/java/software/amazon/awssdk/services/s3/S3Utilities.java @@ -35,10 +35,11 @@ import software.amazon.awssdk.awscore.AwsExecutionAttribute; import software.amazon.awssdk.awscore.client.config.AwsClientOption; import software.amazon.awssdk.awscore.defaultsmode.DefaultsMode; -import software.amazon.awssdk.awscore.endpoint.DefaultServiceEndpointBuilder; +import software.amazon.awssdk.awscore.endpoint.AwsClientEndpointProvider; import software.amazon.awssdk.awscore.endpoint.DualstackEnabledProvider; import software.amazon.awssdk.awscore.endpoint.FipsEnabledProvider; import software.amazon.awssdk.awscore.internal.defaultsmode.DefaultsModeConfiguration; +import software.amazon.awssdk.core.ClientEndpointProvider; import software.amazon.awssdk.core.ClientType; import software.amazon.awssdk.core.client.config.ClientOverrideConfiguration; import software.amazon.awssdk.core.client.config.SdkClientConfiguration; @@ -182,8 +183,9 @@ static S3Utilities create(SdkClientConfiguration clientConfiguration) { .profileFile(clientConfiguration.option(SdkClientOption.PROFILE_FILE_SUPPLIER)) .profileName(clientConfiguration.option(SdkClientOption.PROFILE_NAME)); - if (Boolean.TRUE.equals(clientConfiguration.option(SdkClientOption.ENDPOINT_OVERRIDDEN))) { - builder.endpoint(clientConfiguration.option(SdkClientOption.ENDPOINT)); + ClientEndpointProvider clientEndpoint = clientConfiguration.option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER); + if (clientEndpoint.isEndpointOverridden()) { + builder.endpoint(clientEndpoint.clientEndpoint()); } return builder.build(); @@ -231,9 +233,9 @@ public URL getUrl(Consumer getUrlRequest) { public URL getUrl(GetUrlRequest getUrlRequest) { Region resolvedRegion = resolveRegionForGetUrl(getUrlRequest); URI endpointOverride = getEndpointOverride(getUrlRequest); - URI resolvedEndpoint = resolveEndpoint(endpointOverride, resolvedRegion); + ClientEndpointProvider clientEndpoint = clientEndpointProvider(endpointOverride, resolvedRegion); - SdkHttpFullRequest marshalledRequest = createMarshalledRequest(getUrlRequest, resolvedEndpoint); + SdkHttpFullRequest marshalledRequest = createMarshalledRequest(getUrlRequest, clientEndpoint); GetObjectRequest getObjectRequest = GetObjectRequest.builder() .bucket(getUrlRequest.bucket()) @@ -246,9 +248,7 @@ public URL getUrl(GetUrlRequest getUrlRequest) { .request(getObjectRequest) .build(); - ExecutionAttributes executionAttributes = createExecutionAttributes(resolvedEndpoint, - resolvedRegion, - endpointOverride != null); + ExecutionAttributes executionAttributes = createExecutionAttributes(clientEndpoint, resolvedRegion); SdkHttpRequest modifiedRequest = runInterceptors(interceptorContext, executionAttributes).httpRequest(); try { @@ -426,15 +426,20 @@ private Region resolveRegionForGetUrl(GetUrlRequest getUrlRequest) { /** * If endpoint is not present, construct a default endpoint using the region information. */ - private URI resolveEndpoint(URI overrideEndpoint, Region region) { - return overrideEndpoint != null - ? overrideEndpoint - : new DefaultServiceEndpointBuilder("s3", "https").withRegion(region) - .withProfileFile(profileFile) - .withProfileName(profileName) - .withDualstackEnabled(s3Configuration.dualstackEnabled()) - .withFipsEnabled(fipsEnabled) - .getServiceEndpoint(); + private ClientEndpointProvider clientEndpointProvider(URI overrideEndpoint, Region region) { + return AwsClientEndpointProvider.builder() + .clientEndpointOverride(overrideEndpoint) + .serviceEndpointOverrideEnvironmentVariable("AWS_ENDPOINT_URL_S3") + .serviceEndpointOverrideSystemProperty("aws.endpointUrlS3") + .serviceProfileProperty("s3") + .serviceEndpointPrefix(SERVICE_NAME) + .defaultProtocol("https") + .region(region) + .profileFile(profileFile) + .profileName(profileName) + .dualstackEnabled(s3Configuration.dualstackEnabled()) + .fipsEnabled(fipsEnabled) + .build(); } private URI getEndpointOverride(GetUrlRequest request) { @@ -445,13 +450,15 @@ private URI getEndpointOverride(GetUrlRequest request) { /** * Create a {@link SdkHttpFullRequest} object with the bucket and key values marshalled into the path params. */ - private SdkHttpFullRequest createMarshalledRequest(GetUrlRequest getUrlRequest, URI endpoint) { + private SdkHttpFullRequest createMarshalledRequest(GetUrlRequest getUrlRequest, + ClientEndpointProvider clientEndpoint) { OperationInfo operationInfo = OperationInfo.builder() .requestUri("/{Key+}") .httpMethod(SdkHttpMethod.HEAD) .build(); - SdkHttpFullRequest.Builder builder = ProtocolUtils.createSdkHttpRequest(operationInfo, endpoint); + SdkHttpFullRequest.Builder builder = ProtocolUtils.createSdkHttpRequest(operationInfo, + clientEndpoint.clientEndpoint()); // encode bucket builder.encodedPath(PathMarshaller.NON_GREEDY.marshall(builder.encodedPath(), @@ -472,8 +479,8 @@ private SdkHttpFullRequest createMarshalledRequest(GetUrlRequest getUrlRequest, * Create the execution attributes to provide to the endpoint interceptors. * @return */ - private ExecutionAttributes createExecutionAttributes(URI clientEndpoint, Region region, boolean isEndpointOverridden) { - ExecutionAttributes executionAttributes = new ExecutionAttributes() + private ExecutionAttributes createExecutionAttributes(ClientEndpointProvider clientEndpointProvider, Region region) { + return new ExecutionAttributes() .putAttribute(AwsExecutionAttribute.AWS_REGION, region) .putAttribute(SdkExecutionAttribute.CLIENT_TYPE, ClientType.SYNC) .putAttribute(SdkExecutionAttribute.SERVICE_NAME, SERVICE_NAME) @@ -483,14 +490,8 @@ private ExecutionAttributes createExecutionAttributes(URI clientEndpoint, Region .putAttribute(AwsExecutionAttribute.DUALSTACK_ENDPOINT_ENABLED, s3Configuration.dualstackEnabled()) .putAttribute(SdkInternalExecutionAttribute.ENDPOINT_PROVIDER, S3EndpointProvider.defaultProvider()) .putAttribute(SdkInternalExecutionAttribute.CLIENT_CONTEXT_PARAMS, createClientContextParams()) - .putAttribute(SdkExecutionAttribute.CLIENT_ENDPOINT, clientEndpoint) + .putAttribute(SdkInternalExecutionAttribute.CLIENT_ENDPOINT_PROVIDER, clientEndpointProvider) .putAttribute(AwsExecutionAttribute.USE_GLOBAL_ENDPOINT, useGlobalEndpointResolver.resolve(region)); - - if (isEndpointOverridden) { - executionAttributes.putAttribute(SdkExecutionAttribute.ENDPOINT_OVERRIDDEN, true); - } - - return executionAttributes; } private AttributeMap createClientContextParams() { diff --git a/services/s3/src/main/java/software/amazon/awssdk/services/s3/internal/signing/DefaultS3Presigner.java b/services/s3/src/main/java/software/amazon/awssdk/services/s3/internal/signing/DefaultS3Presigner.java index cef44ed8abf1..1bbb2e3917cf 100644 --- a/services/s3/src/main/java/software/amazon/awssdk/services/s3/internal/signing/DefaultS3Presigner.java +++ b/services/s3/src/main/java/software/amazon/awssdk/services/s3/internal/signing/DefaultS3Presigner.java @@ -21,7 +21,6 @@ import static software.amazon.awssdk.utils.CollectionUtils.mergeLists; import static software.amazon.awssdk.utils.FunctionalUtils.invokeSafely; -import java.net.URI; import java.time.Clock; import java.time.Duration; import java.time.Instant; @@ -41,7 +40,7 @@ import software.amazon.awssdk.awscore.AwsRequestOverrideConfiguration; import software.amazon.awssdk.awscore.client.builder.AwsDefaultClientBuilder; import software.amazon.awssdk.awscore.defaultsmode.DefaultsMode; -import software.amazon.awssdk.awscore.endpoint.DefaultServiceEndpointBuilder; +import software.amazon.awssdk.awscore.endpoint.AwsClientEndpointProvider; import software.amazon.awssdk.awscore.internal.AwsExecutionContextBuilder; import software.amazon.awssdk.awscore.internal.defaultsmode.DefaultsModeConfiguration; import software.amazon.awssdk.awscore.presigner.PresignRequest; @@ -238,23 +237,29 @@ private List initializeInterceptors() { * Copied from {@link AwsDefaultClientBuilder}. */ private SdkClientConfiguration createClientConfiguration() { - if (endpointOverride() != null) { - return SdkClientConfiguration.builder() - .option(SdkClientOption.ENDPOINT, endpointOverride()) - .option(SdkClientOption.ENDPOINT_OVERRIDDEN, true) - .build(); - } else { - URI defaultEndpoint = new DefaultServiceEndpointBuilder(SERVICE_NAME, "https") - .withRegion(region()) - .withProfileFile(profileFileSupplier()) - .withProfileName(profileName()) - .withDualstackEnabled(serviceConfiguration.dualstackEnabled()) - .withFipsEnabled(fipsEnabled()) - .getServiceEndpoint(); - return SdkClientConfiguration.builder() - .option(SdkClientOption.ENDPOINT, defaultEndpoint) - .build(); - } + AwsClientEndpointProvider endpointProvider = + AwsClientEndpointProvider.builder() + .clientEndpointOverride(endpointOverride()) + .serviceEndpointOverrideEnvironmentVariable("AWS_ENDPOINT_URL_S3") + .serviceEndpointOverrideSystemProperty("aws.endpointUrlS3") + .serviceProfileProperty("s3") + .serviceEndpointPrefix(SERVICE_NAME) + .defaultProtocol("https") + .region(region()) + .profileFile(profileFileSupplier()) + .profileName(profileName()) + .dualstackEnabled(serviceConfiguration.dualstackEnabled()) + .fipsEnabled(fipsEnabled()) + .build(); + + // Make sure the endpoint resolver can actually resolve an endpoint, so that we fail now instead of + // when a request is made. + endpointProvider.clientEndpoint(); + + return SdkClientConfiguration.builder() + .option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER, + endpointProvider) + .build(); } @Override @@ -394,9 +399,8 @@ private ExecutionContext invokeInterceptorsAndCreateExecutionContext(SdkRequest .putAttribute(SdkExecutionAttribute.SERVICE_CONFIG, serviceConfiguration()) .putAttribute(PRESIGNER_EXPIRATION, expiration) .putAttribute(AwsSignerExecutionAttribute.SIGNING_CLOCK, signingClock) - .putAttribute(SdkExecutionAttribute.CLIENT_ENDPOINT, clientConfiguration.option(SdkClientOption.ENDPOINT)) - .putAttribute(SdkExecutionAttribute.ENDPOINT_OVERRIDDEN, - clientConfiguration.option(SdkClientOption.ENDPOINT_OVERRIDDEN)) + .putAttribute(SdkInternalExecutionAttribute.CLIENT_ENDPOINT_PROVIDER, + clientConfiguration.option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER)) .putAttribute(AwsExecutionAttribute.FIPS_ENDPOINT_ENABLED, fipsEnabled()) .putAttribute(AwsExecutionAttribute.DUALSTACK_ENDPOINT_ENABLED, serviceConfiguration.dualstackEnabled()) .putAttribute(SdkInternalExecutionAttribute.ENDPOINT_PROVIDER, S3EndpointProvider.defaultProvider()) diff --git a/services/s3/src/test/java/software/amazon/awssdk/services/s3/internal/s3express/S3ExpressAuthSchemeProviderTest.java b/services/s3/src/test/java/software/amazon/awssdk/services/s3/internal/s3express/S3ExpressAuthSchemeProviderTest.java index 3c0ea297b530..13c7b37ab958 100644 --- a/services/s3/src/test/java/software/amazon/awssdk/services/s3/internal/s3express/S3ExpressAuthSchemeProviderTest.java +++ b/services/s3/src/test/java/software/amazon/awssdk/services/s3/internal/s3express/S3ExpressAuthSchemeProviderTest.java @@ -17,12 +17,14 @@ import static org.assertj.core.api.AssertionsForClassTypes.assertThat; +import java.net.URI; import java.util.HashMap; import java.util.Map; import java.util.concurrent.CompletableFuture; import org.junit.jupiter.api.Test; import software.amazon.awssdk.auth.credentials.DefaultCredentialsProvider; import software.amazon.awssdk.awscore.AwsExecutionAttribute; +import software.amazon.awssdk.core.ClientEndpointProvider; import software.amazon.awssdk.core.SelectedAuthScheme; import software.amazon.awssdk.core.interceptor.ExecutionAttributes; import software.amazon.awssdk.core.interceptor.SdkExecutionAttribute; @@ -72,6 +74,8 @@ private ExecutionAttributes requiredExecutionAttributes(AttributeMap clientConte DefaultIdentityProviders.builder() .putIdentityProvider(DefaultCredentialsProvider.create()) .build()); + executionAttributes.putAttribute(SdkInternalExecutionAttribute.CLIENT_ENDPOINT_PROVIDER, + ClientEndpointProvider.forEndpointOverride(URI.create("https://localhost"))); executionAttributes.putAttribute(SdkInternalExecutionAttribute.ENDPOINT_PROVIDER, S3EndpointProvider.defaultProvider()); return executionAttributes; diff --git a/test/codegen-generated-classes-test/src/test/java/software/amazon/awssdk/services/CodegenServiceClientConfigurationTest.java b/test/codegen-generated-classes-test/src/test/java/software/amazon/awssdk/services/CodegenServiceClientConfigurationTest.java index 6f7e1ce4208b..201141550d87 100644 --- a/test/codegen-generated-classes-test/src/test/java/software/amazon/awssdk/services/CodegenServiceClientConfigurationTest.java +++ b/test/codegen-generated-classes-test/src/test/java/software/amazon/awssdk/services/CodegenServiceClientConfigurationTest.java @@ -28,6 +28,7 @@ import org.junit.jupiter.params.provider.MethodSource; import software.amazon.awssdk.awscore.AwsServiceClientConfiguration; import software.amazon.awssdk.awscore.client.config.AwsClientOption; +import software.amazon.awssdk.core.ClientEndpointProvider; import software.amazon.awssdk.core.client.config.ClientOption; import software.amazon.awssdk.core.client.config.ClientOverrideConfiguration; import software.amazon.awssdk.core.client.config.SdkAdvancedClientOption; @@ -101,6 +102,13 @@ public static List> testCases() throws Exception { .getter(ProtocolRestJsonServiceClientConfiguration.Builder::endpointOverride) .dataGetter(x -> x.endpointOverride().orElse(null)) .build(), + TestCase.builder() + .option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER) + .value(ClientEndpointProvider.forEndpointOverride(new URI("http://localhost:8080"))) + .setter((b, p) -> b.endpointOverride(p.clientEndpoint())) + .getter(b -> b.endpointOverride() == null ? null : ClientEndpointProvider.forEndpointOverride(b.endpointOverride())) + .dataGetter(x -> x.endpointOverride().map(ClientEndpointProvider::forEndpointOverride).orElse(null)) + .build(), TestCase.builder() .option(SdkClientOption.ENDPOINT_PROVIDER) .value(MOCK_ENDPOINT_PROVIDER) diff --git a/test/codegen-generated-classes-test/src/test/java/software/amazon/awssdk/services/EndpointSharedConfigTest.java b/test/codegen-generated-classes-test/src/test/java/software/amazon/awssdk/services/EndpointSharedConfigTest.java new file mode 100644 index 000000000000..546810cf1c50 --- /dev/null +++ b/test/codegen-generated-classes-test/src/test/java/software/amazon/awssdk/services/EndpointSharedConfigTest.java @@ -0,0 +1,267 @@ +package software.amazon.awssdk.services; + +import static org.assertj.core.api.Assertions.assertThat; + +import java.net.URI; +import java.util.ArrayList; +import java.util.Arrays; +import java.util.HashMap; +import java.util.List; +import java.util.Map; +import org.junit.Test; +import org.junit.runner.RunWith; +import org.junit.runners.Parameterized; +import software.amazon.awssdk.auth.credentials.AnonymousCredentialsProvider; +import software.amazon.awssdk.profiles.ProfileFile; +import software.amazon.awssdk.regions.Region; +import software.amazon.awssdk.services.protocolrestjson.ProtocolRestJsonClient; +import software.amazon.awssdk.services.protocolrestjson.ProtocolRestJsonClientBuilder; +import software.amazon.awssdk.testutils.EnvironmentVariableHelper; + +/** + * Tests that endpoint resolution using service-specific endpoint overrides in environment variables, system properties, + * and profile configuration functions correctly. + */ +@RunWith(Parameterized.class) +public class EndpointSharedConfigTest { + private static final String GLOBAL_ENV_VAR = "AWS_ENDPOINT_URL"; + private static final String GLOBAL_SYS_PROP = "aws.endpointUrl"; + private static final String SERVICE_ENV_VAR = "AWS_ENDPOINT_URL_AMAZONPROTOCOLRESTJSON"; + private static final String SERVICE_SYS_PROP = "aws.endpointUrlProtocolRestJson"; + + @Parameterized.Parameter + public TestCase testCase; + + @Test + public void resolvesCorrectEndpoint() { + Map systemPropertiesBeforeTest = new HashMap<>(); + systemPropertiesBeforeTest.put(GLOBAL_SYS_PROP, System.getProperty(GLOBAL_SYS_PROP)); + systemPropertiesBeforeTest.put(SERVICE_SYS_PROP, System.getProperty(SERVICE_SYS_PROP)); + + EnvironmentVariableHelper helper = new EnvironmentVariableHelper(); + + try { + ProtocolRestJsonClientBuilder builder = + ProtocolRestJsonClient.builder() + .region(Region.US_WEST_2) + .credentialsProvider(AnonymousCredentialsProvider.create()); + + if (testCase.clientSetting != null) { + builder.endpointOverride(URI.create(testCase.clientSetting)); + } + + if (testCase.globalEnvVarSetting != null) { + helper.set(GLOBAL_ENV_VAR, testCase.globalEnvVarSetting); + } + + if (testCase.serviceEnvVarSetting != null) { + helper.set(SERVICE_ENV_VAR, testCase.serviceEnvVarSetting); + } + + if (testCase.globalSystemPropSetting != null) { + System.setProperty(GLOBAL_SYS_PROP, testCase.globalSystemPropSetting); + } + + if (testCase.serviceSystemPropSetting != null) { + System.setProperty(SERVICE_SYS_PROP, testCase.serviceSystemPropSetting); + } + + StringBuilder profileFileContent = new StringBuilder(); + profileFileContent.append("[default]\n"); + if (testCase.globalProfileSetting != null) { + profileFileContent.append("endpoint_url = ").append(testCase.globalProfileSetting).append("\n"); + } + if (testCase.serviceProfileSetting != null) { + profileFileContent.append("amazonprotocolrestjson =\n") + .append(" endpoint_url = ").append(testCase.serviceProfileSetting).append("\n"); + } + + ProfileFile profileFile = + ProfileFile.builder() + .type(ProfileFile.Type.CONFIGURATION) + .content(profileFileContent.toString()) + .build(); + + EndpointCapturingInterceptor interceptor = new EndpointCapturingInterceptor(); + + builder.overrideConfiguration(c -> c.defaultProfileFile(profileFile) + .defaultProfileName("default") + .addExecutionInterceptor(interceptor)); + + ProtocolRestJsonClient client = builder.build(); + + try { + client.allTypes(); + } catch (EndpointCapturingInterceptor.CaptureCompletedException e) { + // Expected + } + + assertThat(interceptor.endpoints()) + .singleElement() + .isEqualTo(testCase.expectedEndpoint + "/2016-03-11/allTypes"); + } finally { + systemPropertiesBeforeTest.forEach((k, v) -> { + if (v != null) { + System.setProperty(k, v); + } else { + System.clearProperty(k); + } + }); + helper.reset(); + } + } + + @Parameterized.Parameters(name = "{0}") + public static Iterable testCases() { + List settingNames = + Arrays.asList("Client", + "Service system property", + "Global system property", + "Service environment variable", + "Global environment variable", + "Service profile file", + "Global profile file"); + + boolean[][] settingCombinations = getSettingCombinations(settingNames.size()); + + List testCases = new ArrayList<>(); + for (int i = 0; i < settingCombinations.length; i++) { + boolean[] settings = settingCombinations[i]; + testCases.add(createCase(settingNames, settings, i)); + } + + return testCases; + } + + private static TestCase createCase(List settingNames, + boolean[] settings, + int caseIndex) { + List falseSettings = new ArrayList<>(); + String firstTrueSetting = null; + List lowerPrioritySettings = new ArrayList<>(); + Integer expectedEndpointIndex = null; + + for (int j = 0; j < settings.length; j++) { + String settingName = settingNames.get(j); + if (settings[j] && firstTrueSetting == null) { + firstTrueSetting = settingName; + expectedEndpointIndex = j; + } else if (firstTrueSetting == null) { + falseSettings.add(settingName); + } else { + lowerPrioritySettings.add(settingName); + } + } + + // Create case name + String caseName; + if (firstTrueSetting == null) { + caseName = "(" + caseIndex + ") Defaults are used."; + } else { + caseName = "(" + caseIndex + ") " + firstTrueSetting + " setting should be used"; + if (!falseSettings.isEmpty()) { + caseName += ", because " + falseSettings + " setting(s) were not set"; + } + if (!lowerPrioritySettings.isEmpty()) { + caseName += ". " + lowerPrioritySettings + " setting(s) should be ignored"; + } + caseName += "."; + } + + return new TestCase(settings, expectedEndpointIndex, caseName); + } + + public static void printArrayOfArrays(boolean[][] arrays) { + for (boolean[] array : arrays) { + System.out.println(arrayToString(array)); + } + } + + private static String arrayToString(boolean[] array) { + StringBuilder sb = new StringBuilder("["); + for (int i = 0; i < array.length; i++) { + sb.append(array[i]); + if (i < array.length - 1) { + sb.append(", "); + } + } + sb.append("]"); + return sb.toString(); + } + + private static boolean[][] getSettingCombinations(int numSettings) { + int numCombinations = 1 << numSettings; + boolean[][] settingCombinations = new boolean[numCombinations][numSettings]; + for (int combination = 0; combination < numCombinations; combination++) { + for (int settingIndex = 0; settingIndex < numSettings; settingIndex++) { + int settingBit = 1 << settingIndex; + settingCombinations[combination][settingIndex] = (combination & settingBit) > 0; + } + } + return settingCombinations; + } + + public static class TestCase { + private static final String DEFAULT_ENDPOINT = "https://customresponsemetadata.us-west-2.amazonaws.com"; + private static final List SETTING_ENDPOINTS = + Arrays.asList("https://client-endpoint.com", + "https://service-system-property-endpoint.com", + "https://global-system-property-endpoint.com", + "https://service-env-var-endpoint.com", + "https://global-env-var-endpoint.com", + "https://service-profile-endpoint.com", + "https://global-profile-endpoint.com"); + + private final String clientSetting; + private final String serviceSystemPropSetting; + private final String globalSystemPropSetting; + private final String serviceEnvVarSetting; + private final String globalEnvVarSetting; + private final String serviceProfileSetting; + private final String globalProfileSetting; + private final String caseName; + private final String expectedEndpoint; + + public TestCase(boolean[] settings, Integer expectedEndpointIndex, String caseName) { + this(endpoint(settings, 0), endpoint(settings, 1), endpoint(settings, 2), endpoint(settings, 3), + endpoint(settings, 4), endpoint(settings, 5), endpoint(settings, 6), + endpointForIndex(expectedEndpointIndex), caseName); + } + + private static String endpoint(boolean[] settings, int i) { + if (settings[i]) { + return SETTING_ENDPOINTS.get(i); + } + return null; + } + + private static String endpointForIndex(Integer expectedEndpointIndex) { + return expectedEndpointIndex == null ? DEFAULT_ENDPOINT : SETTING_ENDPOINTS.get(expectedEndpointIndex); + } + + private TestCase(String clientSetting, + String serviceSystemPropSetting, + String globalSystemPropSetting, + String serviceEnvVarSetting, + String globalEnvVarSetting, + String serviceProfileSetting, + String globalProfileSetting, + String expectedEndpoint, + String caseName) { + this.clientSetting = clientSetting; + this.serviceSystemPropSetting = serviceSystemPropSetting; + this.globalSystemPropSetting = globalSystemPropSetting; + this.serviceEnvVarSetting = serviceEnvVarSetting; + this.globalEnvVarSetting = globalEnvVarSetting; + this.serviceProfileSetting = serviceProfileSetting; + this.globalProfileSetting = globalProfileSetting; + this.expectedEndpoint = expectedEndpoint; + this.caseName = caseName; + } + + @Override + public String toString() { + return caseName; + } + } +} diff --git a/test/codegen-generated-classes-test/src/test/java/software/amazon/awssdk/services/endpointproviders/AwsEndpointProviderUtilsTest.java b/test/codegen-generated-classes-test/src/test/java/software/amazon/awssdk/services/endpointproviders/AwsEndpointProviderUtilsTest.java index b48e27c99e5f..ff6cc0595753 100644 --- a/test/codegen-generated-classes-test/src/test/java/software/amazon/awssdk/services/endpointproviders/AwsEndpointProviderUtilsTest.java +++ b/test/codegen-generated-classes-test/src/test/java/software/amazon/awssdk/services/endpointproviders/AwsEndpointProviderUtilsTest.java @@ -19,47 +19,29 @@ import static org.assertj.core.api.Assertions.assertThatThrownBy; import java.net.URI; -import java.util.Arrays; -import java.util.Collections; -import java.util.List; -import java.util.Map; import org.junit.Test; import software.amazon.awssdk.awscore.AwsExecutionAttribute; -import software.amazon.awssdk.awscore.endpoints.AwsEndpointAttribute; -import software.amazon.awssdk.awscore.endpoints.authscheme.EndpointAuthScheme; -import software.amazon.awssdk.awscore.endpoints.authscheme.SigV4AuthScheme; -import software.amazon.awssdk.awscore.endpoints.authscheme.SigV4aAuthScheme; -import software.amazon.awssdk.core.exception.SdkClientException; +import software.amazon.awssdk.core.ClientEndpointProvider; import software.amazon.awssdk.core.interceptor.ExecutionAttributes; -import software.amazon.awssdk.core.interceptor.SdkExecutionAttribute; import software.amazon.awssdk.core.interceptor.SdkInternalExecutionAttribute; import software.amazon.awssdk.endpoints.Endpoint; import software.amazon.awssdk.http.SdkHttpMethod; import software.amazon.awssdk.http.SdkHttpRequest; import software.amazon.awssdk.regions.Region; import software.amazon.awssdk.services.restjsonendpointproviders.endpoints.internal.AwsEndpointProviderUtils; -import software.amazon.awssdk.services.restjsonendpointproviders.endpoints.internal.Identifier; -import software.amazon.awssdk.services.restjsonendpointproviders.endpoints.internal.Value; -import software.amazon.awssdk.utils.MapUtils; public class AwsEndpointProviderUtilsTest { @Test public void endpointOverridden_attrIsFalse_returnsFalse() { ExecutionAttributes attrs = new ExecutionAttributes(); - attrs.putAttribute(SdkExecutionAttribute.ENDPOINT_OVERRIDDEN, false); - assertThat(AwsEndpointProviderUtils.endpointIsOverridden(attrs)).isFalse(); - } - - @Test - public void endpointOverridden_attrIsAbsent_returnsFalse() { - ExecutionAttributes attrs = new ExecutionAttributes(); + attrs.putAttribute(SdkInternalExecutionAttribute.CLIENT_ENDPOINT_PROVIDER, endpointProvider(false)); assertThat(AwsEndpointProviderUtils.endpointIsOverridden(attrs)).isFalse(); } @Test public void endpointOverridden_attrIsTrue_returnsTrue() { ExecutionAttributes attrs = new ExecutionAttributes(); - attrs.putAttribute(SdkExecutionAttribute.ENDPOINT_OVERRIDDEN, true); + attrs.putAttribute(SdkInternalExecutionAttribute.CLIENT_ENDPOINT_PROVIDER, endpointProvider(true)); assertThat(AwsEndpointProviderUtils.endpointIsOverridden(attrs)).isTrue(); } @@ -128,8 +110,8 @@ public void fipsEnabledBuiltIn_returnsAttrValue() { public void endpointBuiltIn_doesNotIncludeQueryParams() { URI endpoint = URI.create("https://example.com/path?foo=bar"); ExecutionAttributes attrs = new ExecutionAttributes(); - attrs.putAttribute(SdkExecutionAttribute.ENDPOINT_OVERRIDDEN, true); - attrs.putAttribute(SdkExecutionAttribute.CLIENT_ENDPOINT, endpoint); + attrs.putAttribute(SdkInternalExecutionAttribute.CLIENT_ENDPOINT_PROVIDER, + ClientEndpointProvider.forEndpointOverride(endpoint)); assertThat(AwsEndpointProviderUtils.endpointBuiltIn(attrs).toString()).isEqualTo("https://example.com/path"); } @@ -231,4 +213,8 @@ public void addHostPrefix_prefixInvalid_throws() { .isInstanceOf(IllegalArgumentException.class) .hasMessageContaining("component must match the pattern"); } + + private static ClientEndpointProvider endpointProvider(boolean isEndpointOverridden) { + return ClientEndpointProvider.create(URI.create("https://foo.aws"), isEndpointOverridden); + } } diff --git a/test/codegen-generated-classes-test/src/test/java/software/amazon/awssdk/services/protocolrestjson/ServiceRequestRequiredValidationMarshallingTest.java b/test/codegen-generated-classes-test/src/test/java/software/amazon/awssdk/services/protocolrestjson/ServiceRequestRequiredValidationMarshallingTest.java index c6f94334d19a..1e8cc9952935 100644 --- a/test/codegen-generated-classes-test/src/test/java/software/amazon/awssdk/services/protocolrestjson/ServiceRequestRequiredValidationMarshallingTest.java +++ b/test/codegen-generated-classes-test/src/test/java/software/amazon/awssdk/services/protocolrestjson/ServiceRequestRequiredValidationMarshallingTest.java @@ -26,6 +26,7 @@ import java.util.stream.Stream; import org.junit.jupiter.api.BeforeAll; import org.junit.jupiter.api.Test; +import software.amazon.awssdk.core.ClientEndpointProvider; import software.amazon.awssdk.core.client.config.SdkClientConfiguration; import software.amazon.awssdk.core.client.config.SdkClientOption; import software.amazon.awssdk.core.exception.SdkClientException; @@ -45,7 +46,8 @@ static void setup() { .builder() .clientConfiguration(SdkClientConfiguration .builder() - .option(SdkClientOption.ENDPOINT, URI.create("http://localhost")) + .option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER, + ClientEndpointProvider.forEndpointOverride(URI.create("http://localhost"))) .build()) .build(); marshaller = new QueryParameterOperationRequestMarshaller(awsJsonProtocolFactory); diff --git a/test/codegen-generated-classes-test/src/test/java/software/amazon/awssdk/services/protocolrestxml/ServiceRequestRequiredValidationMarshallingTest.java b/test/codegen-generated-classes-test/src/test/java/software/amazon/awssdk/services/protocolrestxml/ServiceRequestRequiredValidationMarshallingTest.java index 523116357ed5..df8d076d2cd9 100644 --- a/test/codegen-generated-classes-test/src/test/java/software/amazon/awssdk/services/protocolrestxml/ServiceRequestRequiredValidationMarshallingTest.java +++ b/test/codegen-generated-classes-test/src/test/java/software/amazon/awssdk/services/protocolrestxml/ServiceRequestRequiredValidationMarshallingTest.java @@ -26,6 +26,7 @@ import java.util.stream.Stream; import org.junit.jupiter.api.BeforeAll; import org.junit.jupiter.api.Test; +import software.amazon.awssdk.core.ClientEndpointProvider; import software.amazon.awssdk.core.client.config.SdkClientConfiguration; import software.amazon.awssdk.core.client.config.SdkClientOption; import software.amazon.awssdk.core.exception.SdkClientException; @@ -45,7 +46,8 @@ static void setup() { .builder() .clientConfiguration(SdkClientConfiguration .builder() - .option(SdkClientOption.ENDPOINT, URI.create("http://localhost")) + .option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER, + ClientEndpointProvider.forEndpointOverride(URI.create("http://localhost"))) .build()) .build(); marshaller = new QueryParameterOperationRequestMarshaller(awsXmlProtocolFactory); diff --git a/test/protocol-tests/src/test/java/software/amazon/awssdk/protocol/tests/EventTransformTest.java b/test/protocol-tests/src/test/java/software/amazon/awssdk/protocol/tests/EventTransformTest.java index 93b89c178064..ee15db527df2 100644 --- a/test/protocol-tests/src/test/java/software/amazon/awssdk/protocol/tests/EventTransformTest.java +++ b/test/protocol-tests/src/test/java/software/amazon/awssdk/protocol/tests/EventTransformTest.java @@ -22,6 +22,7 @@ import org.junit.jupiter.params.ParameterizedTest; import org.junit.jupiter.params.provider.ValueSource; import software.amazon.awssdk.core.SdkBytes; +import software.amazon.awssdk.core.ClientEndpointProvider; import software.amazon.awssdk.core.SdkPojo; import software.amazon.awssdk.core.client.config.SdkClientConfiguration; import software.amazon.awssdk.core.client.config.SdkClientOption; @@ -53,7 +54,8 @@ public static void setup() { protocolFactory = AwsJsonProtocolFactory.builder() .clientConfiguration( SdkClientConfiguration.builder() - .option(SdkClientOption.ENDPOINT, URI.create("http://foo.amazonaws.com")) + .option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER, + ClientEndpointProvider.forEndpointOverride(URI.create("http://foo.amazonaws.com"))) .build()) .protocol(AwsJsonProtocol.AWS_JSON) .build(); diff --git a/test/protocol-tests/src/test/java/software/amazon/awssdk/protocol/tests/RestJsonEventStreamProtocolTest.java b/test/protocol-tests/src/test/java/software/amazon/awssdk/protocol/tests/RestJsonEventStreamProtocolTest.java index 0b2ddebb80e8..d03b14066d52 100644 --- a/test/protocol-tests/src/test/java/software/amazon/awssdk/protocol/tests/RestJsonEventStreamProtocolTest.java +++ b/test/protocol-tests/src/test/java/software/amazon/awssdk/protocol/tests/RestJsonEventStreamProtocolTest.java @@ -23,7 +23,6 @@ import static com.github.tomakehurst.wiremock.client.WireMock.stubFor; import static com.github.tomakehurst.wiremock.client.WireMock.verify; import static org.assertj.core.api.Assertions.assertThat; -import static org.assertj.core.api.Assertions.in; import com.github.tomakehurst.wiremock.junit5.WireMockRuntimeInfo; import com.github.tomakehurst.wiremock.junit5.WireMockTest; @@ -33,6 +32,7 @@ import org.junit.jupiter.api.BeforeEach; import org.junit.jupiter.api.Test; import software.amazon.awssdk.core.SdkBytes; +import software.amazon.awssdk.core.ClientEndpointProvider; import software.amazon.awssdk.core.client.config.SdkClientConfiguration; import software.amazon.awssdk.core.client.config.SdkClientOption; import software.amazon.awssdk.http.ContentStreamProvider; @@ -162,8 +162,8 @@ private static AwsJsonProtocolFactory protocolFactory() { return AwsJsonProtocolFactory.builder() .clientConfiguration( SdkClientConfiguration.builder() - .option(SdkClientOption.ENDPOINT, - URI.create("https://test.aws.com")) + .option(SdkClientOption.CLIENT_ENDPOINT_PROVIDER, + ClientEndpointProvider.forEndpointOverride(URI.create("http://test.aws.com"))) .build()) .defaultServiceExceptionSupplier(ProtocolRestJsonContentTypeException::builder) .protocol(AwsJsonProtocol.REST_JSON) diff --git a/test/sdk-benchmarks/src/main/java/software/amazon/awssdk/benchmark/enhanced/dynamodb/EnhancedClientGetOverheadBenchmark.java b/test/sdk-benchmarks/src/main/java/software/amazon/awssdk/benchmark/enhanced/dynamodb/EnhancedClientGetOverheadBenchmark.java index ce2fdf38786a..e1baf688de19 100644 --- a/test/sdk-benchmarks/src/main/java/software/amazon/awssdk/benchmark/enhanced/dynamodb/EnhancedClientGetOverheadBenchmark.java +++ b/test/sdk-benchmarks/src/main/java/software/amazon/awssdk/benchmark/enhanced/dynamodb/EnhancedClientGetOverheadBenchmark.java @@ -15,7 +15,7 @@ package software.amazon.awssdk.benchmark.enhanced.dynamodb; -import static software.amazon.awssdk.core.client.config.SdkClientOption.ENDPOINT; +import static software.amazon.awssdk.core.client.config.SdkClientOption.CLIENT_ENDPOINT_PROVIDER; import java.io.IOException; import java.io.UncheckedIOException; @@ -35,6 +35,7 @@ import software.amazon.awssdk.auth.credentials.AwsBasicCredentials; import software.amazon.awssdk.auth.credentials.StaticCredentialsProvider; import software.amazon.awssdk.benchmark.utils.MockHttpClient; +import software.amazon.awssdk.core.ClientEndpointProvider; import software.amazon.awssdk.core.client.config.SdkClientConfiguration; import software.amazon.awssdk.core.interceptor.Context; import software.amazon.awssdk.core.interceptor.ExecutionAttributes; @@ -62,7 +63,8 @@ public class EnhancedClientGetOverheadBenchmark { private static final AwsJsonProtocolFactory JSON_PROTOCOL_FACTORY = AwsJsonProtocolFactory .builder() .clientConfiguration(SdkClientConfiguration.builder() - .option(ENDPOINT, URI.create("https://dynamodb.amazonaws.com")) + .option(CLIENT_ENDPOINT_PROVIDER, + ClientEndpointProvider.forEndpointOverride(URI.create("https://dynamodb.amazonaws.com"))) .build()) .defaultServiceExceptionSupplier(DynamoDbException::builder) .protocol(AwsJsonProtocol.AWS_JSON) From a7ddf54d406be894b740b64b8a99062621e85535 Mon Sep 17 00:00:00 2001 From: David Ho <70000000+davidh44@users.noreply.github.com> Date: Thu, 12 Sep 2024 14:10:59 -0700 Subject: [PATCH 080/108] Add account ID to resolved SSO session credentials (#5592) --- .../awssdk/services/sso/auth/SsoCredentialsProvider.java | 1 + .../services/sso/auth/SsoCredentialsProviderTest.java | 6 +++++- 2 files changed, 6 insertions(+), 1 deletion(-) diff --git a/services/sso/src/main/java/software/amazon/awssdk/services/sso/auth/SsoCredentialsProvider.java b/services/sso/src/main/java/software/amazon/awssdk/services/sso/auth/SsoCredentialsProvider.java index 6df1de085cba..ce4fbaf2ca97 100644 --- a/services/sso/src/main/java/software/amazon/awssdk/services/sso/auth/SsoCredentialsProvider.java +++ b/services/sso/src/main/java/software/amazon/awssdk/services/sso/auth/SsoCredentialsProvider.java @@ -111,6 +111,7 @@ private SessionCredentialsHolder getUpdatedCredentials(SsoClient ssoClient) { .accessKeyId(roleCredentials.accessKeyId()) .secretAccessKey(roleCredentials.secretAccessKey()) .sessionToken(roleCredentials.sessionToken()) + .accountId(request.accountId()) .providerName(PROVIDER_NAME) .build(); return new SessionCredentialsHolder(sessionCredentials, Instant.ofEpochMilli(roleCredentials.expiration())); diff --git a/services/sso/src/test/java/software/amazon/awssdk/services/sso/auth/SsoCredentialsProviderTest.java b/services/sso/src/test/java/software/amazon/awssdk/services/sso/auth/SsoCredentialsProviderTest.java index 8d171b4edb23..9540a77ba6c6 100644 --- a/services/sso/src/test/java/software/amazon/awssdk/services/sso/auth/SsoCredentialsProviderTest.java +++ b/services/sso/src/test/java/software/amazon/awssdk/services/sso/auth/SsoCredentialsProviderTest.java @@ -90,7 +90,10 @@ public void distantExpiringCredentialsUpdatedInBackground_OverridePrefetchAndSta private GetRoleCredentialsRequestSupplier getRequestSupplier() { - return new GetRoleCredentialsRequestSupplier(GetRoleCredentialsRequest.builder().build(), "cachedToken"); + return new GetRoleCredentialsRequestSupplier(GetRoleCredentialsRequest.builder() + .accountId("123456789") + .build(), + "cachedToken"); } private GetRoleCredentialsResponse getResponse(RoleCredentials roleCredentials) { @@ -134,6 +137,7 @@ private void callClientWithCredentialsProvider(Instant credentialsExpirationDate assertThat(actualCredentials.secretAccessKey()).isEqualTo("b"); assertThat(actualCredentials.sessionToken()).isEqualTo("c"); assertThat(actualCredentials.providerName()).isPresent().contains("SsoCredentialsProvider"); + assertThat(actualCredentials.accountId()).isPresent().contains("123456789"); } } From bc58eaa8be4f564794e06f7d0caa51aa30db01eb Mon Sep 17 00:00:00 2001 From: David Ho <70000000+davidh44@users.noreply.github.com> Date: Fri, 13 Sep 2024 10:15:50 -0700 Subject: [PATCH 081/108] Migration tool mapping diffs (#5595) * v2 migration package mapping diffs * v2 migration client mapping diffs * Removing metrics mapping and fix Checkstyle spacing --- .../v2migration/internal/utils/NamingConversionUtils.java | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/v2-migration/src/main/java/software/amazon/awssdk/v2migration/internal/utils/NamingConversionUtils.java b/v2-migration/src/main/java/software/amazon/awssdk/v2migration/internal/utils/NamingConversionUtils.java index d6b2aea6bac0..0635fac95fc8 100644 --- a/v2-migration/src/main/java/software/amazon/awssdk/v2migration/internal/utils/NamingConversionUtils.java +++ b/v2-migration/src/main/java/software/amazon/awssdk/v2migration/internal/utils/NamingConversionUtils.java @@ -31,6 +31,7 @@ public final class NamingConversionUtils { static { PACKAGE_MAPPING.put("appregistry", "servicecatalogappregistry"); + PACKAGE_MAPPING.put("augmentedairuntime", "sagemakera2iruntime"); PACKAGE_MAPPING.put("certificatemanager", "acm"); PACKAGE_MAPPING.put("cloudcontrolapi", "cloudcontrol"); PACKAGE_MAPPING.put("cloudsearchv2", "cloudsearch"); @@ -48,6 +49,9 @@ public final class NamingConversionUtils { PACKAGE_MAPPING.put("iamrolesanywhere", "rolesanywhere"); PACKAGE_MAPPING.put("identitymanagement", "iam"); PACKAGE_MAPPING.put("iotdata", "iotdataplane"); + PACKAGE_MAPPING.put("kinesisfirehose", "firehose"); + PACKAGE_MAPPING.put("kinesisvideosignalingchannels", "kinesisvideosignaling"); + PACKAGE_MAPPING.put("lookoutforvision", "lookoutvision"); PACKAGE_MAPPING.put("mainframemodernization", "m2"); PACKAGE_MAPPING.put("managedgrafana", "grafana"); PACKAGE_MAPPING.put("migrationhubstrategyrecommendations", "migrationhubstrategy"); @@ -101,6 +105,7 @@ public final class NamingConversionUtils { CLIENT_MAPPING.put("IoTJobsDataPlane", "IotJobsDataPlane"); CLIENT_MAPPING.put("IoTWireless", "IotWireless"); CLIENT_MAPPING.put("IotData", "IotDataPlane"); + CLIENT_MAPPING.put("KinesisFirehose", "Firehose"); CLIENT_MAPPING.put("KinesisVideoSignalingChannels", "KinesisVideoSignaling"); CLIENT_MAPPING.put("Logs", "CloudWatchLogs"); CLIENT_MAPPING.put("LookoutforVision", "LookoutVision"); From 6af3901edf98460c5c64e5674e0fd746f9e26144 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Fri, 13 Sep 2024 18:07:23 +0000 Subject: [PATCH 082/108] AWS Amplify Update: Doc only update to Amplify to explain platform setting for Next.js 14 SSG only applications --- .changes/next-release/feature-AWSAmplify-d2f9c84.json | 6 ++++++ .../src/main/resources/codegen-resources/service-2.json | 6 +++--- 2 files changed, 9 insertions(+), 3 deletions(-) create mode 100644 .changes/next-release/feature-AWSAmplify-d2f9c84.json diff --git a/.changes/next-release/feature-AWSAmplify-d2f9c84.json b/.changes/next-release/feature-AWSAmplify-d2f9c84.json new file mode 100644 index 000000000000..aac4dd37efe3 --- /dev/null +++ b/.changes/next-release/feature-AWSAmplify-d2f9c84.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "AWS Amplify", + "contributor": "", + "description": "Doc only update to Amplify to explain platform setting for Next.js 14 SSG only applications" +} diff --git a/services/amplify/src/main/resources/codegen-resources/service-2.json b/services/amplify/src/main/resources/codegen-resources/service-2.json index 7037a9f5be79..650a856814fb 100644 --- a/services/amplify/src/main/resources/codegen-resources/service-2.json +++ b/services/amplify/src/main/resources/codegen-resources/service-2.json @@ -679,7 +679,7 @@ }, "platform":{ "shape":"Platform", - "documentation":"

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

    " + "documentation":"

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

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

    " }, "createTime":{ "shape":"CreateTime", @@ -1224,7 +1224,7 @@ }, "platform":{ "shape":"Platform", - "documentation":"

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

    " + "documentation":"

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

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

    " }, "iamServiceRoleArn":{ "shape":"ServiceRoleArn", @@ -3241,7 +3241,7 @@ }, "platform":{ "shape":"Platform", - "documentation":"

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

    " + "documentation":"

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

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

    " }, "iamServiceRoleArn":{ "shape":"ServiceRoleArn", From 2a795644ab64270ef7e2b0761ea7f53381d8a28e Mon Sep 17 00:00:00 2001 From: AWS <> Date: Fri, 13 Sep 2024 18:07:29 +0000 Subject: [PATCH 083/108] Amazon Interactive Video Service Update: Updates to all tags descriptions. --- ...AmazonInteractiveVideoService-1c686ed.json | 6 ++++ .../codegen-resources/service-2.json | 36 +++++++++---------- 2 files changed, 24 insertions(+), 18 deletions(-) create mode 100644 .changes/next-release/feature-AmazonInteractiveVideoService-1c686ed.json diff --git a/.changes/next-release/feature-AmazonInteractiveVideoService-1c686ed.json b/.changes/next-release/feature-AmazonInteractiveVideoService-1c686ed.json new file mode 100644 index 000000000000..154decf29786 --- /dev/null +++ b/.changes/next-release/feature-AmazonInteractiveVideoService-1c686ed.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Amazon Interactive Video Service", + "contributor": "", + "description": "Updates to all tags descriptions." +} diff --git a/services/ivs/src/main/resources/codegen-resources/service-2.json b/services/ivs/src/main/resources/codegen-resources/service-2.json index e97e89e4cfae..4a8cdf49c2f9 100644 --- a/services/ivs/src/main/resources/codegen-resources/service-2.json +++ b/services/ivs/src/main/resources/codegen-resources/service-2.json @@ -815,7 +815,7 @@ }, "tags":{ "shape":"Tags", - "documentation":"

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

    " + "documentation":"

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

    " }, "insecureIngest":{ "shape":"InsecureIngest", @@ -917,7 +917,7 @@ }, "tags":{ "shape":"Tags", - "documentation":"

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

    " + "documentation":"

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

    " }, "insecureIngest":{ "shape":"InsecureIngest", @@ -991,7 +991,7 @@ }, "tags":{ "shape":"Tags", - "documentation":"

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

    " + "documentation":"

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

    " }, "insecureIngest":{ "shape":"Boolean", @@ -1041,7 +1041,7 @@ }, "tags":{ "shape":"Tags", - "documentation":"

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

    " + "documentation":"

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

    " } } }, @@ -1068,7 +1068,7 @@ }, "tags":{ "shape":"Tags", - "documentation":"

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

    " + "documentation":"

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

    " }, "thumbnailConfiguration":{ "shape":"ThumbnailConfiguration", @@ -1103,7 +1103,7 @@ }, "tags":{ "shape":"Tags", - "documentation":"

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

    " + "documentation":"

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

    " } } }, @@ -1332,7 +1332,7 @@ }, "tags":{ "shape":"Tags", - "documentation":"

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

    " + "documentation":"

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

    " } } }, @@ -1687,7 +1687,7 @@ }, "tags":{ "shape":"Tags", - "documentation":"

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

    " + "documentation":"

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

    " } }, "documentation":"

    A key pair used to sign and validate a playback authorization token.

    " @@ -1722,7 +1722,7 @@ }, "tags":{ "shape":"Tags", - "documentation":"

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

    " + "documentation":"

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

    " } }, "documentation":"

    Summary information about a playback key pair.

    " @@ -1758,7 +1758,7 @@ }, "tags":{ "shape":"Tags", - "documentation":"

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

    " + "documentation":"

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

    " } }, "documentation":"

    An object representing a policy to constrain playback by country and/or origin sites.

    " @@ -1831,7 +1831,7 @@ }, "tags":{ "shape":"Tags", - "documentation":"

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

    " + "documentation":"

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

    " } }, "documentation":"

    Summary information about a PlaybackRestrictionPolicy.

    " @@ -1880,7 +1880,7 @@ }, "tags":{ "shape":"Tags", - "documentation":"

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

    " + "documentation":"

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

    " }, "thumbnailConfiguration":{ "shape":"ThumbnailConfiguration", @@ -1947,7 +1947,7 @@ }, "tags":{ "shape":"Tags", - "documentation":"

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

    " + "documentation":"

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

    " } }, "documentation":"

    Summary information about a RecordingConfiguration.

    " @@ -2211,7 +2211,7 @@ }, "tags":{ "shape":"Tags", - "documentation":"

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

    " + "documentation":"

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

    " } }, "documentation":"

    Object specifying a stream key.

    " @@ -2245,7 +2245,7 @@ }, "tags":{ "shape":"Tags", - "documentation":"

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

    " + "documentation":"

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

    " } }, "documentation":"

    Summary information about a stream key.

    " @@ -2409,7 +2409,7 @@ }, "tags":{ "shape":"Tags", - "documentation":"

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

    " + "documentation":"

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

    " } } }, @@ -2519,7 +2519,7 @@ }, "tagKeys":{ "shape":"TagKeyList", - "documentation":"

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

    ", + "documentation":"

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

    ", "location":"querystring", "locationName":"tagKeys" } @@ -2681,5 +2681,5 @@ "errorCode":{"type":"string"}, "errorMessage":{"type":"string"} }, - "documentation":"

    Introduction

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

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

    All API request parameters and URLs are case sensitive.

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

    Allowed Header Values

    • Accept: application/json

    • Accept-Encoding: gzip, deflate

    • Content-Type: application/json

    Key Concepts

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

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

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

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

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

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

    Tagging

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

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

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

    At most 50 tags can be applied to a resource.

    Authentication versus Authorization

    Note the differences between these concepts:

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

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

    Authentication

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

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

    For more information:

    Amazon Resource Names (ARNs)

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

    " + "documentation":"

    Introduction

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

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

    All API request parameters and URLs are case sensitive.

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

    Allowed Header Values

    • Accept: application/json

    • Accept-Encoding: gzip, deflate

    • Content-Type: application/json

    Key Concepts

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

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

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

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

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

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

    Tagging

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

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

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

    At most 50 tags can be applied to a resource.

    Authentication versus Authorization

    Note the differences between these concepts:

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

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

    Authentication

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

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

    For more information:

    Amazon Resource Names (ARNs)

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

    " } From dbd42e22db22486bc928753fce8285f39e947482 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Fri, 13 Sep 2024 18:07:56 +0000 Subject: [PATCH 084/108] Amazon Interactive Video Service Chat Update: Updates to all tags descriptions. --- ...-AmazonInteractiveVideoServiceChat-9931754.json | 6 ++++++ .../resources/codegen-resources/service-2.json | 14 +++++++------- 2 files changed, 13 insertions(+), 7 deletions(-) create mode 100644 .changes/next-release/feature-AmazonInteractiveVideoServiceChat-9931754.json diff --git a/.changes/next-release/feature-AmazonInteractiveVideoServiceChat-9931754.json b/.changes/next-release/feature-AmazonInteractiveVideoServiceChat-9931754.json new file mode 100644 index 000000000000..830b4911f614 --- /dev/null +++ b/.changes/next-release/feature-AmazonInteractiveVideoServiceChat-9931754.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Amazon Interactive Video Service Chat", + "contributor": "", + "description": "Updates to all tags descriptions." +} diff --git a/services/ivschat/src/main/resources/codegen-resources/service-2.json b/services/ivschat/src/main/resources/codegen-resources/service-2.json index 0232cb940f2e..d7721c68452d 100644 --- a/services/ivschat/src/main/resources/codegen-resources/service-2.json +++ b/services/ivschat/src/main/resources/codegen-resources/service-2.json @@ -442,7 +442,7 @@ }, "tags":{ "shape":"Tags", - "documentation":"

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

    " + "documentation":"

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

    " } } }, @@ -508,7 +508,7 @@ }, "tags":{ "shape":"Tags", - "documentation":"

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

    " + "documentation":"

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

    " }, "loggingConfigurationIdentifiers":{ "shape":"LoggingConfigurationIdentifierList", @@ -991,7 +991,7 @@ }, "tags":{ "shape":"Tags", - "documentation":"

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

    " + "documentation":"

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

    " } }, "documentation":"

    Summary information about a logging configuration.

    " @@ -1159,7 +1159,7 @@ }, "tags":{ "shape":"Tags", - "documentation":"

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

    " + "documentation":"

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

    " }, "loggingConfigurationIdentifiers":{ "shape":"LoggingConfigurationIdentifierList", @@ -1272,7 +1272,7 @@ }, "tags":{ "shape":"Tags", - "documentation":"

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

    " + "documentation":"

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

    " } } }, @@ -1342,7 +1342,7 @@ }, "tagKeys":{ "shape":"TagKeyList", - "documentation":"

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

    ", + "documentation":"

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

    ", "location":"querystring", "locationName":"tagKeys" } @@ -1548,5 +1548,5 @@ ] } }, - "documentation":"

    Introduction

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

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

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

    Notes on terminology:

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

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

    Resources

    The following resources are part of Amazon IVS Chat:

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

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

    Tagging

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

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

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

    At most 50 tags can be applied to a resource.

    API Access Security

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

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

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

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

    Signing API Requests

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

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

    For more information:

    Amazon Resource Names (ARNs)

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

    " + "documentation":"

    Introduction

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

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

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

    Notes on terminology:

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

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

    Resources

    The following resources are part of Amazon IVS Chat:

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

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

    Tagging

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

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

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

    At most 50 tags can be applied to a resource.

    API Access Security

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

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

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

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

    Signing API Requests

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

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

    For more information:

    Amazon Resource Names (ARNs)

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

    " } From 66f1767676483e4abde99c29418787cd90c7d3d9 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Fri, 13 Sep 2024 18:09:06 +0000 Subject: [PATCH 085/108] Updated endpoints.json and partitions.json. --- .changes/next-release/feature-AWSSDKforJavav2-0443982.json | 6 ++++++ .../amazon/awssdk/regions/internal/region/endpoints.json | 2 ++ 2 files changed, 8 insertions(+) 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 99ced63bbd31..63edba279ae5 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 @@ -15704,6 +15704,7 @@ }, "redshift-serverless" : { "endpoints" : { + "ap-east-1" : { }, "ap-northeast-1" : { }, "ap-northeast-2" : { }, "ap-south-1" : { }, @@ -15758,6 +15759,7 @@ "deprecated" : true, "hostname" : "redshift-serverless-fips.us-west-2.amazonaws.com" }, + "il-central-1" : { }, "me-central-1" : { }, "sa-east-1" : { }, "us-east-1" : { From 602663711c449e5e675c1ec7e6ab82a61e6d0bec Mon Sep 17 00:00:00 2001 From: AWS <> Date: Fri, 13 Sep 2024 18:10:21 +0000 Subject: [PATCH 086/108] Release 2.28.1. Updated CHANGELOG.md, README.md and all pom.xml. --- .changes/2.28.1.json | 48 +++++++++++++++++++ .../next-release/bugfix-AmazonS3-1a6bf80.json | 6 --- .../bugfix-AmazonS3Control-2637de3.json | 6 --- .../feature-AWSAmplify-d2f9c84.json | 6 --- .../feature-AWSSDKforJavav2-0443982.json | 6 --- .../feature-AWSSDKforJavav2-eea40a4.json | 6 --- ...AmazonInteractiveVideoService-1c686ed.json | 6 --- ...onInteractiveVideoServiceChat-9931754.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/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/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/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/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/worklink/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 +- 479 files changed, 547 insertions(+), 515 deletions(-) create mode 100644 .changes/2.28.1.json delete mode 100644 .changes/next-release/bugfix-AmazonS3-1a6bf80.json delete mode 100644 .changes/next-release/bugfix-AmazonS3Control-2637de3.json delete mode 100644 .changes/next-release/feature-AWSAmplify-d2f9c84.json delete mode 100644 .changes/next-release/feature-AWSSDKforJavav2-0443982.json delete mode 100644 .changes/next-release/feature-AWSSDKforJavav2-eea40a4.json delete mode 100644 .changes/next-release/feature-AmazonInteractiveVideoService-1c686ed.json delete mode 100644 .changes/next-release/feature-AmazonInteractiveVideoServiceChat-9931754.json diff --git a/.changes/2.28.1.json b/.changes/2.28.1.json new file mode 100644 index 000000000000..b9fa456087b9 --- /dev/null +++ b/.changes/2.28.1.json @@ -0,0 +1,48 @@ +{ + "version": "2.28.1", + "date": "2024-09-13", + "entries": [ + { + "type": "bugfix", + "category": "Amazon S3", + "contributor": "", + "description": "Fix issue where the `AWS_USE_DUALSTACK_ENDPOINT` environment variable and `aws.useDualstackEndpoint` system property are not resolved during client creation time." + }, + { + "type": "bugfix", + "category": "Amazon S3 Control", + "contributor": "", + "description": "Fix issue where the `AWS_USE_DUALSTACK_ENDPOINT` environment variable and `aws.useDualstackEndpoint` system property are not resolved during client creation time." + }, + { + "type": "feature", + "category": "AWS Amplify", + "contributor": "", + "description": "Doc only update to Amplify to explain platform setting for Next.js 14 SSG only applications" + }, + { + "type": "feature", + "category": "AWS SDK for Java v2", + "contributor": "", + "description": "Add support for specifying endpoint overrides using environment variables, system properties or profile files. More information about this feature is available here: https://docs.aws.amazon.com/sdkref/latest/guide/feature-ss-endpoints.html" + }, + { + "type": "feature", + "category": "Amazon Interactive Video Service", + "contributor": "", + "description": "Updates to all tags descriptions." + }, + { + "type": "feature", + "category": "Amazon Interactive Video Service Chat", + "contributor": "", + "description": "Updates to all tags descriptions." + }, + { + "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/bugfix-AmazonS3-1a6bf80.json b/.changes/next-release/bugfix-AmazonS3-1a6bf80.json deleted file mode 100644 index 0ded62a58141..000000000000 --- a/.changes/next-release/bugfix-AmazonS3-1a6bf80.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "bugfix", - "category": "Amazon S3", - "contributor": "", - "description": "Fix issue where the `AWS_USE_DUALSTACK_ENDPOINT` environment variable and `aws.useDualstackEndpoint` system property are not resolved during client creation time." -} diff --git a/.changes/next-release/bugfix-AmazonS3Control-2637de3.json b/.changes/next-release/bugfix-AmazonS3Control-2637de3.json deleted file mode 100644 index d4d42615c056..000000000000 --- a/.changes/next-release/bugfix-AmazonS3Control-2637de3.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "bugfix", - "category": "Amazon S3 Control", - "contributor": "", - "description": "Fix issue where the `AWS_USE_DUALSTACK_ENDPOINT` environment variable and `aws.useDualstackEndpoint` system property are not resolved during client creation time." -} diff --git a/.changes/next-release/feature-AWSAmplify-d2f9c84.json b/.changes/next-release/feature-AWSAmplify-d2f9c84.json deleted file mode 100644 index aac4dd37efe3..000000000000 --- a/.changes/next-release/feature-AWSAmplify-d2f9c84.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "AWS Amplify", - "contributor": "", - "description": "Doc only update to Amplify to explain platform setting for Next.js 14 SSG only applications" -} 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-AWSSDKforJavav2-eea40a4.json b/.changes/next-release/feature-AWSSDKforJavav2-eea40a4.json deleted file mode 100644 index 452de0ebbd9e..000000000000 --- a/.changes/next-release/feature-AWSSDKforJavav2-eea40a4.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "AWS SDK for Java v2", - "contributor": "", - "description": "Add support for specifying endpoint overrides using environment variables, system properties or profile files. More information about this feature is available here: https://docs.aws.amazon.com/sdkref/latest/guide/feature-ss-endpoints.html" -} diff --git a/.changes/next-release/feature-AmazonInteractiveVideoService-1c686ed.json b/.changes/next-release/feature-AmazonInteractiveVideoService-1c686ed.json deleted file mode 100644 index 154decf29786..000000000000 --- a/.changes/next-release/feature-AmazonInteractiveVideoService-1c686ed.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "Amazon Interactive Video Service", - "contributor": "", - "description": "Updates to all tags descriptions." -} diff --git a/.changes/next-release/feature-AmazonInteractiveVideoServiceChat-9931754.json b/.changes/next-release/feature-AmazonInteractiveVideoServiceChat-9931754.json deleted file mode 100644 index 830b4911f614..000000000000 --- a/.changes/next-release/feature-AmazonInteractiveVideoServiceChat-9931754.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "Amazon Interactive Video Service Chat", - "contributor": "", - "description": "Updates to all tags descriptions." -} diff --git a/CHANGELOG.md b/CHANGELOG.md index bd0585e6f710..5f2cca3c942c 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.1__ __2024-09-13__ +## __AWS Amplify__ + - ### Features + - Doc only update to Amplify to explain platform setting for Next.js 14 SSG only applications + +## __AWS SDK for Java v2__ + - ### Features + - Add support for specifying endpoint overrides using environment variables, system properties or profile files. More information about this feature is available here: https://docs.aws.amazon.com/sdkref/latest/guide/feature-ss-endpoints.html + - Updated endpoint and partition metadata. + +## __Amazon Interactive Video Service__ + - ### Features + - Updates to all tags descriptions. + +## __Amazon Interactive Video Service Chat__ + - ### Features + - Updates to all tags descriptions. + +## __Amazon S3__ + - ### Bugfixes + - Fix issue where the `AWS_USE_DUALSTACK_ENDPOINT` environment variable and `aws.useDualstackEndpoint` system property are not resolved during client creation time. + +## __Amazon S3 Control__ + - ### Bugfixes + - Fix issue where the `AWS_USE_DUALSTACK_ENDPOINT` environment variable and `aws.useDualstackEndpoint` system property are not resolved during client creation time. + # __2.28.0__ __2024-09-12__ ## __AWS Elemental MediaConvert__ - ### Features diff --git a/README.md b/README.md index 51beaa9db89a..4a5470749443 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.0 + 2.28.1 pom import @@ -85,12 +85,12 @@ Alternatively you can add dependencies for the specific services you use only: software.amazon.awssdk ec2 - 2.28.0 + 2.28.1 software.amazon.awssdk s3 - 2.28.0 + 2.28.1 ``` @@ -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.0 + 2.28.1 ``` diff --git a/archetypes/archetype-app-quickstart/pom.xml b/archetypes/archetype-app-quickstart/pom.xml index f6d375807ea8..0baf7b268d06 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.1-SNAPSHOT + 2.28.1 4.0.0 diff --git a/archetypes/archetype-lambda/pom.xml b/archetypes/archetype-lambda/pom.xml index 7370c6ab853d..1e40c0fb18e4 100644 --- a/archetypes/archetype-lambda/pom.xml +++ b/archetypes/archetype-lambda/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.28.1-SNAPSHOT + 2.28.1 4.0.0 archetype-lambda diff --git a/archetypes/archetype-tools/pom.xml b/archetypes/archetype-tools/pom.xml index a1952574b627..488cdc539c65 100644 --- a/archetypes/archetype-tools/pom.xml +++ b/archetypes/archetype-tools/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.28.1-SNAPSHOT + 2.28.1 4.0.0 diff --git a/archetypes/pom.xml b/archetypes/pom.xml index 7ce6128f614f..84bfaae572c0 100644 --- a/archetypes/pom.xml +++ b/archetypes/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.1-SNAPSHOT + 2.28.1 4.0.0 archetypes diff --git a/aws-sdk-java/pom.xml b/aws-sdk-java/pom.xml index 995ebd458888..9d8a317e6ba3 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.1-SNAPSHOT + 2.28.1 ../pom.xml aws-sdk-java diff --git a/bom-internal/pom.xml b/bom-internal/pom.xml index fd18111940a8..3ac58b9ee295 100644 --- a/bom-internal/pom.xml +++ b/bom-internal/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.1-SNAPSHOT + 2.28.1 4.0.0 diff --git a/bom/pom.xml b/bom/pom.xml index c850ada6b46c..ff4ed8c11c21 100644 --- a/bom/pom.xml +++ b/bom/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.1-SNAPSHOT + 2.28.1 ../pom.xml bom diff --git a/bundle-logging-bridge/pom.xml b/bundle-logging-bridge/pom.xml index d53e43323f2b..2ff630f0c479 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.1-SNAPSHOT + 2.28.1 bundle-logging-bridge jar diff --git a/bundle-sdk/pom.xml b/bundle-sdk/pom.xml index c378935730bf..b1d8735fb12d 100644 --- a/bundle-sdk/pom.xml +++ b/bundle-sdk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.1-SNAPSHOT + 2.28.1 bundle-sdk jar diff --git a/bundle/pom.xml b/bundle/pom.xml index 48d0cd8e592f..c0c9bf248b3a 100644 --- a/bundle/pom.xml +++ b/bundle/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.1-SNAPSHOT + 2.28.1 bundle jar diff --git a/codegen-lite-maven-plugin/pom.xml b/codegen-lite-maven-plugin/pom.xml index 0d193a704187..09863cca3c39 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.1-SNAPSHOT + 2.28.1 ../pom.xml codegen-lite-maven-plugin diff --git a/codegen-lite/pom.xml b/codegen-lite/pom.xml index e3f982259354..27ad30692edf 100644 --- a/codegen-lite/pom.xml +++ b/codegen-lite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.1-SNAPSHOT + 2.28.1 codegen-lite AWS Java SDK :: Code Generator Lite diff --git a/codegen-maven-plugin/pom.xml b/codegen-maven-plugin/pom.xml index 4f179a32e5fd..ee554d826d17 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.1-SNAPSHOT + 2.28.1 ../pom.xml codegen-maven-plugin diff --git a/codegen/pom.xml b/codegen/pom.xml index 15d163f04a95..ba2fad13461a 100644 --- a/codegen/pom.xml +++ b/codegen/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.1-SNAPSHOT + 2.28.1 codegen AWS Java SDK :: Code Generator diff --git a/core/annotations/pom.xml b/core/annotations/pom.xml index 75458918b257..e1e128fe7ab6 100644 --- a/core/annotations/pom.xml +++ b/core/annotations/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.1-SNAPSHOT + 2.28.1 4.0.0 diff --git a/core/arns/pom.xml b/core/arns/pom.xml index 1f93be6035d1..29e5dc4b2286 100644 --- a/core/arns/pom.xml +++ b/core/arns/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.1-SNAPSHOT + 2.28.1 4.0.0 diff --git a/core/auth-crt/pom.xml b/core/auth-crt/pom.xml index 97d2f340dd92..af278f920563 100644 --- a/core/auth-crt/pom.xml +++ b/core/auth-crt/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.1-SNAPSHOT + 2.28.1 auth-crt diff --git a/core/auth/pom.xml b/core/auth/pom.xml index 9d476a875f35..899db6d076f6 100644 --- a/core/auth/pom.xml +++ b/core/auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.1-SNAPSHOT + 2.28.1 auth diff --git a/core/aws-core/pom.xml b/core/aws-core/pom.xml index 878c5f708782..4b5b6e103e5e 100644 --- a/core/aws-core/pom.xml +++ b/core/aws-core/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.1-SNAPSHOT + 2.28.1 aws-core diff --git a/core/checksums-spi/pom.xml b/core/checksums-spi/pom.xml index 9564fc20a181..94852c7725c4 100644 --- a/core/checksums-spi/pom.xml +++ b/core/checksums-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.1-SNAPSHOT + 2.28.1 checksums-spi diff --git a/core/checksums/pom.xml b/core/checksums/pom.xml index 73f78fc91efd..6d120e3d18b0 100644 --- a/core/checksums/pom.xml +++ b/core/checksums/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.1-SNAPSHOT + 2.28.1 checksums diff --git a/core/crt-core/pom.xml b/core/crt-core/pom.xml index ccc40e26a497..fbcfd95b8e53 100644 --- a/core/crt-core/pom.xml +++ b/core/crt-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.28.1-SNAPSHOT + 2.28.1 crt-core diff --git a/core/endpoints-spi/pom.xml b/core/endpoints-spi/pom.xml index 3dc74de00e04..ae5a199c103c 100644 --- a/core/endpoints-spi/pom.xml +++ b/core/endpoints-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.1-SNAPSHOT + 2.28.1 4.0.0 diff --git a/core/http-auth-aws-crt/pom.xml b/core/http-auth-aws-crt/pom.xml index 64cbb339a89c..faf44026f377 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.1-SNAPSHOT + 2.28.1 http-auth-aws-crt diff --git a/core/http-auth-aws-eventstream/pom.xml b/core/http-auth-aws-eventstream/pom.xml index 42cf4fb64fb6..948d6fba8f15 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.1-SNAPSHOT + 2.28.1 http-auth-aws-eventstream diff --git a/core/http-auth-aws/pom.xml b/core/http-auth-aws/pom.xml index fcf89e8c5d45..ceabd356d211 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.1-SNAPSHOT + 2.28.1 http-auth-aws diff --git a/core/http-auth-spi/pom.xml b/core/http-auth-spi/pom.xml index 5b1c299c2b9a..f30d169efffb 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.1-SNAPSHOT + 2.28.1 http-auth-spi diff --git a/core/http-auth/pom.xml b/core/http-auth/pom.xml index 80a5a90a3dba..3123a9dcfec7 100644 --- a/core/http-auth/pom.xml +++ b/core/http-auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.1-SNAPSHOT + 2.28.1 http-auth diff --git a/core/identity-spi/pom.xml b/core/identity-spi/pom.xml index 2a1b6bc324a6..dc1bff79d8a3 100644 --- a/core/identity-spi/pom.xml +++ b/core/identity-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.1-SNAPSHOT + 2.28.1 identity-spi diff --git a/core/imds/pom.xml b/core/imds/pom.xml index 6747e030b8d2..fd4510b60cda 100644 --- a/core/imds/pom.xml +++ b/core/imds/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.1-SNAPSHOT + 2.28.1 4.0.0 imds diff --git a/core/json-utils/pom.xml b/core/json-utils/pom.xml index 81c48bd02850..b61ccb3dad87 100644 --- a/core/json-utils/pom.xml +++ b/core/json-utils/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.1-SNAPSHOT + 2.28.1 4.0.0 diff --git a/core/metrics-spi/pom.xml b/core/metrics-spi/pom.xml index c0bb695f38eb..88896770b33b 100644 --- a/core/metrics-spi/pom.xml +++ b/core/metrics-spi/pom.xml @@ -5,7 +5,7 @@ core software.amazon.awssdk - 2.28.1-SNAPSHOT + 2.28.1 4.0.0 diff --git a/core/pom.xml b/core/pom.xml index 226ef2471966..ecc9fd3fd88c 100644 --- a/core/pom.xml +++ b/core/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.1-SNAPSHOT + 2.28.1 core diff --git a/core/profiles/pom.xml b/core/profiles/pom.xml index e0dce2737629..2e8aa28447ac 100644 --- a/core/profiles/pom.xml +++ b/core/profiles/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.1-SNAPSHOT + 2.28.1 profiles diff --git a/core/protocols/aws-cbor-protocol/pom.xml b/core/protocols/aws-cbor-protocol/pom.xml index d66681b41a35..9f9c9ed4d01f 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.1-SNAPSHOT + 2.28.1 4.0.0 diff --git a/core/protocols/aws-json-protocol/pom.xml b/core/protocols/aws-json-protocol/pom.xml index 175661676d80..f2825d2a8e48 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.1-SNAPSHOT + 2.28.1 4.0.0 diff --git a/core/protocols/aws-query-protocol/pom.xml b/core/protocols/aws-query-protocol/pom.xml index d4f85df96032..f95a44aef4a0 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.1-SNAPSHOT + 2.28.1 4.0.0 diff --git a/core/protocols/aws-xml-protocol/pom.xml b/core/protocols/aws-xml-protocol/pom.xml index 952e5b1d3bc2..8519ecc7be99 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.1-SNAPSHOT + 2.28.1 4.0.0 diff --git a/core/protocols/pom.xml b/core/protocols/pom.xml index 44006696acdd..6ec64ea6ff0f 100644 --- a/core/protocols/pom.xml +++ b/core/protocols/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.1-SNAPSHOT + 2.28.1 4.0.0 diff --git a/core/protocols/protocol-core/pom.xml b/core/protocols/protocol-core/pom.xml index 6d667f6eb16e..10001be7fa20 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.1-SNAPSHOT + 2.28.1 4.0.0 diff --git a/core/regions/pom.xml b/core/regions/pom.xml index 088165b0f6de..b4d51f3122cf 100644 --- a/core/regions/pom.xml +++ b/core/regions/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.1-SNAPSHOT + 2.28.1 regions diff --git a/core/retries-spi/pom.xml b/core/retries-spi/pom.xml index c5a63b20540f..2ea4599706c6 100644 --- a/core/retries-spi/pom.xml +++ b/core/retries-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.1-SNAPSHOT + 2.28.1 4.0.0 diff --git a/core/retries/pom.xml b/core/retries/pom.xml index 2188bb8de8bb..b6b46b12962c 100644 --- a/core/retries/pom.xml +++ b/core/retries/pom.xml @@ -21,7 +21,7 @@ core software.amazon.awssdk - 2.28.1-SNAPSHOT + 2.28.1 4.0.0 diff --git a/core/sdk-core/pom.xml b/core/sdk-core/pom.xml index 55f9d8743cb6..1914f6106397 100644 --- a/core/sdk-core/pom.xml +++ b/core/sdk-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.28.1-SNAPSHOT + 2.28.1 sdk-core AWS Java SDK :: SDK Core diff --git a/http-client-spi/pom.xml b/http-client-spi/pom.xml index 040fad87a0a6..80064016b022 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.1-SNAPSHOT + 2.28.1 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 4ea196ab967a..f758fef8fa35 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.1-SNAPSHOT + 2.28.1 apache-client diff --git a/http-clients/aws-crt-client/pom.xml b/http-clients/aws-crt-client/pom.xml index 8ea1d04f2655..94386469addd 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.1-SNAPSHOT + 2.28.1 4.0.0 diff --git a/http-clients/netty-nio-client/pom.xml b/http-clients/netty-nio-client/pom.xml index 583e52c26752..56ce2e29a57c 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.1-SNAPSHOT + 2.28.1 4.0.0 diff --git a/http-clients/pom.xml b/http-clients/pom.xml index 12422c74b88d..18623cbfecc9 100644 --- a/http-clients/pom.xml +++ b/http-clients/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.1-SNAPSHOT + 2.28.1 4.0.0 diff --git a/http-clients/url-connection-client/pom.xml b/http-clients/url-connection-client/pom.xml index 9647bc2ac057..7d424b0edd94 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.1-SNAPSHOT + 2.28.1 4.0.0 diff --git a/metric-publishers/cloudwatch-metric-publisher/pom.xml b/metric-publishers/cloudwatch-metric-publisher/pom.xml index 8f60e0eb13e2..496d41ceaed9 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.1-SNAPSHOT + 2.28.1 cloudwatch-metric-publisher diff --git a/metric-publishers/pom.xml b/metric-publishers/pom.xml index a4bf32cec15f..56859de405bb 100644 --- a/metric-publishers/pom.xml +++ b/metric-publishers/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.1-SNAPSHOT + 2.28.1 metric-publishers diff --git a/pom.xml b/pom.xml index 5305b3830f22..4041299e70b0 100644 --- a/pom.xml +++ b/pom.xml @@ -20,7 +20,7 @@ 4.0.0 software.amazon.awssdk aws-sdk-java-pom - 2.28.1-SNAPSHOT + 2.28.1 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 5db32e5a9c17..0978068a192d 100644 --- a/release-scripts/pom.xml +++ b/release-scripts/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.1-SNAPSHOT + 2.28.1 ../pom.xml release-scripts diff --git a/services-custom/dynamodb-enhanced/pom.xml b/services-custom/dynamodb-enhanced/pom.xml index 864bace88006..48781a825074 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.1-SNAPSHOT + 2.28.1 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 02ca6cde2e67..4799623ca8b2 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.1-SNAPSHOT + 2.28.1 ../../pom.xml iam-policy-builder diff --git a/services-custom/pom.xml b/services-custom/pom.xml index 6636f57dd702..5a480a210d1c 100644 --- a/services-custom/pom.xml +++ b/services-custom/pom.xml @@ -19,7 +19,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.1-SNAPSHOT + 2.28.1 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 4f2477d66e31..e06f128621f4 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.1-SNAPSHOT + 2.28.1 ../../pom.xml s3-event-notifications diff --git a/services-custom/s3-transfer-manager/pom.xml b/services-custom/s3-transfer-manager/pom.xml index 746908a1ba16..162df46eff2a 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.1-SNAPSHOT + 2.28.1 ../../pom.xml s3-transfer-manager diff --git a/services/accessanalyzer/pom.xml b/services/accessanalyzer/pom.xml index 6c25569a9f89..f4e4fc5d0ad6 100644 --- a/services/accessanalyzer/pom.xml +++ b/services/accessanalyzer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 accessanalyzer AWS Java SDK :: Services :: AccessAnalyzer diff --git a/services/account/pom.xml b/services/account/pom.xml index c386eede7a64..df2741d63ffd 100644 --- a/services/account/pom.xml +++ b/services/account/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 account AWS Java SDK :: Services :: Account diff --git a/services/acm/pom.xml b/services/acm/pom.xml index 82db29eb38bf..a8d9de09bb71 100644 --- a/services/acm/pom.xml +++ b/services/acm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 acm AWS Java SDK :: Services :: AWS Certificate Manager diff --git a/services/acmpca/pom.xml b/services/acmpca/pom.xml index b17d0418b263..486fe0203854 100644 --- a/services/acmpca/pom.xml +++ b/services/acmpca/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 acmpca AWS Java SDK :: Services :: ACM PCA diff --git a/services/amp/pom.xml b/services/amp/pom.xml index 0b5c8a306bea..8a9664ebbaf6 100644 --- a/services/amp/pom.xml +++ b/services/amp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 amp AWS Java SDK :: Services :: Amp diff --git a/services/amplify/pom.xml b/services/amplify/pom.xml index a607562fdedb..e262399fb732 100644 --- a/services/amplify/pom.xml +++ b/services/amplify/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 amplify AWS Java SDK :: Services :: Amplify diff --git a/services/amplifybackend/pom.xml b/services/amplifybackend/pom.xml index ad6680909e20..9c72e79793c3 100644 --- a/services/amplifybackend/pom.xml +++ b/services/amplifybackend/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 amplifybackend AWS Java SDK :: Services :: Amplify Backend diff --git a/services/amplifyuibuilder/pom.xml b/services/amplifyuibuilder/pom.xml index 699f417deeca..e83171bb6c4e 100644 --- a/services/amplifyuibuilder/pom.xml +++ b/services/amplifyuibuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 amplifyuibuilder AWS Java SDK :: Services :: Amplify UI Builder diff --git a/services/apigateway/pom.xml b/services/apigateway/pom.xml index 0e307cdd0715..d4a4239b56b2 100644 --- a/services/apigateway/pom.xml +++ b/services/apigateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 apigateway AWS Java SDK :: Services :: Amazon API Gateway diff --git a/services/apigatewaymanagementapi/pom.xml b/services/apigatewaymanagementapi/pom.xml index 4b0750b96715..78d1de3c658c 100644 --- a/services/apigatewaymanagementapi/pom.xml +++ b/services/apigatewaymanagementapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 apigatewaymanagementapi AWS Java SDK :: Services :: ApiGatewayManagementApi diff --git a/services/apigatewayv2/pom.xml b/services/apigatewayv2/pom.xml index 535f8ed28d9c..34406e0d49cd 100644 --- a/services/apigatewayv2/pom.xml +++ b/services/apigatewayv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 apigatewayv2 AWS Java SDK :: Services :: ApiGatewayV2 diff --git a/services/appconfig/pom.xml b/services/appconfig/pom.xml index 8958c9de5cb9..9d70f2ccbe79 100644 --- a/services/appconfig/pom.xml +++ b/services/appconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 appconfig AWS Java SDK :: Services :: AppConfig diff --git a/services/appconfigdata/pom.xml b/services/appconfigdata/pom.xml index e66553dcb194..0016ed0b9dfb 100644 --- a/services/appconfigdata/pom.xml +++ b/services/appconfigdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 appconfigdata AWS Java SDK :: Services :: App Config Data diff --git a/services/appfabric/pom.xml b/services/appfabric/pom.xml index 8c703fcc3f51..ce89efe3598e 100644 --- a/services/appfabric/pom.xml +++ b/services/appfabric/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 appfabric AWS Java SDK :: Services :: App Fabric diff --git a/services/appflow/pom.xml b/services/appflow/pom.xml index b642e5be167d..1e16b99bba2d 100644 --- a/services/appflow/pom.xml +++ b/services/appflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 appflow AWS Java SDK :: Services :: Appflow diff --git a/services/appintegrations/pom.xml b/services/appintegrations/pom.xml index 74ac4199fec9..1542b8b45e6c 100644 --- a/services/appintegrations/pom.xml +++ b/services/appintegrations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 appintegrations AWS Java SDK :: Services :: App Integrations diff --git a/services/applicationautoscaling/pom.xml b/services/applicationautoscaling/pom.xml index d62b8cf603a8..cc0dfc1174ff 100644 --- a/services/applicationautoscaling/pom.xml +++ b/services/applicationautoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 applicationautoscaling AWS Java SDK :: Services :: AWS Application Auto Scaling diff --git a/services/applicationcostprofiler/pom.xml b/services/applicationcostprofiler/pom.xml index 7a8deb0c3583..6500946a4b5e 100644 --- a/services/applicationcostprofiler/pom.xml +++ b/services/applicationcostprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 applicationcostprofiler AWS Java SDK :: Services :: Application Cost Profiler diff --git a/services/applicationdiscovery/pom.xml b/services/applicationdiscovery/pom.xml index 87ea59ff406a..02bb8762617b 100644 --- a/services/applicationdiscovery/pom.xml +++ b/services/applicationdiscovery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 applicationdiscovery AWS Java SDK :: Services :: AWS Application Discovery Service diff --git a/services/applicationinsights/pom.xml b/services/applicationinsights/pom.xml index 130135e62a6d..4e62cf320f90 100644 --- a/services/applicationinsights/pom.xml +++ b/services/applicationinsights/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 applicationinsights AWS Java SDK :: Services :: Application Insights diff --git a/services/applicationsignals/pom.xml b/services/applicationsignals/pom.xml index 56078d504769..3fe5c6684eb0 100644 --- a/services/applicationsignals/pom.xml +++ b/services/applicationsignals/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 applicationsignals AWS Java SDK :: Services :: Application Signals diff --git a/services/appmesh/pom.xml b/services/appmesh/pom.xml index 8751db66d5e7..c6e4bf797cc2 100644 --- a/services/appmesh/pom.xml +++ b/services/appmesh/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 appmesh AWS Java SDK :: Services :: App Mesh diff --git a/services/apprunner/pom.xml b/services/apprunner/pom.xml index 6070574d1042..ce09e007f723 100644 --- a/services/apprunner/pom.xml +++ b/services/apprunner/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 apprunner AWS Java SDK :: Services :: App Runner diff --git a/services/appstream/pom.xml b/services/appstream/pom.xml index fa32afa8209c..a957d009a53c 100644 --- a/services/appstream/pom.xml +++ b/services/appstream/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 appstream AWS Java SDK :: Services :: Amazon AppStream diff --git a/services/appsync/pom.xml b/services/appsync/pom.xml index 4263fa3c8a9e..91a134ceeba8 100644 --- a/services/appsync/pom.xml +++ b/services/appsync/pom.xml @@ -21,7 +21,7 @@ services software.amazon.awssdk - 2.28.1-SNAPSHOT + 2.28.1 appsync diff --git a/services/apptest/pom.xml b/services/apptest/pom.xml index 5b503da32a84..af2442736908 100644 --- a/services/apptest/pom.xml +++ b/services/apptest/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 apptest AWS Java SDK :: Services :: App Test diff --git a/services/arczonalshift/pom.xml b/services/arczonalshift/pom.xml index 7d663de8b493..69848079ce47 100644 --- a/services/arczonalshift/pom.xml +++ b/services/arczonalshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 arczonalshift AWS Java SDK :: Services :: ARC Zonal Shift diff --git a/services/artifact/pom.xml b/services/artifact/pom.xml index 887991e499d4..8aa702a1235c 100644 --- a/services/artifact/pom.xml +++ b/services/artifact/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 artifact AWS Java SDK :: Services :: Artifact diff --git a/services/athena/pom.xml b/services/athena/pom.xml index 4f125f4f9274..41b40e913b33 100644 --- a/services/athena/pom.xml +++ b/services/athena/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 athena AWS Java SDK :: Services :: Amazon Athena diff --git a/services/auditmanager/pom.xml b/services/auditmanager/pom.xml index 1cbbdfa70ec3..6cdaad7fd559 100644 --- a/services/auditmanager/pom.xml +++ b/services/auditmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 auditmanager AWS Java SDK :: Services :: Audit Manager diff --git a/services/autoscaling/pom.xml b/services/autoscaling/pom.xml index d1902a31e2e9..15c5c9233af0 100644 --- a/services/autoscaling/pom.xml +++ b/services/autoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 autoscaling AWS Java SDK :: Services :: Auto Scaling diff --git a/services/autoscalingplans/pom.xml b/services/autoscalingplans/pom.xml index 53b0e16c129a..7002e11bac08 100644 --- a/services/autoscalingplans/pom.xml +++ b/services/autoscalingplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 autoscalingplans AWS Java SDK :: Services :: Auto Scaling Plans diff --git a/services/b2bi/pom.xml b/services/b2bi/pom.xml index 55b0291a4d77..c0385ea03508 100644 --- a/services/b2bi/pom.xml +++ b/services/b2bi/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 b2bi AWS Java SDK :: Services :: B2 Bi diff --git a/services/backup/pom.xml b/services/backup/pom.xml index 871872fdd36f..a28412e8ddd8 100644 --- a/services/backup/pom.xml +++ b/services/backup/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 backup AWS Java SDK :: Services :: Backup diff --git a/services/backupgateway/pom.xml b/services/backupgateway/pom.xml index 67417c982b07..3fce789b0cf8 100644 --- a/services/backupgateway/pom.xml +++ b/services/backupgateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 backupgateway AWS Java SDK :: Services :: Backup Gateway diff --git a/services/batch/pom.xml b/services/batch/pom.xml index 09952b5e8a6c..5dd44e7826dc 100644 --- a/services/batch/pom.xml +++ b/services/batch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 batch AWS Java SDK :: Services :: AWS Batch diff --git a/services/bcmdataexports/pom.xml b/services/bcmdataexports/pom.xml index dcc8f0f023d2..1d3651127914 100644 --- a/services/bcmdataexports/pom.xml +++ b/services/bcmdataexports/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 bcmdataexports AWS Java SDK :: Services :: BCM Data Exports diff --git a/services/bedrock/pom.xml b/services/bedrock/pom.xml index 0400721e38b2..88737092c479 100644 --- a/services/bedrock/pom.xml +++ b/services/bedrock/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 bedrock AWS Java SDK :: Services :: Bedrock diff --git a/services/bedrockagent/pom.xml b/services/bedrockagent/pom.xml index d3cc86799d8d..70b44d91a589 100644 --- a/services/bedrockagent/pom.xml +++ b/services/bedrockagent/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 bedrockagent AWS Java SDK :: Services :: Bedrock Agent diff --git a/services/bedrockagentruntime/pom.xml b/services/bedrockagentruntime/pom.xml index 4ad70a67b85f..5de85b514dbe 100644 --- a/services/bedrockagentruntime/pom.xml +++ b/services/bedrockagentruntime/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 bedrockagentruntime AWS Java SDK :: Services :: Bedrock Agent Runtime diff --git a/services/bedrockruntime/pom.xml b/services/bedrockruntime/pom.xml index 2aaa12b1f0ac..40ab5a7fecef 100644 --- a/services/bedrockruntime/pom.xml +++ b/services/bedrockruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 bedrockruntime AWS Java SDK :: Services :: Bedrock Runtime diff --git a/services/billingconductor/pom.xml b/services/billingconductor/pom.xml index bc0f656afb12..a81bdb2c156b 100644 --- a/services/billingconductor/pom.xml +++ b/services/billingconductor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 billingconductor AWS Java SDK :: Services :: Billingconductor diff --git a/services/braket/pom.xml b/services/braket/pom.xml index a1deb2cde003..fb67632684c7 100644 --- a/services/braket/pom.xml +++ b/services/braket/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 braket AWS Java SDK :: Services :: Braket diff --git a/services/budgets/pom.xml b/services/budgets/pom.xml index aea93cd9c093..e83c56fe7a68 100644 --- a/services/budgets/pom.xml +++ b/services/budgets/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 budgets AWS Java SDK :: Services :: AWS Budgets diff --git a/services/chatbot/pom.xml b/services/chatbot/pom.xml index 36df37172e0b..d0acd7d2eb80 100644 --- a/services/chatbot/pom.xml +++ b/services/chatbot/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 chatbot AWS Java SDK :: Services :: Chatbot diff --git a/services/chime/pom.xml b/services/chime/pom.xml index 60eccc2372e8..384ab72f4f0e 100644 --- a/services/chime/pom.xml +++ b/services/chime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 chime AWS Java SDK :: Services :: Chime diff --git a/services/chimesdkidentity/pom.xml b/services/chimesdkidentity/pom.xml index 47368fd3d6d3..407b0df2f4ab 100644 --- a/services/chimesdkidentity/pom.xml +++ b/services/chimesdkidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 chimesdkidentity AWS Java SDK :: Services :: Chime SDK Identity diff --git a/services/chimesdkmediapipelines/pom.xml b/services/chimesdkmediapipelines/pom.xml index e8828200da59..ed1e57939062 100644 --- a/services/chimesdkmediapipelines/pom.xml +++ b/services/chimesdkmediapipelines/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 chimesdkmediapipelines AWS Java SDK :: Services :: Chime SDK Media Pipelines diff --git a/services/chimesdkmeetings/pom.xml b/services/chimesdkmeetings/pom.xml index 2b2c932465fc..8b6a62ccfba3 100644 --- a/services/chimesdkmeetings/pom.xml +++ b/services/chimesdkmeetings/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 chimesdkmeetings AWS Java SDK :: Services :: Chime SDK Meetings diff --git a/services/chimesdkmessaging/pom.xml b/services/chimesdkmessaging/pom.xml index a59544b5ccd1..1b0589f7c199 100644 --- a/services/chimesdkmessaging/pom.xml +++ b/services/chimesdkmessaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 chimesdkmessaging AWS Java SDK :: Services :: Chime SDK Messaging diff --git a/services/chimesdkvoice/pom.xml b/services/chimesdkvoice/pom.xml index fd7d674d12d6..9b0b80e873b1 100644 --- a/services/chimesdkvoice/pom.xml +++ b/services/chimesdkvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 chimesdkvoice AWS Java SDK :: Services :: Chime SDK Voice diff --git a/services/cleanrooms/pom.xml b/services/cleanrooms/pom.xml index f5a091ac4dc5..016185905b06 100644 --- a/services/cleanrooms/pom.xml +++ b/services/cleanrooms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 cleanrooms AWS Java SDK :: Services :: Clean Rooms diff --git a/services/cleanroomsml/pom.xml b/services/cleanroomsml/pom.xml index 526d3d696237..0f2f659ad6d7 100644 --- a/services/cleanroomsml/pom.xml +++ b/services/cleanroomsml/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 cleanroomsml AWS Java SDK :: Services :: Clean Rooms ML diff --git a/services/cloud9/pom.xml b/services/cloud9/pom.xml index a1e60f6b9c91..d2077ed46337 100644 --- a/services/cloud9/pom.xml +++ b/services/cloud9/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1-SNAPSHOT + 2.28.1 4.0.0 cloud9 diff --git a/services/cloudcontrol/pom.xml b/services/cloudcontrol/pom.xml index 5408d3ca9d56..7577e0165547 100644 --- a/services/cloudcontrol/pom.xml +++ b/services/cloudcontrol/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 cloudcontrol AWS Java SDK :: Services :: Cloud Control diff --git a/services/clouddirectory/pom.xml b/services/clouddirectory/pom.xml index 360521d94c16..e03e95eb0288 100644 --- a/services/clouddirectory/pom.xml +++ b/services/clouddirectory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 clouddirectory AWS Java SDK :: Services :: Amazon CloudDirectory diff --git a/services/cloudformation/pom.xml b/services/cloudformation/pom.xml index b6df63b7206a..378f610a3888 100644 --- a/services/cloudformation/pom.xml +++ b/services/cloudformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 cloudformation AWS Java SDK :: Services :: AWS CloudFormation diff --git a/services/cloudfront/pom.xml b/services/cloudfront/pom.xml index 9c1b6aa29749..758b04a67ac7 100644 --- a/services/cloudfront/pom.xml +++ b/services/cloudfront/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 cloudfront AWS Java SDK :: Services :: Amazon CloudFront diff --git a/services/cloudfrontkeyvaluestore/pom.xml b/services/cloudfrontkeyvaluestore/pom.xml index bf32b7d53916..7b9c6418c880 100644 --- a/services/cloudfrontkeyvaluestore/pom.xml +++ b/services/cloudfrontkeyvaluestore/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 cloudfrontkeyvaluestore AWS Java SDK :: Services :: Cloud Front Key Value Store diff --git a/services/cloudhsm/pom.xml b/services/cloudhsm/pom.xml index 2ae8db2c7d67..a2874fbddc26 100644 --- a/services/cloudhsm/pom.xml +++ b/services/cloudhsm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 cloudhsm AWS Java SDK :: Services :: AWS CloudHSM diff --git a/services/cloudhsmv2/pom.xml b/services/cloudhsmv2/pom.xml index 51e18f11928f..af1ce17f74cc 100644 --- a/services/cloudhsmv2/pom.xml +++ b/services/cloudhsmv2/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1-SNAPSHOT + 2.28.1 4.0.0 cloudhsmv2 diff --git a/services/cloudsearch/pom.xml b/services/cloudsearch/pom.xml index edae54b2c8da..c76320a65336 100644 --- a/services/cloudsearch/pom.xml +++ b/services/cloudsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 cloudsearch AWS Java SDK :: Services :: Amazon CloudSearch diff --git a/services/cloudsearchdomain/pom.xml b/services/cloudsearchdomain/pom.xml index 384b8f6293ea..e7c1509e9440 100644 --- a/services/cloudsearchdomain/pom.xml +++ b/services/cloudsearchdomain/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 cloudsearchdomain AWS Java SDK :: Services :: Amazon CloudSearch Domain diff --git a/services/cloudtrail/pom.xml b/services/cloudtrail/pom.xml index 13b1725e3af3..f1e06e57a1e1 100644 --- a/services/cloudtrail/pom.xml +++ b/services/cloudtrail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 cloudtrail AWS Java SDK :: Services :: AWS CloudTrail diff --git a/services/cloudtraildata/pom.xml b/services/cloudtraildata/pom.xml index 2842ec88bf1f..0ae1b4f3e578 100644 --- a/services/cloudtraildata/pom.xml +++ b/services/cloudtraildata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 cloudtraildata AWS Java SDK :: Services :: Cloud Trail Data diff --git a/services/cloudwatch/pom.xml b/services/cloudwatch/pom.xml index b495a9596d39..3640610329d6 100644 --- a/services/cloudwatch/pom.xml +++ b/services/cloudwatch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 cloudwatch AWS Java SDK :: Services :: Amazon CloudWatch diff --git a/services/cloudwatchevents/pom.xml b/services/cloudwatchevents/pom.xml index ca06a2827039..7886d063b3af 100644 --- a/services/cloudwatchevents/pom.xml +++ b/services/cloudwatchevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 cloudwatchevents AWS Java SDK :: Services :: Amazon CloudWatch Events diff --git a/services/cloudwatchlogs/pom.xml b/services/cloudwatchlogs/pom.xml index a4786df791db..25b6e7d67c80 100644 --- a/services/cloudwatchlogs/pom.xml +++ b/services/cloudwatchlogs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 cloudwatchlogs AWS Java SDK :: Services :: Amazon CloudWatch Logs diff --git a/services/codeartifact/pom.xml b/services/codeartifact/pom.xml index ceb3a0b5156c..044e224c3c67 100644 --- a/services/codeartifact/pom.xml +++ b/services/codeartifact/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 codeartifact AWS Java SDK :: Services :: Codeartifact diff --git a/services/codebuild/pom.xml b/services/codebuild/pom.xml index ee2e08da27fb..63524d6dce71 100644 --- a/services/codebuild/pom.xml +++ b/services/codebuild/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 codebuild AWS Java SDK :: Services :: AWS Code Build diff --git a/services/codecatalyst/pom.xml b/services/codecatalyst/pom.xml index 85798ff5de0e..8145d3f03153 100644 --- a/services/codecatalyst/pom.xml +++ b/services/codecatalyst/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 codecatalyst AWS Java SDK :: Services :: Code Catalyst diff --git a/services/codecommit/pom.xml b/services/codecommit/pom.xml index 02de49cae6b7..146bc1f9749c 100644 --- a/services/codecommit/pom.xml +++ b/services/codecommit/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 codecommit AWS Java SDK :: Services :: AWS CodeCommit diff --git a/services/codeconnections/pom.xml b/services/codeconnections/pom.xml index 8de9f98f49a6..13efce4b5bca 100644 --- a/services/codeconnections/pom.xml +++ b/services/codeconnections/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 codeconnections AWS Java SDK :: Services :: Code Connections diff --git a/services/codedeploy/pom.xml b/services/codedeploy/pom.xml index ea7286bd8113..08719504b301 100644 --- a/services/codedeploy/pom.xml +++ b/services/codedeploy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 codedeploy AWS Java SDK :: Services :: AWS CodeDeploy diff --git a/services/codeguruprofiler/pom.xml b/services/codeguruprofiler/pom.xml index ff41783315af..b31ec800c488 100644 --- a/services/codeguruprofiler/pom.xml +++ b/services/codeguruprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 codeguruprofiler AWS Java SDK :: Services :: CodeGuruProfiler diff --git a/services/codegurureviewer/pom.xml b/services/codegurureviewer/pom.xml index 9e5463608adc..4c09bd481e71 100644 --- a/services/codegurureviewer/pom.xml +++ b/services/codegurureviewer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 codegurureviewer AWS Java SDK :: Services :: CodeGuru Reviewer diff --git a/services/codegurusecurity/pom.xml b/services/codegurusecurity/pom.xml index 47c1398fdd52..291f5942dd13 100644 --- a/services/codegurusecurity/pom.xml +++ b/services/codegurusecurity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 codegurusecurity AWS Java SDK :: Services :: Code Guru Security diff --git a/services/codepipeline/pom.xml b/services/codepipeline/pom.xml index 411518a3ed4f..8423a18dd954 100644 --- a/services/codepipeline/pom.xml +++ b/services/codepipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 codepipeline AWS Java SDK :: Services :: AWS CodePipeline diff --git a/services/codestarconnections/pom.xml b/services/codestarconnections/pom.xml index 0b441ed6c526..c407cdf04550 100644 --- a/services/codestarconnections/pom.xml +++ b/services/codestarconnections/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 codestarconnections AWS Java SDK :: Services :: CodeStar connections diff --git a/services/codestarnotifications/pom.xml b/services/codestarnotifications/pom.xml index 0b31c2edcd9e..01f798c04be1 100644 --- a/services/codestarnotifications/pom.xml +++ b/services/codestarnotifications/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 codestarnotifications AWS Java SDK :: Services :: Codestar Notifications diff --git a/services/cognitoidentity/pom.xml b/services/cognitoidentity/pom.xml index f076dc1ec728..8f3b59d4db46 100644 --- a/services/cognitoidentity/pom.xml +++ b/services/cognitoidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 cognitoidentity AWS Java SDK :: Services :: Amazon Cognito Identity diff --git a/services/cognitoidentityprovider/pom.xml b/services/cognitoidentityprovider/pom.xml index f5064816d160..f365aaa4825c 100644 --- a/services/cognitoidentityprovider/pom.xml +++ b/services/cognitoidentityprovider/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 cognitoidentityprovider AWS Java SDK :: Services :: Amazon Cognito Identity Provider Service diff --git a/services/cognitosync/pom.xml b/services/cognitosync/pom.xml index 9da55bf39f7d..550ca9ed35fd 100644 --- a/services/cognitosync/pom.xml +++ b/services/cognitosync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 cognitosync AWS Java SDK :: Services :: Amazon Cognito Sync diff --git a/services/comprehend/pom.xml b/services/comprehend/pom.xml index 6a43ba5e6db9..fd44ebb04435 100644 --- a/services/comprehend/pom.xml +++ b/services/comprehend/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1-SNAPSHOT + 2.28.1 4.0.0 comprehend diff --git a/services/comprehendmedical/pom.xml b/services/comprehendmedical/pom.xml index 75c8d0d790e2..8891628a30b4 100644 --- a/services/comprehendmedical/pom.xml +++ b/services/comprehendmedical/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 comprehendmedical AWS Java SDK :: Services :: ComprehendMedical diff --git a/services/computeoptimizer/pom.xml b/services/computeoptimizer/pom.xml index 4099ac29077a..dc5cfe367dc0 100644 --- a/services/computeoptimizer/pom.xml +++ b/services/computeoptimizer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 computeoptimizer AWS Java SDK :: Services :: Compute Optimizer diff --git a/services/config/pom.xml b/services/config/pom.xml index 41ed8ac41b9f..b20a02c7a48b 100644 --- a/services/config/pom.xml +++ b/services/config/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 config AWS Java SDK :: Services :: AWS Config diff --git a/services/connect/pom.xml b/services/connect/pom.xml index 1734208c0439..72dc9f713220 100644 --- a/services/connect/pom.xml +++ b/services/connect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 connect AWS Java SDK :: Services :: Connect diff --git a/services/connectcampaigns/pom.xml b/services/connectcampaigns/pom.xml index 4db3c2b60640..e8a1e1f8f6a6 100644 --- a/services/connectcampaigns/pom.xml +++ b/services/connectcampaigns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 connectcampaigns AWS Java SDK :: Services :: Connect Campaigns diff --git a/services/connectcases/pom.xml b/services/connectcases/pom.xml index a7e8d5f28fbe..ab720b878b81 100644 --- a/services/connectcases/pom.xml +++ b/services/connectcases/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 connectcases AWS Java SDK :: Services :: Connect Cases diff --git a/services/connectcontactlens/pom.xml b/services/connectcontactlens/pom.xml index 2fd5ab70b286..3730a9fbc5c8 100644 --- a/services/connectcontactlens/pom.xml +++ b/services/connectcontactlens/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 connectcontactlens AWS Java SDK :: Services :: Connect Contact Lens diff --git a/services/connectparticipant/pom.xml b/services/connectparticipant/pom.xml index a6c5f9407aff..cc2645a30f75 100644 --- a/services/connectparticipant/pom.xml +++ b/services/connectparticipant/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 connectparticipant AWS Java SDK :: Services :: ConnectParticipant diff --git a/services/controlcatalog/pom.xml b/services/controlcatalog/pom.xml index f23f9291f904..b0f42d439e53 100644 --- a/services/controlcatalog/pom.xml +++ b/services/controlcatalog/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 controlcatalog AWS Java SDK :: Services :: Control Catalog diff --git a/services/controltower/pom.xml b/services/controltower/pom.xml index 7cfef00c6229..ff3cc62492e5 100644 --- a/services/controltower/pom.xml +++ b/services/controltower/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 controltower AWS Java SDK :: Services :: Control Tower diff --git a/services/costandusagereport/pom.xml b/services/costandusagereport/pom.xml index 7b5ba4721d7d..c2222681eb3a 100644 --- a/services/costandusagereport/pom.xml +++ b/services/costandusagereport/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 costandusagereport AWS Java SDK :: Services :: AWS Cost and Usage Report diff --git a/services/costexplorer/pom.xml b/services/costexplorer/pom.xml index 334639e5585f..e3ee46c94f92 100644 --- a/services/costexplorer/pom.xml +++ b/services/costexplorer/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1-SNAPSHOT + 2.28.1 4.0.0 costexplorer diff --git a/services/costoptimizationhub/pom.xml b/services/costoptimizationhub/pom.xml index dd65372839aa..d88b298a0e13 100644 --- a/services/costoptimizationhub/pom.xml +++ b/services/costoptimizationhub/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 costoptimizationhub AWS Java SDK :: Services :: Cost Optimization Hub diff --git a/services/customerprofiles/pom.xml b/services/customerprofiles/pom.xml index 1c18d837b3f8..03c2ca6e5a76 100644 --- a/services/customerprofiles/pom.xml +++ b/services/customerprofiles/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 customerprofiles AWS Java SDK :: Services :: Customer Profiles diff --git a/services/databasemigration/pom.xml b/services/databasemigration/pom.xml index f72d00746dc4..d606d532a652 100644 --- a/services/databasemigration/pom.xml +++ b/services/databasemigration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 databasemigration AWS Java SDK :: Services :: AWS Database Migration Service diff --git a/services/databrew/pom.xml b/services/databrew/pom.xml index 41d5390c68c8..839cba8bc36f 100644 --- a/services/databrew/pom.xml +++ b/services/databrew/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 databrew AWS Java SDK :: Services :: Data Brew diff --git a/services/dataexchange/pom.xml b/services/dataexchange/pom.xml index 39ba22b673e3..42b389584aa2 100644 --- a/services/dataexchange/pom.xml +++ b/services/dataexchange/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 dataexchange AWS Java SDK :: Services :: DataExchange diff --git a/services/datapipeline/pom.xml b/services/datapipeline/pom.xml index d784b8b0d49e..a4b727d0706b 100644 --- a/services/datapipeline/pom.xml +++ b/services/datapipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 datapipeline AWS Java SDK :: Services :: AWS Data Pipeline diff --git a/services/datasync/pom.xml b/services/datasync/pom.xml index 25195967e203..3864aa6094ce 100644 --- a/services/datasync/pom.xml +++ b/services/datasync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 datasync AWS Java SDK :: Services :: DataSync diff --git a/services/datazone/pom.xml b/services/datazone/pom.xml index 3a1f80324c11..0c39b7bb1076 100644 --- a/services/datazone/pom.xml +++ b/services/datazone/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 datazone AWS Java SDK :: Services :: Data Zone diff --git a/services/dax/pom.xml b/services/dax/pom.xml index ff189624f65b..e9ebe7c7f553 100644 --- a/services/dax/pom.xml +++ b/services/dax/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 dax AWS Java SDK :: Services :: Amazon DynamoDB Accelerator (DAX) diff --git a/services/deadline/pom.xml b/services/deadline/pom.xml index 9b54b3f6b5c6..553ef9857cec 100644 --- a/services/deadline/pom.xml +++ b/services/deadline/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 deadline AWS Java SDK :: Services :: Deadline diff --git a/services/detective/pom.xml b/services/detective/pom.xml index 40638bf66cc3..6434bf14b4bb 100644 --- a/services/detective/pom.xml +++ b/services/detective/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 detective AWS Java SDK :: Services :: Detective diff --git a/services/devicefarm/pom.xml b/services/devicefarm/pom.xml index 1a810a0b3d22..c4be63f91901 100644 --- a/services/devicefarm/pom.xml +++ b/services/devicefarm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 devicefarm AWS Java SDK :: Services :: AWS Device Farm diff --git a/services/devopsguru/pom.xml b/services/devopsguru/pom.xml index cd44632efa1c..1ed6d9ce13b3 100644 --- a/services/devopsguru/pom.xml +++ b/services/devopsguru/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 devopsguru AWS Java SDK :: Services :: Dev Ops Guru diff --git a/services/directconnect/pom.xml b/services/directconnect/pom.xml index 0194d078d88c..0a11de69b9bc 100644 --- a/services/directconnect/pom.xml +++ b/services/directconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 directconnect AWS Java SDK :: Services :: AWS Direct Connect diff --git a/services/directory/pom.xml b/services/directory/pom.xml index 0180dade6b0c..0c731bfdfef9 100644 --- a/services/directory/pom.xml +++ b/services/directory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 directory AWS Java SDK :: Services :: AWS Directory Service diff --git a/services/dlm/pom.xml b/services/dlm/pom.xml index 62e42e3c97ad..49201a1f4def 100644 --- a/services/dlm/pom.xml +++ b/services/dlm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 dlm AWS Java SDK :: Services :: DLM diff --git a/services/docdb/pom.xml b/services/docdb/pom.xml index 719968881f98..ec69e27272b8 100644 --- a/services/docdb/pom.xml +++ b/services/docdb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 docdb AWS Java SDK :: Services :: DocDB diff --git a/services/docdbelastic/pom.xml b/services/docdbelastic/pom.xml index ef03ab9e358d..54d5ce83dd0d 100644 --- a/services/docdbelastic/pom.xml +++ b/services/docdbelastic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 docdbelastic AWS Java SDK :: Services :: Doc DB Elastic diff --git a/services/drs/pom.xml b/services/drs/pom.xml index 5e22682c56fa..07ee92f862d3 100644 --- a/services/drs/pom.xml +++ b/services/drs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 drs AWS Java SDK :: Services :: Drs diff --git a/services/dynamodb/pom.xml b/services/dynamodb/pom.xml index 9b981cd357aa..ddc04b38e915 100644 --- a/services/dynamodb/pom.xml +++ b/services/dynamodb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 dynamodb AWS Java SDK :: Services :: Amazon DynamoDB diff --git a/services/ebs/pom.xml b/services/ebs/pom.xml index 90576e595c41..abef40a3942b 100644 --- a/services/ebs/pom.xml +++ b/services/ebs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 ebs AWS Java SDK :: Services :: EBS diff --git a/services/ec2/pom.xml b/services/ec2/pom.xml index dc4043547d6d..484ad4782a0b 100644 --- a/services/ec2/pom.xml +++ b/services/ec2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 ec2 AWS Java SDK :: Services :: Amazon EC2 diff --git a/services/ec2instanceconnect/pom.xml b/services/ec2instanceconnect/pom.xml index 54cc3719a69b..5fa6ba2f2826 100644 --- a/services/ec2instanceconnect/pom.xml +++ b/services/ec2instanceconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 ec2instanceconnect AWS Java SDK :: Services :: EC2 Instance Connect diff --git a/services/ecr/pom.xml b/services/ecr/pom.xml index 4eace301334d..d680416e47e1 100644 --- a/services/ecr/pom.xml +++ b/services/ecr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 ecr AWS Java SDK :: Services :: Amazon EC2 Container Registry diff --git a/services/ecrpublic/pom.xml b/services/ecrpublic/pom.xml index 527ed023f20f..5bbbfd324bcc 100644 --- a/services/ecrpublic/pom.xml +++ b/services/ecrpublic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 ecrpublic AWS Java SDK :: Services :: ECR PUBLIC diff --git a/services/ecs/pom.xml b/services/ecs/pom.xml index 74cc0a9a77fc..51e2881844dc 100644 --- a/services/ecs/pom.xml +++ b/services/ecs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 ecs AWS Java SDK :: Services :: Amazon EC2 Container Service diff --git a/services/efs/pom.xml b/services/efs/pom.xml index ee875b532f61..a710d569e537 100644 --- a/services/efs/pom.xml +++ b/services/efs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 efs AWS Java SDK :: Services :: Amazon Elastic File System diff --git a/services/eks/pom.xml b/services/eks/pom.xml index 0380c6938de9..c0d3ce2cc804 100644 --- a/services/eks/pom.xml +++ b/services/eks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 eks AWS Java SDK :: Services :: EKS diff --git a/services/eksauth/pom.xml b/services/eksauth/pom.xml index 2719195f5223..bfd0f1eb0a02 100644 --- a/services/eksauth/pom.xml +++ b/services/eksauth/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 eksauth AWS Java SDK :: Services :: EKS Auth diff --git a/services/elasticache/pom.xml b/services/elasticache/pom.xml index 3b6e9b454605..014b7e4c6c98 100644 --- a/services/elasticache/pom.xml +++ b/services/elasticache/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 elasticache AWS Java SDK :: Services :: Amazon ElastiCache diff --git a/services/elasticbeanstalk/pom.xml b/services/elasticbeanstalk/pom.xml index 936cf9397b26..7cbc0b1453ff 100644 --- a/services/elasticbeanstalk/pom.xml +++ b/services/elasticbeanstalk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 elasticbeanstalk AWS Java SDK :: Services :: AWS Elastic Beanstalk diff --git a/services/elasticinference/pom.xml b/services/elasticinference/pom.xml index 6e36f59a29fd..8a75959aa6d9 100644 --- a/services/elasticinference/pom.xml +++ b/services/elasticinference/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 elasticinference AWS Java SDK :: Services :: Elastic Inference diff --git a/services/elasticloadbalancing/pom.xml b/services/elasticloadbalancing/pom.xml index ca12d142b529..6f614d160844 100644 --- a/services/elasticloadbalancing/pom.xml +++ b/services/elasticloadbalancing/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 elasticloadbalancing AWS Java SDK :: Services :: Elastic Load Balancing diff --git a/services/elasticloadbalancingv2/pom.xml b/services/elasticloadbalancingv2/pom.xml index 602fc8c54002..5dd06dad3ed7 100644 --- a/services/elasticloadbalancingv2/pom.xml +++ b/services/elasticloadbalancingv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 elasticloadbalancingv2 AWS Java SDK :: Services :: Elastic Load Balancing V2 diff --git a/services/elasticsearch/pom.xml b/services/elasticsearch/pom.xml index 5987338ee413..e08d328c6721 100644 --- a/services/elasticsearch/pom.xml +++ b/services/elasticsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 elasticsearch AWS Java SDK :: Services :: Amazon Elasticsearch Service diff --git a/services/elastictranscoder/pom.xml b/services/elastictranscoder/pom.xml index ee6c3a1da59b..4fa1a646d64b 100644 --- a/services/elastictranscoder/pom.xml +++ b/services/elastictranscoder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 elastictranscoder AWS Java SDK :: Services :: Amazon Elastic Transcoder diff --git a/services/emr/pom.xml b/services/emr/pom.xml index ca3c953be6cb..2e97582a4067 100644 --- a/services/emr/pom.xml +++ b/services/emr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 emr AWS Java SDK :: Services :: Amazon EMR diff --git a/services/emrcontainers/pom.xml b/services/emrcontainers/pom.xml index 413aa1d48da8..bbbbc89cdb39 100644 --- a/services/emrcontainers/pom.xml +++ b/services/emrcontainers/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 emrcontainers AWS Java SDK :: Services :: EMR Containers diff --git a/services/emrserverless/pom.xml b/services/emrserverless/pom.xml index f30ff632835e..fcdbe9c372dd 100644 --- a/services/emrserverless/pom.xml +++ b/services/emrserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 emrserverless AWS Java SDK :: Services :: EMR Serverless diff --git a/services/entityresolution/pom.xml b/services/entityresolution/pom.xml index fd6c68a15225..730e96cc9f3a 100644 --- a/services/entityresolution/pom.xml +++ b/services/entityresolution/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 entityresolution AWS Java SDK :: Services :: Entity Resolution diff --git a/services/eventbridge/pom.xml b/services/eventbridge/pom.xml index cd0e6b569c6a..f33b725d7e74 100644 --- a/services/eventbridge/pom.xml +++ b/services/eventbridge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 eventbridge AWS Java SDK :: Services :: EventBridge diff --git a/services/evidently/pom.xml b/services/evidently/pom.xml index c38f895f7cbc..b8eec50ade00 100644 --- a/services/evidently/pom.xml +++ b/services/evidently/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 evidently AWS Java SDK :: Services :: Evidently diff --git a/services/finspace/pom.xml b/services/finspace/pom.xml index d155d176e5f8..a2859fa3e477 100644 --- a/services/finspace/pom.xml +++ b/services/finspace/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 finspace AWS Java SDK :: Services :: Finspace diff --git a/services/finspacedata/pom.xml b/services/finspacedata/pom.xml index 5ab26207221b..c1773dd8c795 100644 --- a/services/finspacedata/pom.xml +++ b/services/finspacedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 finspacedata AWS Java SDK :: Services :: Finspace Data diff --git a/services/firehose/pom.xml b/services/firehose/pom.xml index 86eb4a465139..54daae5af101 100644 --- a/services/firehose/pom.xml +++ b/services/firehose/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 firehose AWS Java SDK :: Services :: Amazon Kinesis Firehose diff --git a/services/fis/pom.xml b/services/fis/pom.xml index 733d5c5f220d..20446328e3df 100644 --- a/services/fis/pom.xml +++ b/services/fis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 fis AWS Java SDK :: Services :: Fis diff --git a/services/fms/pom.xml b/services/fms/pom.xml index 9fc68cae91c1..f3bb08a29e13 100644 --- a/services/fms/pom.xml +++ b/services/fms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 fms AWS Java SDK :: Services :: FMS diff --git a/services/forecast/pom.xml b/services/forecast/pom.xml index d6dacc763029..02e9877627ff 100644 --- a/services/forecast/pom.xml +++ b/services/forecast/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 forecast AWS Java SDK :: Services :: Forecast diff --git a/services/forecastquery/pom.xml b/services/forecastquery/pom.xml index f5696eedeaa8..09f6a1d43323 100644 --- a/services/forecastquery/pom.xml +++ b/services/forecastquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 forecastquery AWS Java SDK :: Services :: Forecastquery diff --git a/services/frauddetector/pom.xml b/services/frauddetector/pom.xml index 7de3218ebfa5..757067b22f43 100644 --- a/services/frauddetector/pom.xml +++ b/services/frauddetector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 frauddetector AWS Java SDK :: Services :: FraudDetector diff --git a/services/freetier/pom.xml b/services/freetier/pom.xml index 4715e6c4d290..e90974981611 100644 --- a/services/freetier/pom.xml +++ b/services/freetier/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 freetier AWS Java SDK :: Services :: Free Tier diff --git a/services/fsx/pom.xml b/services/fsx/pom.xml index b677fb315810..ab31fc0805fa 100644 --- a/services/fsx/pom.xml +++ b/services/fsx/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 fsx AWS Java SDK :: Services :: FSx diff --git a/services/gamelift/pom.xml b/services/gamelift/pom.xml index 88818d2ff05b..15f0d33db089 100644 --- a/services/gamelift/pom.xml +++ b/services/gamelift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 gamelift AWS Java SDK :: Services :: AWS GameLift diff --git a/services/glacier/pom.xml b/services/glacier/pom.xml index a92967f304a0..de89e2648d0a 100644 --- a/services/glacier/pom.xml +++ b/services/glacier/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 glacier AWS Java SDK :: Services :: Amazon Glacier diff --git a/services/globalaccelerator/pom.xml b/services/globalaccelerator/pom.xml index 2c10574a55df..f944e41db58b 100644 --- a/services/globalaccelerator/pom.xml +++ b/services/globalaccelerator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 globalaccelerator AWS Java SDK :: Services :: Global Accelerator diff --git a/services/glue/pom.xml b/services/glue/pom.xml index fdf3985fd46a..1340186f0dc0 100644 --- a/services/glue/pom.xml +++ b/services/glue/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1-SNAPSHOT + 2.28.1 4.0.0 glue diff --git a/services/grafana/pom.xml b/services/grafana/pom.xml index 012f507752fe..bb3f21a66ec8 100644 --- a/services/grafana/pom.xml +++ b/services/grafana/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 grafana AWS Java SDK :: Services :: Grafana diff --git a/services/greengrass/pom.xml b/services/greengrass/pom.xml index c996bcbda3e1..845ac6dc710c 100644 --- a/services/greengrass/pom.xml +++ b/services/greengrass/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 greengrass AWS Java SDK :: Services :: AWS Greengrass diff --git a/services/greengrassv2/pom.xml b/services/greengrassv2/pom.xml index 9cff4a638867..bd9d13946ae1 100644 --- a/services/greengrassv2/pom.xml +++ b/services/greengrassv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 greengrassv2 AWS Java SDK :: Services :: Greengrass V2 diff --git a/services/groundstation/pom.xml b/services/groundstation/pom.xml index c5f61de6c760..534af9aec7d0 100644 --- a/services/groundstation/pom.xml +++ b/services/groundstation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 groundstation AWS Java SDK :: Services :: GroundStation diff --git a/services/guardduty/pom.xml b/services/guardduty/pom.xml index 52a698b9d623..789f14acc061 100644 --- a/services/guardduty/pom.xml +++ b/services/guardduty/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1-SNAPSHOT + 2.28.1 4.0.0 guardduty diff --git a/services/health/pom.xml b/services/health/pom.xml index 1e3c3b02427a..06edf7a92de8 100644 --- a/services/health/pom.xml +++ b/services/health/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 health AWS Java SDK :: Services :: AWS Health APIs and Notifications diff --git a/services/healthlake/pom.xml b/services/healthlake/pom.xml index 3386d52b54ef..c5317cec9959 100644 --- a/services/healthlake/pom.xml +++ b/services/healthlake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 healthlake AWS Java SDK :: Services :: Health Lake diff --git a/services/iam/pom.xml b/services/iam/pom.xml index 8218120cfc6b..c942f7d76794 100644 --- a/services/iam/pom.xml +++ b/services/iam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 iam AWS Java SDK :: Services :: AWS IAM diff --git a/services/identitystore/pom.xml b/services/identitystore/pom.xml index 5dbe67a00cd4..f270d66264f6 100644 --- a/services/identitystore/pom.xml +++ b/services/identitystore/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 identitystore AWS Java SDK :: Services :: Identitystore diff --git a/services/imagebuilder/pom.xml b/services/imagebuilder/pom.xml index 441af15c0719..6e751a96169c 100644 --- a/services/imagebuilder/pom.xml +++ b/services/imagebuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 imagebuilder AWS Java SDK :: Services :: Imagebuilder diff --git a/services/inspector/pom.xml b/services/inspector/pom.xml index 0285878811f2..a258555f5b3e 100644 --- a/services/inspector/pom.xml +++ b/services/inspector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 inspector AWS Java SDK :: Services :: Amazon Inspector Service diff --git a/services/inspector2/pom.xml b/services/inspector2/pom.xml index 86d7662a2f7a..72e052cea29d 100644 --- a/services/inspector2/pom.xml +++ b/services/inspector2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 inspector2 AWS Java SDK :: Services :: Inspector2 diff --git a/services/inspectorscan/pom.xml b/services/inspectorscan/pom.xml index a8234a7c289a..904bd86da338 100644 --- a/services/inspectorscan/pom.xml +++ b/services/inspectorscan/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 inspectorscan AWS Java SDK :: Services :: Inspector Scan diff --git a/services/internetmonitor/pom.xml b/services/internetmonitor/pom.xml index e61c29cf2043..f4a633cc0716 100644 --- a/services/internetmonitor/pom.xml +++ b/services/internetmonitor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 internetmonitor AWS Java SDK :: Services :: Internet Monitor diff --git a/services/iot/pom.xml b/services/iot/pom.xml index 7d9aa01cbfaf..a1ae463405df 100644 --- a/services/iot/pom.xml +++ b/services/iot/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 iot AWS Java SDK :: Services :: AWS IoT diff --git a/services/iot1clickdevices/pom.xml b/services/iot1clickdevices/pom.xml index 82703d6b61be..d28e9fa71a1e 100644 --- a/services/iot1clickdevices/pom.xml +++ b/services/iot1clickdevices/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 iot1clickdevices AWS Java SDK :: Services :: IoT 1Click Devices Service diff --git a/services/iot1clickprojects/pom.xml b/services/iot1clickprojects/pom.xml index cdcdcbb94c9c..28bf34902c29 100644 --- a/services/iot1clickprojects/pom.xml +++ b/services/iot1clickprojects/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 iot1clickprojects AWS Java SDK :: Services :: IoT 1Click Projects diff --git a/services/iotanalytics/pom.xml b/services/iotanalytics/pom.xml index 648c23e69c2f..79d5cc78d815 100644 --- a/services/iotanalytics/pom.xml +++ b/services/iotanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 iotanalytics AWS Java SDK :: Services :: IoTAnalytics diff --git a/services/iotdataplane/pom.xml b/services/iotdataplane/pom.xml index f3f089fa0026..0c8c4e2936be 100644 --- a/services/iotdataplane/pom.xml +++ b/services/iotdataplane/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 iotdataplane AWS Java SDK :: Services :: AWS IoT Data Plane diff --git a/services/iotdeviceadvisor/pom.xml b/services/iotdeviceadvisor/pom.xml index d8688e450405..58186d2bf1da 100644 --- a/services/iotdeviceadvisor/pom.xml +++ b/services/iotdeviceadvisor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 iotdeviceadvisor AWS Java SDK :: Services :: Iot Device Advisor diff --git a/services/iotevents/pom.xml b/services/iotevents/pom.xml index 589718935fe6..bf29cff63721 100644 --- a/services/iotevents/pom.xml +++ b/services/iotevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 iotevents AWS Java SDK :: Services :: IoT Events diff --git a/services/ioteventsdata/pom.xml b/services/ioteventsdata/pom.xml index 6939ac3f6d7f..253688e487f6 100644 --- a/services/ioteventsdata/pom.xml +++ b/services/ioteventsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 ioteventsdata AWS Java SDK :: Services :: IoT Events Data diff --git a/services/iotfleethub/pom.xml b/services/iotfleethub/pom.xml index fcb4fedd2e08..c129371f135d 100644 --- a/services/iotfleethub/pom.xml +++ b/services/iotfleethub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 iotfleethub AWS Java SDK :: Services :: Io T Fleet Hub diff --git a/services/iotfleetwise/pom.xml b/services/iotfleetwise/pom.xml index 7f09d7aade96..ddeb149399a4 100644 --- a/services/iotfleetwise/pom.xml +++ b/services/iotfleetwise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 iotfleetwise AWS Java SDK :: Services :: Io T Fleet Wise diff --git a/services/iotjobsdataplane/pom.xml b/services/iotjobsdataplane/pom.xml index 1b63715c99ee..7741b5df90f3 100644 --- a/services/iotjobsdataplane/pom.xml +++ b/services/iotjobsdataplane/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 iotjobsdataplane AWS Java SDK :: Services :: IoT Jobs Data Plane diff --git a/services/iotsecuretunneling/pom.xml b/services/iotsecuretunneling/pom.xml index bc82882775ae..68135142a3c0 100644 --- a/services/iotsecuretunneling/pom.xml +++ b/services/iotsecuretunneling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 iotsecuretunneling AWS Java SDK :: Services :: IoTSecureTunneling diff --git a/services/iotsitewise/pom.xml b/services/iotsitewise/pom.xml index 122d3f8a2b7e..b2966f4e2840 100644 --- a/services/iotsitewise/pom.xml +++ b/services/iotsitewise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 iotsitewise AWS Java SDK :: Services :: Io T Site Wise diff --git a/services/iotthingsgraph/pom.xml b/services/iotthingsgraph/pom.xml index f4d26f71a8e0..18f21719beaa 100644 --- a/services/iotthingsgraph/pom.xml +++ b/services/iotthingsgraph/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 iotthingsgraph AWS Java SDK :: Services :: IoTThingsGraph diff --git a/services/iottwinmaker/pom.xml b/services/iottwinmaker/pom.xml index 3ffcd84ba61e..2a1ef19e5882 100644 --- a/services/iottwinmaker/pom.xml +++ b/services/iottwinmaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 iottwinmaker AWS Java SDK :: Services :: Io T Twin Maker diff --git a/services/iotwireless/pom.xml b/services/iotwireless/pom.xml index f7a417241498..20e5c4b230b2 100644 --- a/services/iotwireless/pom.xml +++ b/services/iotwireless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 iotwireless AWS Java SDK :: Services :: IoT Wireless diff --git a/services/ivs/pom.xml b/services/ivs/pom.xml index 784a31e4595f..36814565c0d5 100644 --- a/services/ivs/pom.xml +++ b/services/ivs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 ivs AWS Java SDK :: Services :: Ivs diff --git a/services/ivschat/pom.xml b/services/ivschat/pom.xml index de485c2ff8ba..9b627b9be9f2 100644 --- a/services/ivschat/pom.xml +++ b/services/ivschat/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 ivschat AWS Java SDK :: Services :: Ivschat diff --git a/services/ivsrealtime/pom.xml b/services/ivsrealtime/pom.xml index 1c5e10687ce3..a58501658d8a 100644 --- a/services/ivsrealtime/pom.xml +++ b/services/ivsrealtime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 ivsrealtime AWS Java SDK :: Services :: IVS Real Time diff --git a/services/kafka/pom.xml b/services/kafka/pom.xml index bad1b27bf7fb..356430390b6f 100644 --- a/services/kafka/pom.xml +++ b/services/kafka/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 kafka AWS Java SDK :: Services :: Kafka diff --git a/services/kafkaconnect/pom.xml b/services/kafkaconnect/pom.xml index 7d9b5e54357f..283af5016562 100644 --- a/services/kafkaconnect/pom.xml +++ b/services/kafkaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 kafkaconnect AWS Java SDK :: Services :: Kafka Connect diff --git a/services/kendra/pom.xml b/services/kendra/pom.xml index 6f2610e7e0d4..de8b3dfb237d 100644 --- a/services/kendra/pom.xml +++ b/services/kendra/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 kendra AWS Java SDK :: Services :: Kendra diff --git a/services/kendraranking/pom.xml b/services/kendraranking/pom.xml index 6ee9d825caa8..04d0a866ee45 100644 --- a/services/kendraranking/pom.xml +++ b/services/kendraranking/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 kendraranking AWS Java SDK :: Services :: Kendra Ranking diff --git a/services/keyspaces/pom.xml b/services/keyspaces/pom.xml index e7708b30833f..164b5ebf0125 100644 --- a/services/keyspaces/pom.xml +++ b/services/keyspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 keyspaces AWS Java SDK :: Services :: Keyspaces diff --git a/services/kinesis/pom.xml b/services/kinesis/pom.xml index 665902cc8727..e508e300cd48 100644 --- a/services/kinesis/pom.xml +++ b/services/kinesis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 kinesis AWS Java SDK :: Services :: Amazon Kinesis diff --git a/services/kinesisanalytics/pom.xml b/services/kinesisanalytics/pom.xml index 045c4382d695..19ef386f52d6 100644 --- a/services/kinesisanalytics/pom.xml +++ b/services/kinesisanalytics/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 kinesisanalytics AWS Java SDK :: Services :: Amazon Kinesis Analytics diff --git a/services/kinesisanalyticsv2/pom.xml b/services/kinesisanalyticsv2/pom.xml index c29e0e98c445..e021ec63a531 100644 --- a/services/kinesisanalyticsv2/pom.xml +++ b/services/kinesisanalyticsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 kinesisanalyticsv2 AWS Java SDK :: Services :: Kinesis Analytics V2 diff --git a/services/kinesisvideo/pom.xml b/services/kinesisvideo/pom.xml index 1750a0468e99..4ec04f727c55 100644 --- a/services/kinesisvideo/pom.xml +++ b/services/kinesisvideo/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1-SNAPSHOT + 2.28.1 4.0.0 kinesisvideo diff --git a/services/kinesisvideoarchivedmedia/pom.xml b/services/kinesisvideoarchivedmedia/pom.xml index e3951e5311b3..b8efec0a793c 100644 --- a/services/kinesisvideoarchivedmedia/pom.xml +++ b/services/kinesisvideoarchivedmedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 kinesisvideoarchivedmedia AWS Java SDK :: Services :: Kinesis Video Archived Media diff --git a/services/kinesisvideomedia/pom.xml b/services/kinesisvideomedia/pom.xml index 1e3a6e947138..94fc3bab35a6 100644 --- a/services/kinesisvideomedia/pom.xml +++ b/services/kinesisvideomedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 kinesisvideomedia AWS Java SDK :: Services :: Kinesis Video Media diff --git a/services/kinesisvideosignaling/pom.xml b/services/kinesisvideosignaling/pom.xml index e20435c44d67..0702f463199f 100644 --- a/services/kinesisvideosignaling/pom.xml +++ b/services/kinesisvideosignaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 kinesisvideosignaling AWS Java SDK :: Services :: Kinesis Video Signaling diff --git a/services/kinesisvideowebrtcstorage/pom.xml b/services/kinesisvideowebrtcstorage/pom.xml index c676b3118fd5..cdcb21c2016a 100644 --- a/services/kinesisvideowebrtcstorage/pom.xml +++ b/services/kinesisvideowebrtcstorage/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 kinesisvideowebrtcstorage AWS Java SDK :: Services :: Kinesis Video Web RTC Storage diff --git a/services/kms/pom.xml b/services/kms/pom.xml index 759e33ade5a7..d9c0d114a805 100644 --- a/services/kms/pom.xml +++ b/services/kms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 kms AWS Java SDK :: Services :: AWS KMS diff --git a/services/lakeformation/pom.xml b/services/lakeformation/pom.xml index 0185c967b778..5a5859dd1cef 100644 --- a/services/lakeformation/pom.xml +++ b/services/lakeformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 lakeformation AWS Java SDK :: Services :: LakeFormation diff --git a/services/lambda/pom.xml b/services/lambda/pom.xml index 837ad1fef66e..35d1bf9e1713 100644 --- a/services/lambda/pom.xml +++ b/services/lambda/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 lambda AWS Java SDK :: Services :: AWS Lambda diff --git a/services/launchwizard/pom.xml b/services/launchwizard/pom.xml index 5614ea155f18..bf2944e31b06 100644 --- a/services/launchwizard/pom.xml +++ b/services/launchwizard/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 launchwizard AWS Java SDK :: Services :: Launch Wizard diff --git a/services/lexmodelbuilding/pom.xml b/services/lexmodelbuilding/pom.xml index 069efe747856..595355167a2c 100644 --- a/services/lexmodelbuilding/pom.xml +++ b/services/lexmodelbuilding/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 lexmodelbuilding AWS Java SDK :: Services :: Amazon Lex Model Building diff --git a/services/lexmodelsv2/pom.xml b/services/lexmodelsv2/pom.xml index 64bc757cb8d6..57e48f1ccf85 100644 --- a/services/lexmodelsv2/pom.xml +++ b/services/lexmodelsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 lexmodelsv2 AWS Java SDK :: Services :: Lex Models V2 diff --git a/services/lexruntime/pom.xml b/services/lexruntime/pom.xml index 94cecdfc7ac2..4590bf5cf7b2 100644 --- a/services/lexruntime/pom.xml +++ b/services/lexruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 lexruntime AWS Java SDK :: Services :: Amazon Lex Runtime diff --git a/services/lexruntimev2/pom.xml b/services/lexruntimev2/pom.xml index 67d41b36502f..fc43f60eec33 100644 --- a/services/lexruntimev2/pom.xml +++ b/services/lexruntimev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 lexruntimev2 AWS Java SDK :: Services :: Lex Runtime V2 diff --git a/services/licensemanager/pom.xml b/services/licensemanager/pom.xml index e27105d31e7f..127361a990f5 100644 --- a/services/licensemanager/pom.xml +++ b/services/licensemanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 licensemanager AWS Java SDK :: Services :: License Manager diff --git a/services/licensemanagerlinuxsubscriptions/pom.xml b/services/licensemanagerlinuxsubscriptions/pom.xml index 4091f3449586..be4b749a19fb 100644 --- a/services/licensemanagerlinuxsubscriptions/pom.xml +++ b/services/licensemanagerlinuxsubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 licensemanagerlinuxsubscriptions AWS Java SDK :: Services :: License Manager Linux Subscriptions diff --git a/services/licensemanagerusersubscriptions/pom.xml b/services/licensemanagerusersubscriptions/pom.xml index 264d898f3855..37b368125d4e 100644 --- a/services/licensemanagerusersubscriptions/pom.xml +++ b/services/licensemanagerusersubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 licensemanagerusersubscriptions AWS Java SDK :: Services :: License Manager User Subscriptions diff --git a/services/lightsail/pom.xml b/services/lightsail/pom.xml index dccda7cafe21..b8bfa7c21654 100644 --- a/services/lightsail/pom.xml +++ b/services/lightsail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 lightsail AWS Java SDK :: Services :: Amazon Lightsail diff --git a/services/location/pom.xml b/services/location/pom.xml index cf60dc295bbc..f8cdc44511ff 100644 --- a/services/location/pom.xml +++ b/services/location/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 location AWS Java SDK :: Services :: Location diff --git a/services/lookoutequipment/pom.xml b/services/lookoutequipment/pom.xml index b98d64bd6902..085e19f4a8b0 100644 --- a/services/lookoutequipment/pom.xml +++ b/services/lookoutequipment/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 lookoutequipment AWS Java SDK :: Services :: Lookout Equipment diff --git a/services/lookoutmetrics/pom.xml b/services/lookoutmetrics/pom.xml index d7da6fbd4829..9bf049ca6a1f 100644 --- a/services/lookoutmetrics/pom.xml +++ b/services/lookoutmetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 lookoutmetrics AWS Java SDK :: Services :: Lookout Metrics diff --git a/services/lookoutvision/pom.xml b/services/lookoutvision/pom.xml index ffc4f4b43858..8684eb7b913f 100644 --- a/services/lookoutvision/pom.xml +++ b/services/lookoutvision/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 lookoutvision AWS Java SDK :: Services :: Lookout Vision diff --git a/services/m2/pom.xml b/services/m2/pom.xml index d1454ab91491..e0c75a6aaefb 100644 --- a/services/m2/pom.xml +++ b/services/m2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 m2 AWS Java SDK :: Services :: M2 diff --git a/services/machinelearning/pom.xml b/services/machinelearning/pom.xml index 8cbe0122fe16..0db55e7590fa 100644 --- a/services/machinelearning/pom.xml +++ b/services/machinelearning/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 machinelearning AWS Java SDK :: Services :: Amazon Machine Learning diff --git a/services/macie2/pom.xml b/services/macie2/pom.xml index 7174f94e54de..f44989464dc2 100644 --- a/services/macie2/pom.xml +++ b/services/macie2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 macie2 AWS Java SDK :: Services :: Macie2 diff --git a/services/mailmanager/pom.xml b/services/mailmanager/pom.xml index bd1b02c3b9d3..26c0484fee16 100644 --- a/services/mailmanager/pom.xml +++ b/services/mailmanager/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 mailmanager AWS Java SDK :: Services :: Mail Manager diff --git a/services/managedblockchain/pom.xml b/services/managedblockchain/pom.xml index 53588c9be169..f7e5d32e4500 100644 --- a/services/managedblockchain/pom.xml +++ b/services/managedblockchain/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 managedblockchain AWS Java SDK :: Services :: ManagedBlockchain diff --git a/services/managedblockchainquery/pom.xml b/services/managedblockchainquery/pom.xml index b26696d3725f..ec00be99f921 100644 --- a/services/managedblockchainquery/pom.xml +++ b/services/managedblockchainquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 managedblockchainquery AWS Java SDK :: Services :: Managed Blockchain Query diff --git a/services/marketplaceagreement/pom.xml b/services/marketplaceagreement/pom.xml index 72cb530d2121..fade9735d657 100644 --- a/services/marketplaceagreement/pom.xml +++ b/services/marketplaceagreement/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 marketplaceagreement AWS Java SDK :: Services :: Marketplace Agreement diff --git a/services/marketplacecatalog/pom.xml b/services/marketplacecatalog/pom.xml index 8468e03cc54c..c1d1d0c4e949 100644 --- a/services/marketplacecatalog/pom.xml +++ b/services/marketplacecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 marketplacecatalog AWS Java SDK :: Services :: Marketplace Catalog diff --git a/services/marketplacecommerceanalytics/pom.xml b/services/marketplacecommerceanalytics/pom.xml index 820f69467059..ee34e3e06f95 100644 --- a/services/marketplacecommerceanalytics/pom.xml +++ b/services/marketplacecommerceanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 marketplacecommerceanalytics AWS Java SDK :: Services :: AWS Marketplace Commerce Analytics diff --git a/services/marketplacedeployment/pom.xml b/services/marketplacedeployment/pom.xml index 62fa3eb7d66f..8151b3d6b5f7 100644 --- a/services/marketplacedeployment/pom.xml +++ b/services/marketplacedeployment/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 marketplacedeployment AWS Java SDK :: Services :: Marketplace Deployment diff --git a/services/marketplaceentitlement/pom.xml b/services/marketplaceentitlement/pom.xml index 30ce6f586676..95d381d78daf 100644 --- a/services/marketplaceentitlement/pom.xml +++ b/services/marketplaceentitlement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 marketplaceentitlement AWS Java SDK :: Services :: AWS Marketplace Entitlement diff --git a/services/marketplacemetering/pom.xml b/services/marketplacemetering/pom.xml index 43909fb17dd6..d121335d9882 100644 --- a/services/marketplacemetering/pom.xml +++ b/services/marketplacemetering/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 marketplacemetering AWS Java SDK :: Services :: AWS Marketplace Metering Service diff --git a/services/mediaconnect/pom.xml b/services/mediaconnect/pom.xml index 940c90808513..6b10185e1d03 100644 --- a/services/mediaconnect/pom.xml +++ b/services/mediaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 mediaconnect AWS Java SDK :: Services :: MediaConnect diff --git a/services/mediaconvert/pom.xml b/services/mediaconvert/pom.xml index 217dc491b34f..0cf16d4199ad 100644 --- a/services/mediaconvert/pom.xml +++ b/services/mediaconvert/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1-SNAPSHOT + 2.28.1 4.0.0 mediaconvert diff --git a/services/medialive/pom.xml b/services/medialive/pom.xml index b533610e35e6..69439ffd3d8c 100644 --- a/services/medialive/pom.xml +++ b/services/medialive/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1-SNAPSHOT + 2.28.1 4.0.0 medialive diff --git a/services/mediapackage/pom.xml b/services/mediapackage/pom.xml index 5c3ee553d8d9..946002776b30 100644 --- a/services/mediapackage/pom.xml +++ b/services/mediapackage/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1-SNAPSHOT + 2.28.1 4.0.0 mediapackage diff --git a/services/mediapackagev2/pom.xml b/services/mediapackagev2/pom.xml index 04f403c88597..f692752167d3 100644 --- a/services/mediapackagev2/pom.xml +++ b/services/mediapackagev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 mediapackagev2 AWS Java SDK :: Services :: Media Package V2 diff --git a/services/mediapackagevod/pom.xml b/services/mediapackagevod/pom.xml index 3989b3df94a4..5e2cd9befa5f 100644 --- a/services/mediapackagevod/pom.xml +++ b/services/mediapackagevod/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 mediapackagevod AWS Java SDK :: Services :: MediaPackage Vod diff --git a/services/mediastore/pom.xml b/services/mediastore/pom.xml index 057eb636dd5e..40a5a2da54d3 100644 --- a/services/mediastore/pom.xml +++ b/services/mediastore/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1-SNAPSHOT + 2.28.1 4.0.0 mediastore diff --git a/services/mediastoredata/pom.xml b/services/mediastoredata/pom.xml index be9a59cd975a..e4de17967e8f 100644 --- a/services/mediastoredata/pom.xml +++ b/services/mediastoredata/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1-SNAPSHOT + 2.28.1 4.0.0 mediastoredata diff --git a/services/mediatailor/pom.xml b/services/mediatailor/pom.xml index 7611187262d7..5f9dde4abaeb 100644 --- a/services/mediatailor/pom.xml +++ b/services/mediatailor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 mediatailor AWS Java SDK :: Services :: MediaTailor diff --git a/services/medicalimaging/pom.xml b/services/medicalimaging/pom.xml index 0ed90a106813..e25bed525e50 100644 --- a/services/medicalimaging/pom.xml +++ b/services/medicalimaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 medicalimaging AWS Java SDK :: Services :: Medical Imaging diff --git a/services/memorydb/pom.xml b/services/memorydb/pom.xml index be7541a82a5a..875b1cb9a984 100644 --- a/services/memorydb/pom.xml +++ b/services/memorydb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 memorydb AWS Java SDK :: Services :: Memory DB diff --git a/services/mgn/pom.xml b/services/mgn/pom.xml index cf4eab328154..f9851ab9b6da 100644 --- a/services/mgn/pom.xml +++ b/services/mgn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 mgn AWS Java SDK :: Services :: Mgn diff --git a/services/migrationhub/pom.xml b/services/migrationhub/pom.xml index ab205bf8c352..70eb8ee4058b 100644 --- a/services/migrationhub/pom.xml +++ b/services/migrationhub/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1-SNAPSHOT + 2.28.1 4.0.0 migrationhub diff --git a/services/migrationhubconfig/pom.xml b/services/migrationhubconfig/pom.xml index e0bacadbd02e..751f9edf1dce 100644 --- a/services/migrationhubconfig/pom.xml +++ b/services/migrationhubconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 migrationhubconfig AWS Java SDK :: Services :: MigrationHub Config diff --git a/services/migrationhuborchestrator/pom.xml b/services/migrationhuborchestrator/pom.xml index c22d68e2ce98..d36153a2a1f1 100644 --- a/services/migrationhuborchestrator/pom.xml +++ b/services/migrationhuborchestrator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 migrationhuborchestrator AWS Java SDK :: Services :: Migration Hub Orchestrator diff --git a/services/migrationhubrefactorspaces/pom.xml b/services/migrationhubrefactorspaces/pom.xml index d370f816d30d..2de07929de32 100644 --- a/services/migrationhubrefactorspaces/pom.xml +++ b/services/migrationhubrefactorspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 migrationhubrefactorspaces AWS Java SDK :: Services :: Migration Hub Refactor Spaces diff --git a/services/migrationhubstrategy/pom.xml b/services/migrationhubstrategy/pom.xml index c844794bcb95..4f59c56a9536 100644 --- a/services/migrationhubstrategy/pom.xml +++ b/services/migrationhubstrategy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 migrationhubstrategy AWS Java SDK :: Services :: Migration Hub Strategy diff --git a/services/mq/pom.xml b/services/mq/pom.xml index a168de048e41..827f1897f779 100644 --- a/services/mq/pom.xml +++ b/services/mq/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1-SNAPSHOT + 2.28.1 4.0.0 mq diff --git a/services/mturk/pom.xml b/services/mturk/pom.xml index 5a48e719b3e0..4cc7810c679e 100644 --- a/services/mturk/pom.xml +++ b/services/mturk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 mturk AWS Java SDK :: Services :: Amazon Mechanical Turk Requester diff --git a/services/mwaa/pom.xml b/services/mwaa/pom.xml index a382d963e41d..508d63d276d6 100644 --- a/services/mwaa/pom.xml +++ b/services/mwaa/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 mwaa AWS Java SDK :: Services :: MWAA diff --git a/services/neptune/pom.xml b/services/neptune/pom.xml index b3c20b0f1d5c..d8729ad4f589 100644 --- a/services/neptune/pom.xml +++ b/services/neptune/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 neptune AWS Java SDK :: Services :: Neptune diff --git a/services/neptunedata/pom.xml b/services/neptunedata/pom.xml index 899c4e8df734..a59647f656f7 100644 --- a/services/neptunedata/pom.xml +++ b/services/neptunedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 neptunedata AWS Java SDK :: Services :: Neptunedata diff --git a/services/neptunegraph/pom.xml b/services/neptunegraph/pom.xml index d7063e190242..41132c0cbf3b 100644 --- a/services/neptunegraph/pom.xml +++ b/services/neptunegraph/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 neptunegraph AWS Java SDK :: Services :: Neptune Graph diff --git a/services/networkfirewall/pom.xml b/services/networkfirewall/pom.xml index 7c22b6b5ae7d..a2a4346e0fc8 100644 --- a/services/networkfirewall/pom.xml +++ b/services/networkfirewall/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 networkfirewall AWS Java SDK :: Services :: Network Firewall diff --git a/services/networkmanager/pom.xml b/services/networkmanager/pom.xml index 31debffcd899..678d8e80e80c 100644 --- a/services/networkmanager/pom.xml +++ b/services/networkmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 networkmanager AWS Java SDK :: Services :: NetworkManager diff --git a/services/networkmonitor/pom.xml b/services/networkmonitor/pom.xml index 318df4e169ea..135c8deaf18c 100644 --- a/services/networkmonitor/pom.xml +++ b/services/networkmonitor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 networkmonitor AWS Java SDK :: Services :: Network Monitor diff --git a/services/nimble/pom.xml b/services/nimble/pom.xml index f95c44e9dddf..00a0dded0ce9 100644 --- a/services/nimble/pom.xml +++ b/services/nimble/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 nimble AWS Java SDK :: Services :: Nimble diff --git a/services/oam/pom.xml b/services/oam/pom.xml index e9ae48892b2d..b708f391e533 100644 --- a/services/oam/pom.xml +++ b/services/oam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 oam AWS Java SDK :: Services :: OAM diff --git a/services/omics/pom.xml b/services/omics/pom.xml index a3b17e696ba2..1ca1351585be 100644 --- a/services/omics/pom.xml +++ b/services/omics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 omics AWS Java SDK :: Services :: Omics diff --git a/services/opensearch/pom.xml b/services/opensearch/pom.xml index 1df30405124f..f6d47fda3e74 100644 --- a/services/opensearch/pom.xml +++ b/services/opensearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 opensearch AWS Java SDK :: Services :: Open Search diff --git a/services/opensearchserverless/pom.xml b/services/opensearchserverless/pom.xml index 62286293568b..3312c5ed15ee 100644 --- a/services/opensearchserverless/pom.xml +++ b/services/opensearchserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 opensearchserverless AWS Java SDK :: Services :: Open Search Serverless diff --git a/services/opsworks/pom.xml b/services/opsworks/pom.xml index 07df547006af..46b1ac72a26b 100644 --- a/services/opsworks/pom.xml +++ b/services/opsworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 opsworks AWS Java SDK :: Services :: AWS OpsWorks diff --git a/services/opsworkscm/pom.xml b/services/opsworkscm/pom.xml index b2cfbb9f1c80..18d9f448dd39 100644 --- a/services/opsworkscm/pom.xml +++ b/services/opsworkscm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 opsworkscm AWS Java SDK :: Services :: AWS OpsWorks for Chef Automate diff --git a/services/organizations/pom.xml b/services/organizations/pom.xml index f412b404c239..db24245fcfbc 100644 --- a/services/organizations/pom.xml +++ b/services/organizations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 organizations AWS Java SDK :: Services :: AWS Organizations diff --git a/services/osis/pom.xml b/services/osis/pom.xml index 1f5cdd2b244e..541e431b915e 100644 --- a/services/osis/pom.xml +++ b/services/osis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 osis AWS Java SDK :: Services :: OSIS diff --git a/services/outposts/pom.xml b/services/outposts/pom.xml index 948df2055bcf..69bbeb9cffbc 100644 --- a/services/outposts/pom.xml +++ b/services/outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 outposts AWS Java SDK :: Services :: Outposts diff --git a/services/panorama/pom.xml b/services/panorama/pom.xml index b51a35c9e39f..1adb6206f4f1 100644 --- a/services/panorama/pom.xml +++ b/services/panorama/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 panorama AWS Java SDK :: Services :: Panorama diff --git a/services/paymentcryptography/pom.xml b/services/paymentcryptography/pom.xml index 74f4d40afaec..ed00ab14c979 100644 --- a/services/paymentcryptography/pom.xml +++ b/services/paymentcryptography/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 paymentcryptography AWS Java SDK :: Services :: Payment Cryptography diff --git a/services/paymentcryptographydata/pom.xml b/services/paymentcryptographydata/pom.xml index 18e14475e2d4..7205d344ddad 100644 --- a/services/paymentcryptographydata/pom.xml +++ b/services/paymentcryptographydata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 paymentcryptographydata AWS Java SDK :: Services :: Payment Cryptography Data diff --git a/services/pcaconnectorad/pom.xml b/services/pcaconnectorad/pom.xml index 1e393bbda968..4a8506e92200 100644 --- a/services/pcaconnectorad/pom.xml +++ b/services/pcaconnectorad/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 pcaconnectorad AWS Java SDK :: Services :: Pca Connector Ad diff --git a/services/pcaconnectorscep/pom.xml b/services/pcaconnectorscep/pom.xml index 51c8117f576e..972407bd8402 100644 --- a/services/pcaconnectorscep/pom.xml +++ b/services/pcaconnectorscep/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 pcaconnectorscep AWS Java SDK :: Services :: Pca Connector Scep diff --git a/services/pcs/pom.xml b/services/pcs/pom.xml index 4da7265a78cc..31bc807cc7e1 100644 --- a/services/pcs/pom.xml +++ b/services/pcs/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 pcs AWS Java SDK :: Services :: PCS diff --git a/services/personalize/pom.xml b/services/personalize/pom.xml index 0558471583e8..90e207ec6731 100644 --- a/services/personalize/pom.xml +++ b/services/personalize/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 personalize AWS Java SDK :: Services :: Personalize diff --git a/services/personalizeevents/pom.xml b/services/personalizeevents/pom.xml index 32669a8ceb4e..1833f8e86826 100644 --- a/services/personalizeevents/pom.xml +++ b/services/personalizeevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 personalizeevents AWS Java SDK :: Services :: Personalize Events diff --git a/services/personalizeruntime/pom.xml b/services/personalizeruntime/pom.xml index 9af97b2b5cad..c10d818e490a 100644 --- a/services/personalizeruntime/pom.xml +++ b/services/personalizeruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 personalizeruntime AWS Java SDK :: Services :: Personalize Runtime diff --git a/services/pi/pom.xml b/services/pi/pom.xml index d97b64403026..8d66f6ca058e 100644 --- a/services/pi/pom.xml +++ b/services/pi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 pi AWS Java SDK :: Services :: PI diff --git a/services/pinpoint/pom.xml b/services/pinpoint/pom.xml index 7951eb34d49d..c012c84a27d2 100644 --- a/services/pinpoint/pom.xml +++ b/services/pinpoint/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 pinpoint AWS Java SDK :: Services :: Amazon Pinpoint diff --git a/services/pinpointemail/pom.xml b/services/pinpointemail/pom.xml index ae93dfbc3761..faee8b34b6cb 100644 --- a/services/pinpointemail/pom.xml +++ b/services/pinpointemail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 pinpointemail AWS Java SDK :: Services :: Pinpoint Email diff --git a/services/pinpointsmsvoice/pom.xml b/services/pinpointsmsvoice/pom.xml index 12bfa1946e76..c118d32dfc9a 100644 --- a/services/pinpointsmsvoice/pom.xml +++ b/services/pinpointsmsvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 pinpointsmsvoice AWS Java SDK :: Services :: Pinpoint SMS Voice diff --git a/services/pinpointsmsvoicev2/pom.xml b/services/pinpointsmsvoicev2/pom.xml index ec9757de95ae..d6163374c08a 100644 --- a/services/pinpointsmsvoicev2/pom.xml +++ b/services/pinpointsmsvoicev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 pinpointsmsvoicev2 AWS Java SDK :: Services :: Pinpoint SMS Voice V2 diff --git a/services/pipes/pom.xml b/services/pipes/pom.xml index fda26256930b..676779da07db 100644 --- a/services/pipes/pom.xml +++ b/services/pipes/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 pipes AWS Java SDK :: Services :: Pipes diff --git a/services/polly/pom.xml b/services/polly/pom.xml index 81b378dd08d8..d888b04f4d0e 100644 --- a/services/polly/pom.xml +++ b/services/polly/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 polly AWS Java SDK :: Services :: Amazon Polly diff --git a/services/pom.xml b/services/pom.xml index b740c08b0c51..37080aba550b 100644 --- a/services/pom.xml +++ b/services/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.1-SNAPSHOT + 2.28.1 services AWS Java SDK :: Services diff --git a/services/pricing/pom.xml b/services/pricing/pom.xml index f8338cc812c6..da6af8e727e9 100644 --- a/services/pricing/pom.xml +++ b/services/pricing/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1-SNAPSHOT + 2.28.1 4.0.0 pricing diff --git a/services/privatenetworks/pom.xml b/services/privatenetworks/pom.xml index 2c8d769b013a..017d4d8b33e8 100644 --- a/services/privatenetworks/pom.xml +++ b/services/privatenetworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 privatenetworks AWS Java SDK :: Services :: Private Networks diff --git a/services/proton/pom.xml b/services/proton/pom.xml index fca1b06552d8..88fad4faf817 100644 --- a/services/proton/pom.xml +++ b/services/proton/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 proton AWS Java SDK :: Services :: Proton diff --git a/services/qapps/pom.xml b/services/qapps/pom.xml index bb7711e93ab5..bfcfc1c0236d 100644 --- a/services/qapps/pom.xml +++ b/services/qapps/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 qapps AWS Java SDK :: Services :: Q Apps diff --git a/services/qbusiness/pom.xml b/services/qbusiness/pom.xml index e8cdd0123710..b3f618854ef0 100644 --- a/services/qbusiness/pom.xml +++ b/services/qbusiness/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 qbusiness AWS Java SDK :: Services :: Q Business diff --git a/services/qconnect/pom.xml b/services/qconnect/pom.xml index 63dc0cb10a09..c6ffc0046f1d 100644 --- a/services/qconnect/pom.xml +++ b/services/qconnect/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 qconnect AWS Java SDK :: Services :: Q Connect diff --git a/services/qldb/pom.xml b/services/qldb/pom.xml index 96889a701d85..59d9edd4c21a 100644 --- a/services/qldb/pom.xml +++ b/services/qldb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 qldb AWS Java SDK :: Services :: QLDB diff --git a/services/qldbsession/pom.xml b/services/qldbsession/pom.xml index 870ad1861c44..e0cde4ed733a 100644 --- a/services/qldbsession/pom.xml +++ b/services/qldbsession/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 qldbsession AWS Java SDK :: Services :: QLDB Session diff --git a/services/quicksight/pom.xml b/services/quicksight/pom.xml index 36d428c37607..6dd14e31f56b 100644 --- a/services/quicksight/pom.xml +++ b/services/quicksight/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 quicksight AWS Java SDK :: Services :: QuickSight diff --git a/services/ram/pom.xml b/services/ram/pom.xml index 713777b186ae..366ad6e493f3 100644 --- a/services/ram/pom.xml +++ b/services/ram/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 ram AWS Java SDK :: Services :: RAM diff --git a/services/rbin/pom.xml b/services/rbin/pom.xml index d861702f49d0..0c89a0f32238 100644 --- a/services/rbin/pom.xml +++ b/services/rbin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 rbin AWS Java SDK :: Services :: Rbin diff --git a/services/rds/pom.xml b/services/rds/pom.xml index 2ad04f41dfd5..81a1b8fb15e4 100644 --- a/services/rds/pom.xml +++ b/services/rds/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 rds AWS Java SDK :: Services :: Amazon RDS diff --git a/services/rdsdata/pom.xml b/services/rdsdata/pom.xml index 193a3a8814d3..15fbd1f9d336 100644 --- a/services/rdsdata/pom.xml +++ b/services/rdsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 rdsdata AWS Java SDK :: Services :: RDS Data diff --git a/services/redshift/pom.xml b/services/redshift/pom.xml index 356071ed31e9..822cdc3551f9 100644 --- a/services/redshift/pom.xml +++ b/services/redshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 redshift AWS Java SDK :: Services :: Amazon Redshift diff --git a/services/redshiftdata/pom.xml b/services/redshiftdata/pom.xml index 395b9e51d232..91a25c54e47d 100644 --- a/services/redshiftdata/pom.xml +++ b/services/redshiftdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 redshiftdata AWS Java SDK :: Services :: Redshift Data diff --git a/services/redshiftserverless/pom.xml b/services/redshiftserverless/pom.xml index 62339574067c..b933ff9b4c66 100644 --- a/services/redshiftserverless/pom.xml +++ b/services/redshiftserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 redshiftserverless AWS Java SDK :: Services :: Redshift Serverless diff --git a/services/rekognition/pom.xml b/services/rekognition/pom.xml index 551e9362bd82..77e1634557e6 100644 --- a/services/rekognition/pom.xml +++ b/services/rekognition/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 rekognition AWS Java SDK :: Services :: Amazon Rekognition diff --git a/services/repostspace/pom.xml b/services/repostspace/pom.xml index 358faed9ba9f..75f9ff67d49b 100644 --- a/services/repostspace/pom.xml +++ b/services/repostspace/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 repostspace AWS Java SDK :: Services :: Repostspace diff --git a/services/resiliencehub/pom.xml b/services/resiliencehub/pom.xml index 06bfefbd5f24..bebc58b32332 100644 --- a/services/resiliencehub/pom.xml +++ b/services/resiliencehub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 resiliencehub AWS Java SDK :: Services :: Resiliencehub diff --git a/services/resourceexplorer2/pom.xml b/services/resourceexplorer2/pom.xml index 0337fc1ff6ac..70c22821dabd 100644 --- a/services/resourceexplorer2/pom.xml +++ b/services/resourceexplorer2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 resourceexplorer2 AWS Java SDK :: Services :: Resource Explorer 2 diff --git a/services/resourcegroups/pom.xml b/services/resourcegroups/pom.xml index 1d5dcfa6458c..914a476a963b 100644 --- a/services/resourcegroups/pom.xml +++ b/services/resourcegroups/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1-SNAPSHOT + 2.28.1 4.0.0 resourcegroups diff --git a/services/resourcegroupstaggingapi/pom.xml b/services/resourcegroupstaggingapi/pom.xml index 9c910b38ef4b..a7c0267b0132 100644 --- a/services/resourcegroupstaggingapi/pom.xml +++ b/services/resourcegroupstaggingapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 resourcegroupstaggingapi AWS Java SDK :: Services :: AWS Resource Groups Tagging API diff --git a/services/robomaker/pom.xml b/services/robomaker/pom.xml index 7b369a323ae2..4567e4d68eb0 100644 --- a/services/robomaker/pom.xml +++ b/services/robomaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 robomaker AWS Java SDK :: Services :: RoboMaker diff --git a/services/rolesanywhere/pom.xml b/services/rolesanywhere/pom.xml index b5fe9bb7f2db..f24565e9391d 100644 --- a/services/rolesanywhere/pom.xml +++ b/services/rolesanywhere/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 rolesanywhere AWS Java SDK :: Services :: Roles Anywhere diff --git a/services/route53/pom.xml b/services/route53/pom.xml index 31abb8904840..0ba278ecd69e 100644 --- a/services/route53/pom.xml +++ b/services/route53/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 route53 AWS Java SDK :: Services :: Amazon Route53 diff --git a/services/route53domains/pom.xml b/services/route53domains/pom.xml index f68a9950cd62..c527f7b88c32 100644 --- a/services/route53domains/pom.xml +++ b/services/route53domains/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 route53domains AWS Java SDK :: Services :: Amazon Route53 Domains diff --git a/services/route53profiles/pom.xml b/services/route53profiles/pom.xml index 1a2d2291cb0a..be4e059fac20 100644 --- a/services/route53profiles/pom.xml +++ b/services/route53profiles/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 route53profiles AWS Java SDK :: Services :: Route53 Profiles diff --git a/services/route53recoverycluster/pom.xml b/services/route53recoverycluster/pom.xml index 5867b4963d08..a2e722691714 100644 --- a/services/route53recoverycluster/pom.xml +++ b/services/route53recoverycluster/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 route53recoverycluster AWS Java SDK :: Services :: Route53 Recovery Cluster diff --git a/services/route53recoverycontrolconfig/pom.xml b/services/route53recoverycontrolconfig/pom.xml index 3e9bc6d65332..e8c58eac7264 100644 --- a/services/route53recoverycontrolconfig/pom.xml +++ b/services/route53recoverycontrolconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 route53recoverycontrolconfig AWS Java SDK :: Services :: Route53 Recovery Control Config diff --git a/services/route53recoveryreadiness/pom.xml b/services/route53recoveryreadiness/pom.xml index dd0825c21456..b8b101e06ac1 100644 --- a/services/route53recoveryreadiness/pom.xml +++ b/services/route53recoveryreadiness/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 route53recoveryreadiness AWS Java SDK :: Services :: Route53 Recovery Readiness diff --git a/services/route53resolver/pom.xml b/services/route53resolver/pom.xml index 283951d11452..d3ec2a9e0f12 100644 --- a/services/route53resolver/pom.xml +++ b/services/route53resolver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 route53resolver AWS Java SDK :: Services :: Route53Resolver diff --git a/services/rum/pom.xml b/services/rum/pom.xml index e64e47166004..6b9d98f11614 100644 --- a/services/rum/pom.xml +++ b/services/rum/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 rum AWS Java SDK :: Services :: RUM diff --git a/services/s3/pom.xml b/services/s3/pom.xml index 38f757f4760a..25d22500b959 100644 --- a/services/s3/pom.xml +++ b/services/s3/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 s3 AWS Java SDK :: Services :: Amazon S3 diff --git a/services/s3control/pom.xml b/services/s3control/pom.xml index 988f26057e2e..bdedddc24dc6 100644 --- a/services/s3control/pom.xml +++ b/services/s3control/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 s3control AWS Java SDK :: Services :: Amazon S3 Control diff --git a/services/s3outposts/pom.xml b/services/s3outposts/pom.xml index 50c66aaffbb8..e23384a4bd22 100644 --- a/services/s3outposts/pom.xml +++ b/services/s3outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 s3outposts AWS Java SDK :: Services :: S3 Outposts diff --git a/services/sagemaker/pom.xml b/services/sagemaker/pom.xml index 11e60826fb96..0e9550f678f1 100644 --- a/services/sagemaker/pom.xml +++ b/services/sagemaker/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1-SNAPSHOT + 2.28.1 4.0.0 sagemaker diff --git a/services/sagemakera2iruntime/pom.xml b/services/sagemakera2iruntime/pom.xml index 5ce078d05d7d..60e88bec65b5 100644 --- a/services/sagemakera2iruntime/pom.xml +++ b/services/sagemakera2iruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 sagemakera2iruntime AWS Java SDK :: Services :: SageMaker A2I Runtime diff --git a/services/sagemakeredge/pom.xml b/services/sagemakeredge/pom.xml index 7e7d955bc284..3c08caca47ab 100644 --- a/services/sagemakeredge/pom.xml +++ b/services/sagemakeredge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 sagemakeredge AWS Java SDK :: Services :: Sagemaker Edge diff --git a/services/sagemakerfeaturestoreruntime/pom.xml b/services/sagemakerfeaturestoreruntime/pom.xml index 106a4e6e42f6..690cfca29c4f 100644 --- a/services/sagemakerfeaturestoreruntime/pom.xml +++ b/services/sagemakerfeaturestoreruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 sagemakerfeaturestoreruntime AWS Java SDK :: Services :: Sage Maker Feature Store Runtime diff --git a/services/sagemakergeospatial/pom.xml b/services/sagemakergeospatial/pom.xml index 59177168eac9..1f80269fe7e4 100644 --- a/services/sagemakergeospatial/pom.xml +++ b/services/sagemakergeospatial/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 sagemakergeospatial AWS Java SDK :: Services :: Sage Maker Geospatial diff --git a/services/sagemakermetrics/pom.xml b/services/sagemakermetrics/pom.xml index d9c6ef474f80..66ed6269b2d3 100644 --- a/services/sagemakermetrics/pom.xml +++ b/services/sagemakermetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 sagemakermetrics AWS Java SDK :: Services :: Sage Maker Metrics diff --git a/services/sagemakerruntime/pom.xml b/services/sagemakerruntime/pom.xml index 4bc2f9b4520e..355f410bc070 100644 --- a/services/sagemakerruntime/pom.xml +++ b/services/sagemakerruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 sagemakerruntime AWS Java SDK :: Services :: SageMaker Runtime diff --git a/services/savingsplans/pom.xml b/services/savingsplans/pom.xml index bde508b59c9d..a54c55f1b621 100644 --- a/services/savingsplans/pom.xml +++ b/services/savingsplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 savingsplans AWS Java SDK :: Services :: Savingsplans diff --git a/services/scheduler/pom.xml b/services/scheduler/pom.xml index dd2f523e6283..f4d20f6f2ce2 100644 --- a/services/scheduler/pom.xml +++ b/services/scheduler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 scheduler AWS Java SDK :: Services :: Scheduler diff --git a/services/schemas/pom.xml b/services/schemas/pom.xml index 7aff1cc238e1..5564f8f0ac48 100644 --- a/services/schemas/pom.xml +++ b/services/schemas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 schemas AWS Java SDK :: Services :: Schemas diff --git a/services/secretsmanager/pom.xml b/services/secretsmanager/pom.xml index e58cef70a39a..b568a94e7521 100644 --- a/services/secretsmanager/pom.xml +++ b/services/secretsmanager/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 secretsmanager AWS Java SDK :: Services :: AWS Secrets Manager diff --git a/services/securityhub/pom.xml b/services/securityhub/pom.xml index 19801bcee6f4..0b90e98b9cfc 100644 --- a/services/securityhub/pom.xml +++ b/services/securityhub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 securityhub AWS Java SDK :: Services :: SecurityHub diff --git a/services/securitylake/pom.xml b/services/securitylake/pom.xml index 0c4a3dee3af7..ef2621d64941 100644 --- a/services/securitylake/pom.xml +++ b/services/securitylake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 securitylake AWS Java SDK :: Services :: Security Lake diff --git a/services/serverlessapplicationrepository/pom.xml b/services/serverlessapplicationrepository/pom.xml index 9029c29567a6..329d4f5ddc83 100644 --- a/services/serverlessapplicationrepository/pom.xml +++ b/services/serverlessapplicationrepository/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1-SNAPSHOT + 2.28.1 4.0.0 serverlessapplicationrepository diff --git a/services/servicecatalog/pom.xml b/services/servicecatalog/pom.xml index 4457fce71efd..879565ed788c 100644 --- a/services/servicecatalog/pom.xml +++ b/services/servicecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 servicecatalog AWS Java SDK :: Services :: AWS Service Catalog diff --git a/services/servicecatalogappregistry/pom.xml b/services/servicecatalogappregistry/pom.xml index 5f79d8b5bd41..1b4ecb97015c 100644 --- a/services/servicecatalogappregistry/pom.xml +++ b/services/servicecatalogappregistry/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 servicecatalogappregistry AWS Java SDK :: Services :: Service Catalog App Registry diff --git a/services/servicediscovery/pom.xml b/services/servicediscovery/pom.xml index b6df0a807eb9..312de97caeb7 100644 --- a/services/servicediscovery/pom.xml +++ b/services/servicediscovery/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1-SNAPSHOT + 2.28.1 4.0.0 servicediscovery diff --git a/services/servicequotas/pom.xml b/services/servicequotas/pom.xml index be70dca15c48..6e279698a4d4 100644 --- a/services/servicequotas/pom.xml +++ b/services/servicequotas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 servicequotas AWS Java SDK :: Services :: Service Quotas diff --git a/services/ses/pom.xml b/services/ses/pom.xml index f5dc26863f02..8ac5fff58b74 100644 --- a/services/ses/pom.xml +++ b/services/ses/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 ses AWS Java SDK :: Services :: Amazon SES diff --git a/services/sesv2/pom.xml b/services/sesv2/pom.xml index 222861a03a56..db9d85c9e4ea 100644 --- a/services/sesv2/pom.xml +++ b/services/sesv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 sesv2 AWS Java SDK :: Services :: SESv2 diff --git a/services/sfn/pom.xml b/services/sfn/pom.xml index 8a7c05fd726b..52dcc3fa2756 100644 --- a/services/sfn/pom.xml +++ b/services/sfn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 sfn AWS Java SDK :: Services :: AWS Step Functions diff --git a/services/shield/pom.xml b/services/shield/pom.xml index 9c7a91801a82..17ef5d997daa 100644 --- a/services/shield/pom.xml +++ b/services/shield/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 shield AWS Java SDK :: Services :: AWS Shield diff --git a/services/signer/pom.xml b/services/signer/pom.xml index 5cb4db5fd3c9..0147f8f0693e 100644 --- a/services/signer/pom.xml +++ b/services/signer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 signer AWS Java SDK :: Services :: Signer diff --git a/services/simspaceweaver/pom.xml b/services/simspaceweaver/pom.xml index f36ee128c064..bc479b68e52f 100644 --- a/services/simspaceweaver/pom.xml +++ b/services/simspaceweaver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 simspaceweaver AWS Java SDK :: Services :: Sim Space Weaver diff --git a/services/sms/pom.xml b/services/sms/pom.xml index ff7956245154..3d4ada792c76 100644 --- a/services/sms/pom.xml +++ b/services/sms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 sms AWS Java SDK :: Services :: AWS Server Migration diff --git a/services/snowball/pom.xml b/services/snowball/pom.xml index 5062f19bbaca..4d28d6b7506d 100644 --- a/services/snowball/pom.xml +++ b/services/snowball/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 snowball AWS Java SDK :: Services :: Amazon Snowball diff --git a/services/snowdevicemanagement/pom.xml b/services/snowdevicemanagement/pom.xml index ae8fddf70404..690bfade5e6b 100644 --- a/services/snowdevicemanagement/pom.xml +++ b/services/snowdevicemanagement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 snowdevicemanagement AWS Java SDK :: Services :: Snow Device Management diff --git a/services/sns/pom.xml b/services/sns/pom.xml index 761856d8984a..7bb8a06cb215 100644 --- a/services/sns/pom.xml +++ b/services/sns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 sns AWS Java SDK :: Services :: Amazon SNS diff --git a/services/sqs/pom.xml b/services/sqs/pom.xml index e45376d70f12..8bd66bafcb02 100644 --- a/services/sqs/pom.xml +++ b/services/sqs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 sqs AWS Java SDK :: Services :: Amazon SQS diff --git a/services/ssm/pom.xml b/services/ssm/pom.xml index 26786f9fdb95..7233be805d25 100644 --- a/services/ssm/pom.xml +++ b/services/ssm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 ssm AWS Java SDK :: Services :: AWS Simple Systems Management (SSM) diff --git a/services/ssmcontacts/pom.xml b/services/ssmcontacts/pom.xml index aac293486c34..cb019750aa8c 100644 --- a/services/ssmcontacts/pom.xml +++ b/services/ssmcontacts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 ssmcontacts AWS Java SDK :: Services :: SSM Contacts diff --git a/services/ssmincidents/pom.xml b/services/ssmincidents/pom.xml index 56cf936db6b6..dcf0ded2b1f5 100644 --- a/services/ssmincidents/pom.xml +++ b/services/ssmincidents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 ssmincidents AWS Java SDK :: Services :: SSM Incidents diff --git a/services/ssmquicksetup/pom.xml b/services/ssmquicksetup/pom.xml index 98e05f57cb6f..5eca5d237882 100644 --- a/services/ssmquicksetup/pom.xml +++ b/services/ssmquicksetup/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 ssmquicksetup AWS Java SDK :: Services :: SSM Quick Setup diff --git a/services/ssmsap/pom.xml b/services/ssmsap/pom.xml index a1582763b4b4..4944fbd863f0 100644 --- a/services/ssmsap/pom.xml +++ b/services/ssmsap/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 ssmsap AWS Java SDK :: Services :: Ssm Sap diff --git a/services/sso/pom.xml b/services/sso/pom.xml index c9cf9e1d923a..2f997f3f9ff5 100644 --- a/services/sso/pom.xml +++ b/services/sso/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 sso AWS Java SDK :: Services :: SSO diff --git a/services/ssoadmin/pom.xml b/services/ssoadmin/pom.xml index 9972e6cb1a9d..73684ebd3d7c 100644 --- a/services/ssoadmin/pom.xml +++ b/services/ssoadmin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 ssoadmin AWS Java SDK :: Services :: SSO Admin diff --git a/services/ssooidc/pom.xml b/services/ssooidc/pom.xml index 90ad29c62fd4..9895e18edaf6 100644 --- a/services/ssooidc/pom.xml +++ b/services/ssooidc/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 ssooidc AWS Java SDK :: Services :: SSO OIDC diff --git a/services/storagegateway/pom.xml b/services/storagegateway/pom.xml index 84eb87dfc5f6..b72ad9fd222c 100644 --- a/services/storagegateway/pom.xml +++ b/services/storagegateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 storagegateway AWS Java SDK :: Services :: AWS Storage Gateway diff --git a/services/sts/pom.xml b/services/sts/pom.xml index 06341ac3f6d4..a7ceab69bc4a 100644 --- a/services/sts/pom.xml +++ b/services/sts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 sts AWS Java SDK :: Services :: AWS STS diff --git a/services/supplychain/pom.xml b/services/supplychain/pom.xml index acd6b1f9b2f7..506bc3ba4f34 100644 --- a/services/supplychain/pom.xml +++ b/services/supplychain/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 supplychain AWS Java SDK :: Services :: Supply Chain diff --git a/services/support/pom.xml b/services/support/pom.xml index 59a71fb8193b..d39db832948c 100644 --- a/services/support/pom.xml +++ b/services/support/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 support AWS Java SDK :: Services :: AWS Support diff --git a/services/supportapp/pom.xml b/services/supportapp/pom.xml index 9fb74bf48280..4bdca564797c 100644 --- a/services/supportapp/pom.xml +++ b/services/supportapp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 supportapp AWS Java SDK :: Services :: Support App diff --git a/services/swf/pom.xml b/services/swf/pom.xml index 9c328a940899..799231a5fcbc 100644 --- a/services/swf/pom.xml +++ b/services/swf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 swf AWS Java SDK :: Services :: Amazon SWF diff --git a/services/synthetics/pom.xml b/services/synthetics/pom.xml index 7599cfef23a1..c58464632bf5 100644 --- a/services/synthetics/pom.xml +++ b/services/synthetics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 synthetics AWS Java SDK :: Services :: Synthetics diff --git a/services/taxsettings/pom.xml b/services/taxsettings/pom.xml index a03c7001121f..16f3fb7ef8db 100644 --- a/services/taxsettings/pom.xml +++ b/services/taxsettings/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 taxsettings AWS Java SDK :: Services :: Tax Settings diff --git a/services/textract/pom.xml b/services/textract/pom.xml index 572e950c7f14..e5e9348e734c 100644 --- a/services/textract/pom.xml +++ b/services/textract/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 textract AWS Java SDK :: Services :: Textract diff --git a/services/timestreaminfluxdb/pom.xml b/services/timestreaminfluxdb/pom.xml index 4e87a3d7f3eb..b41e131d5586 100644 --- a/services/timestreaminfluxdb/pom.xml +++ b/services/timestreaminfluxdb/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 timestreaminfluxdb AWS Java SDK :: Services :: Timestream Influx DB diff --git a/services/timestreamquery/pom.xml b/services/timestreamquery/pom.xml index f9750e2bbdcd..5ad60c5825c7 100644 --- a/services/timestreamquery/pom.xml +++ b/services/timestreamquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 timestreamquery AWS Java SDK :: Services :: Timestream Query diff --git a/services/timestreamwrite/pom.xml b/services/timestreamwrite/pom.xml index c0a199059f23..15fe4c84dc69 100644 --- a/services/timestreamwrite/pom.xml +++ b/services/timestreamwrite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 timestreamwrite AWS Java SDK :: Services :: Timestream Write diff --git a/services/tnb/pom.xml b/services/tnb/pom.xml index 3f3e92aed0bb..b6e7502dcc98 100644 --- a/services/tnb/pom.xml +++ b/services/tnb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 tnb AWS Java SDK :: Services :: Tnb diff --git a/services/transcribe/pom.xml b/services/transcribe/pom.xml index 57c485a1b0e7..708369b2855d 100644 --- a/services/transcribe/pom.xml +++ b/services/transcribe/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 transcribe AWS Java SDK :: Services :: Transcribe diff --git a/services/transcribestreaming/pom.xml b/services/transcribestreaming/pom.xml index 8a7bda245030..43420882fec9 100644 --- a/services/transcribestreaming/pom.xml +++ b/services/transcribestreaming/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 transcribestreaming AWS Java SDK :: Services :: AWS Transcribe Streaming diff --git a/services/transfer/pom.xml b/services/transfer/pom.xml index 4d1652b2e739..6866ba378ffd 100644 --- a/services/transfer/pom.xml +++ b/services/transfer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 transfer AWS Java SDK :: Services :: Transfer diff --git a/services/translate/pom.xml b/services/translate/pom.xml index 46dbcd696f4d..0d02c5f9e6e7 100644 --- a/services/translate/pom.xml +++ b/services/translate/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1-SNAPSHOT + 2.28.1 4.0.0 translate diff --git a/services/trustedadvisor/pom.xml b/services/trustedadvisor/pom.xml index aefe968e54f5..0ae705e45d2e 100644 --- a/services/trustedadvisor/pom.xml +++ b/services/trustedadvisor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 trustedadvisor AWS Java SDK :: Services :: Trusted Advisor diff --git a/services/verifiedpermissions/pom.xml b/services/verifiedpermissions/pom.xml index b9a1f6b6f4bf..e358f5206f1d 100644 --- a/services/verifiedpermissions/pom.xml +++ b/services/verifiedpermissions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 verifiedpermissions AWS Java SDK :: Services :: Verified Permissions diff --git a/services/voiceid/pom.xml b/services/voiceid/pom.xml index 2bba94854827..1905ffbaf20b 100644 --- a/services/voiceid/pom.xml +++ b/services/voiceid/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 voiceid AWS Java SDK :: Services :: Voice ID diff --git a/services/vpclattice/pom.xml b/services/vpclattice/pom.xml index c91b05d62e4b..fae4f5c590fb 100644 --- a/services/vpclattice/pom.xml +++ b/services/vpclattice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 vpclattice AWS Java SDK :: Services :: VPC Lattice diff --git a/services/waf/pom.xml b/services/waf/pom.xml index 8f6e478cc9ec..dc5c7addd2bf 100644 --- a/services/waf/pom.xml +++ b/services/waf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 waf AWS Java SDK :: Services :: AWS WAF diff --git a/services/wafv2/pom.xml b/services/wafv2/pom.xml index 7336f12b54cc..63977271aef1 100644 --- a/services/wafv2/pom.xml +++ b/services/wafv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 wafv2 AWS Java SDK :: Services :: WAFV2 diff --git a/services/wellarchitected/pom.xml b/services/wellarchitected/pom.xml index 26ef1fb46678..1f0e13945a1c 100644 --- a/services/wellarchitected/pom.xml +++ b/services/wellarchitected/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 wellarchitected AWS Java SDK :: Services :: Well Architected diff --git a/services/wisdom/pom.xml b/services/wisdom/pom.xml index 5325259b6ff7..4d5dea8b6e7e 100644 --- a/services/wisdom/pom.xml +++ b/services/wisdom/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 wisdom AWS Java SDK :: Services :: Wisdom diff --git a/services/workdocs/pom.xml b/services/workdocs/pom.xml index 9dbde96d87a1..4627a43507d6 100644 --- a/services/workdocs/pom.xml +++ b/services/workdocs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 workdocs AWS Java SDK :: Services :: Amazon WorkDocs diff --git a/services/worklink/pom.xml b/services/worklink/pom.xml index 4238a3cf7feb..22098085c789 100644 --- a/services/worklink/pom.xml +++ b/services/worklink/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 worklink AWS Java SDK :: Services :: WorkLink diff --git a/services/workmail/pom.xml b/services/workmail/pom.xml index 9eb7876c4e81..64de2370f4dc 100644 --- a/services/workmail/pom.xml +++ b/services/workmail/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1-SNAPSHOT + 2.28.1 4.0.0 workmail diff --git a/services/workmailmessageflow/pom.xml b/services/workmailmessageflow/pom.xml index bead4985352f..6468d7426e1b 100644 --- a/services/workmailmessageflow/pom.xml +++ b/services/workmailmessageflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 workmailmessageflow AWS Java SDK :: Services :: WorkMailMessageFlow diff --git a/services/workspaces/pom.xml b/services/workspaces/pom.xml index 1acdff08ee11..b69fe84e1c0f 100644 --- a/services/workspaces/pom.xml +++ b/services/workspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 workspaces AWS Java SDK :: Services :: Amazon WorkSpaces diff --git a/services/workspacesthinclient/pom.xml b/services/workspacesthinclient/pom.xml index b24e049cf8ec..84b08a816717 100644 --- a/services/workspacesthinclient/pom.xml +++ b/services/workspacesthinclient/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 workspacesthinclient AWS Java SDK :: Services :: Work Spaces Thin Client diff --git a/services/workspacesweb/pom.xml b/services/workspacesweb/pom.xml index 8c474a14ac3e..5f22c1e7c667 100644 --- a/services/workspacesweb/pom.xml +++ b/services/workspacesweb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 workspacesweb AWS Java SDK :: Services :: Work Spaces Web diff --git a/services/xray/pom.xml b/services/xray/pom.xml index ced710da081d..aac94306d47f 100644 --- a/services/xray/pom.xml +++ b/services/xray/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1-SNAPSHOT + 2.28.1 xray AWS Java SDK :: Services :: AWS X-Ray diff --git a/test/auth-tests/pom.xml b/test/auth-tests/pom.xml index 1a131724d14e..1788aab85b6e 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.1-SNAPSHOT + 2.28.1 ../../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 c92f620cb969..27b180ec9833 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.1-SNAPSHOT + 2.28.1 ../../pom.xml 4.0.0 diff --git a/test/bundle-shading-tests/pom.xml b/test/bundle-shading-tests/pom.xml index 2e41a84b43a5..5231c36f3ec2 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.1-SNAPSHOT + 2.28.1 ../../pom.xml 4.0.0 diff --git a/test/codegen-generated-classes-test/pom.xml b/test/codegen-generated-classes-test/pom.xml index f8e91f6a8c3c..180f3d5b194a 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.1-SNAPSHOT + 2.28.1 ../../pom.xml diff --git a/test/crt-unavailable-tests/pom.xml b/test/crt-unavailable-tests/pom.xml index f10dc8bc2365..334534f34cfa 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.1-SNAPSHOT + 2.28.1 ../../pom.xml 4.0.0 diff --git a/test/http-client-tests/pom.xml b/test/http-client-tests/pom.xml index c301227dc035..da8cd5d31f77 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.1-SNAPSHOT + 2.28.1 ../../pom.xml http-client-tests diff --git a/test/module-path-tests/pom.xml b/test/module-path-tests/pom.xml index 0295bc9023c0..fa774490d2ee 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.1-SNAPSHOT + 2.28.1 ../../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 b548e2c46fac..ffaf6bf34e13 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.1-SNAPSHOT + 2.28.1 ../../pom.xml diff --git a/test/protocol-tests-core/pom.xml b/test/protocol-tests-core/pom.xml index 9996e8c7aaa5..898f91b3988a 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.1-SNAPSHOT + 2.28.1 ../../pom.xml 4.0.0 diff --git a/test/protocol-tests/pom.xml b/test/protocol-tests/pom.xml index 2f00361896f8..a18f3dc15405 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.1-SNAPSHOT + 2.28.1 ../../pom.xml 4.0.0 diff --git a/test/region-testing/pom.xml b/test/region-testing/pom.xml index d804ef8b0902..7adbbd417678 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.1-SNAPSHOT + 2.28.1 ../../pom.xml 4.0.0 diff --git a/test/ruleset-testing-core/pom.xml b/test/ruleset-testing-core/pom.xml index 3e7e36674fdf..c9ec089ef674 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.1-SNAPSHOT + 2.28.1 ../../pom.xml 4.0.0 diff --git a/test/s3-benchmarks/pom.xml b/test/s3-benchmarks/pom.xml index 738dc56a71f3..992eeda0a924 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.1-SNAPSHOT + 2.28.1 ../../pom.xml 4.0.0 diff --git a/test/sdk-benchmarks/pom.xml b/test/sdk-benchmarks/pom.xml index 71dd32771322..f4f651b5b500 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.1-SNAPSHOT + 2.28.1 ../../pom.xml diff --git a/test/sdk-native-image-test/pom.xml b/test/sdk-native-image-test/pom.xml index 25577d92ea3a..0051e9d5a8ab 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.1-SNAPSHOT + 2.28.1 ../../pom.xml 4.0.0 diff --git a/test/service-test-utils/pom.xml b/test/service-test-utils/pom.xml index 1f2a87033e35..f509835501ff 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.1-SNAPSHOT + 2.28.1 ../../pom.xml service-test-utils diff --git a/test/stability-tests/pom.xml b/test/stability-tests/pom.xml index 430dab37f13d..342c8e769e9a 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.1-SNAPSHOT + 2.28.1 ../../pom.xml 4.0.0 diff --git a/test/test-utils/pom.xml b/test/test-utils/pom.xml index fba6245a5026..f42813ac9ab7 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.1-SNAPSHOT + 2.28.1 ../../pom.xml test-utils diff --git a/test/tests-coverage-reporting/pom.xml b/test/tests-coverage-reporting/pom.xml index 07f8a024c3b0..5043a2ed07fd 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.1-SNAPSHOT + 2.28.1 ../../pom.xml 4.0.0 diff --git a/test/v2-migration-tests/pom.xml b/test/v2-migration-tests/pom.xml index 7ceb4cd57cbc..63df4904d8ea 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.1-SNAPSHOT + 2.28.1 ../.. diff --git a/third-party/pom.xml b/third-party/pom.xml index 26cac36e340d..88bf46362750 100644 --- a/third-party/pom.xml +++ b/third-party/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.1-SNAPSHOT + 2.28.1 third-party diff --git a/third-party/third-party-jackson-core/pom.xml b/third-party/third-party-jackson-core/pom.xml index ffdb4c69ab72..0d564a0201cc 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.1-SNAPSHOT + 2.28.1 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 3edac3f1d167..f1c250111e1d 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.1-SNAPSHOT + 2.28.1 4.0.0 diff --git a/third-party/third-party-slf4j-api/pom.xml b/third-party/third-party-slf4j-api/pom.xml index a8259b8f83b0..a947d93cae96 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.1-SNAPSHOT + 2.28.1 4.0.0 diff --git a/utils/pom.xml b/utils/pom.xml index 6a61663cce37..069b91f7baf0 100644 --- a/utils/pom.xml +++ b/utils/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.1-SNAPSHOT + 2.28.1 4.0.0 diff --git a/v2-migration/pom.xml b/v2-migration/pom.xml index adc625c6fb50..c14fa9201fba 100644 --- a/v2-migration/pom.xml +++ b/v2-migration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.1-SNAPSHOT + 2.28.1 ../pom.xml From 1b461349e00480a9a1916a83f580238a161de074 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Fri, 13 Sep 2024 18:54:09 +0000 Subject: [PATCH 087/108] Update to next snapshot version: 2.28.2-SNAPSHOT --- 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/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 +- metric-publishers/cloudwatch-metric-publisher/pom.xml | 2 +- metric-publishers/pom.xml | 2 +- pom.xml | 4 ++-- 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 +- services-custom/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/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 +- services/licensemanagerlinuxsubscriptions/pom.xml | 2 +- services/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/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 +- services/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/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/worklink/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 +- test/bundle-logging-bridge-binding-test/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 +- test/old-client-version-compatibility-test/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 +- third-party/third-party-jackson-dataformat-cbor/pom.xml | 2 +- third-party/third-party-slf4j-api/pom.xml | 2 +- utils/pom.xml | 2 +- v2-migration/pom.xml | 2 +- 469 files changed, 470 insertions(+), 470 deletions(-) diff --git a/archetypes/archetype-app-quickstart/pom.xml b/archetypes/archetype-app-quickstart/pom.xml index 0baf7b268d06..592bc9da4d35 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.1 + 2.28.2-SNAPSHOT 4.0.0 diff --git a/archetypes/archetype-lambda/pom.xml b/archetypes/archetype-lambda/pom.xml index 1e40c0fb18e4..b9a29dfc920e 100644 --- a/archetypes/archetype-lambda/pom.xml +++ b/archetypes/archetype-lambda/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.28.1 + 2.28.2-SNAPSHOT 4.0.0 archetype-lambda diff --git a/archetypes/archetype-tools/pom.xml b/archetypes/archetype-tools/pom.xml index 488cdc539c65..1107e3b800b1 100644 --- a/archetypes/archetype-tools/pom.xml +++ b/archetypes/archetype-tools/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.28.1 + 2.28.2-SNAPSHOT 4.0.0 diff --git a/archetypes/pom.xml b/archetypes/pom.xml index 84bfaae572c0..f4420eed3507 100644 --- a/archetypes/pom.xml +++ b/archetypes/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.1 + 2.28.2-SNAPSHOT 4.0.0 archetypes diff --git a/aws-sdk-java/pom.xml b/aws-sdk-java/pom.xml index 9d8a317e6ba3..6ada6afb2635 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.1 + 2.28.2-SNAPSHOT ../pom.xml aws-sdk-java diff --git a/bom-internal/pom.xml b/bom-internal/pom.xml index 3ac58b9ee295..6d4338cb1167 100644 --- a/bom-internal/pom.xml +++ b/bom-internal/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.1 + 2.28.2-SNAPSHOT 4.0.0 diff --git a/bom/pom.xml b/bom/pom.xml index ff4ed8c11c21..a7bcbf0bd466 100644 --- a/bom/pom.xml +++ b/bom/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.1 + 2.28.2-SNAPSHOT ../pom.xml bom diff --git a/bundle-logging-bridge/pom.xml b/bundle-logging-bridge/pom.xml index 2ff630f0c479..83bf2bf1f07d 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.1 + 2.28.2-SNAPSHOT bundle-logging-bridge jar diff --git a/bundle-sdk/pom.xml b/bundle-sdk/pom.xml index b1d8735fb12d..19c442c6f02e 100644 --- a/bundle-sdk/pom.xml +++ b/bundle-sdk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.1 + 2.28.2-SNAPSHOT bundle-sdk jar diff --git a/bundle/pom.xml b/bundle/pom.xml index c0c9bf248b3a..7f1f3630cb0f 100644 --- a/bundle/pom.xml +++ b/bundle/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.1 + 2.28.2-SNAPSHOT bundle jar diff --git a/codegen-lite-maven-plugin/pom.xml b/codegen-lite-maven-plugin/pom.xml index 09863cca3c39..bc468ee34749 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.1 + 2.28.2-SNAPSHOT ../pom.xml codegen-lite-maven-plugin diff --git a/codegen-lite/pom.xml b/codegen-lite/pom.xml index 27ad30692edf..ace0858954b0 100644 --- a/codegen-lite/pom.xml +++ b/codegen-lite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.1 + 2.28.2-SNAPSHOT codegen-lite AWS Java SDK :: Code Generator Lite diff --git a/codegen-maven-plugin/pom.xml b/codegen-maven-plugin/pom.xml index ee554d826d17..95bf72505ddf 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.1 + 2.28.2-SNAPSHOT ../pom.xml codegen-maven-plugin diff --git a/codegen/pom.xml b/codegen/pom.xml index ba2fad13461a..0a646f85541e 100644 --- a/codegen/pom.xml +++ b/codegen/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.1 + 2.28.2-SNAPSHOT codegen AWS Java SDK :: Code Generator diff --git a/core/annotations/pom.xml b/core/annotations/pom.xml index e1e128fe7ab6..75a02e446ac2 100644 --- a/core/annotations/pom.xml +++ b/core/annotations/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.1 + 2.28.2-SNAPSHOT 4.0.0 diff --git a/core/arns/pom.xml b/core/arns/pom.xml index 29e5dc4b2286..7361ba3de121 100644 --- a/core/arns/pom.xml +++ b/core/arns/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.1 + 2.28.2-SNAPSHOT 4.0.0 diff --git a/core/auth-crt/pom.xml b/core/auth-crt/pom.xml index af278f920563..ee38a590d012 100644 --- a/core/auth-crt/pom.xml +++ b/core/auth-crt/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.1 + 2.28.2-SNAPSHOT auth-crt diff --git a/core/auth/pom.xml b/core/auth/pom.xml index 899db6d076f6..d11c91547b04 100644 --- a/core/auth/pom.xml +++ b/core/auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.1 + 2.28.2-SNAPSHOT auth diff --git a/core/aws-core/pom.xml b/core/aws-core/pom.xml index 4b5b6e103e5e..3d3addee86f4 100644 --- a/core/aws-core/pom.xml +++ b/core/aws-core/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.1 + 2.28.2-SNAPSHOT aws-core diff --git a/core/checksums-spi/pom.xml b/core/checksums-spi/pom.xml index 94852c7725c4..104263c41a1f 100644 --- a/core/checksums-spi/pom.xml +++ b/core/checksums-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.1 + 2.28.2-SNAPSHOT checksums-spi diff --git a/core/checksums/pom.xml b/core/checksums/pom.xml index 6d120e3d18b0..1ba713391ae1 100644 --- a/core/checksums/pom.xml +++ b/core/checksums/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.1 + 2.28.2-SNAPSHOT checksums diff --git a/core/crt-core/pom.xml b/core/crt-core/pom.xml index fbcfd95b8e53..02a94c0ca3f6 100644 --- a/core/crt-core/pom.xml +++ b/core/crt-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.28.1 + 2.28.2-SNAPSHOT crt-core diff --git a/core/endpoints-spi/pom.xml b/core/endpoints-spi/pom.xml index ae5a199c103c..dbeaba638e06 100644 --- a/core/endpoints-spi/pom.xml +++ b/core/endpoints-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.1 + 2.28.2-SNAPSHOT 4.0.0 diff --git a/core/http-auth-aws-crt/pom.xml b/core/http-auth-aws-crt/pom.xml index faf44026f377..940ed2e59e11 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.1 + 2.28.2-SNAPSHOT http-auth-aws-crt diff --git a/core/http-auth-aws-eventstream/pom.xml b/core/http-auth-aws-eventstream/pom.xml index 948d6fba8f15..4044e2b531dc 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.1 + 2.28.2-SNAPSHOT http-auth-aws-eventstream diff --git a/core/http-auth-aws/pom.xml b/core/http-auth-aws/pom.xml index ceabd356d211..20c8eea9f515 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.1 + 2.28.2-SNAPSHOT http-auth-aws diff --git a/core/http-auth-spi/pom.xml b/core/http-auth-spi/pom.xml index f30d169efffb..6d86d2bafc66 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.1 + 2.28.2-SNAPSHOT http-auth-spi diff --git a/core/http-auth/pom.xml b/core/http-auth/pom.xml index 3123a9dcfec7..29bd68d032c2 100644 --- a/core/http-auth/pom.xml +++ b/core/http-auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.1 + 2.28.2-SNAPSHOT http-auth diff --git a/core/identity-spi/pom.xml b/core/identity-spi/pom.xml index dc1bff79d8a3..f11a0c4e477e 100644 --- a/core/identity-spi/pom.xml +++ b/core/identity-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.1 + 2.28.2-SNAPSHOT identity-spi diff --git a/core/imds/pom.xml b/core/imds/pom.xml index fd4510b60cda..148a622a3ba6 100644 --- a/core/imds/pom.xml +++ b/core/imds/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.1 + 2.28.2-SNAPSHOT 4.0.0 imds diff --git a/core/json-utils/pom.xml b/core/json-utils/pom.xml index b61ccb3dad87..7a83dd352bf0 100644 --- a/core/json-utils/pom.xml +++ b/core/json-utils/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.1 + 2.28.2-SNAPSHOT 4.0.0 diff --git a/core/metrics-spi/pom.xml b/core/metrics-spi/pom.xml index 88896770b33b..9d1e7a86f97e 100644 --- a/core/metrics-spi/pom.xml +++ b/core/metrics-spi/pom.xml @@ -5,7 +5,7 @@ core software.amazon.awssdk - 2.28.1 + 2.28.2-SNAPSHOT 4.0.0 diff --git a/core/pom.xml b/core/pom.xml index ecc9fd3fd88c..7e3307f55f7e 100644 --- a/core/pom.xml +++ b/core/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.1 + 2.28.2-SNAPSHOT core diff --git a/core/profiles/pom.xml b/core/profiles/pom.xml index 2e8aa28447ac..0cd1cd99d640 100644 --- a/core/profiles/pom.xml +++ b/core/profiles/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.1 + 2.28.2-SNAPSHOT profiles diff --git a/core/protocols/aws-cbor-protocol/pom.xml b/core/protocols/aws-cbor-protocol/pom.xml index 9f9c9ed4d01f..19c9a5b0705f 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.1 + 2.28.2-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-json-protocol/pom.xml b/core/protocols/aws-json-protocol/pom.xml index f2825d2a8e48..7cd7190c8f39 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.1 + 2.28.2-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-query-protocol/pom.xml b/core/protocols/aws-query-protocol/pom.xml index f95a44aef4a0..45770d5e6285 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.1 + 2.28.2-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-xml-protocol/pom.xml b/core/protocols/aws-xml-protocol/pom.xml index 8519ecc7be99..ee4e6a66425b 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.1 + 2.28.2-SNAPSHOT 4.0.0 diff --git a/core/protocols/pom.xml b/core/protocols/pom.xml index 6ec64ea6ff0f..3e387b30420d 100644 --- a/core/protocols/pom.xml +++ b/core/protocols/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.1 + 2.28.2-SNAPSHOT 4.0.0 diff --git a/core/protocols/protocol-core/pom.xml b/core/protocols/protocol-core/pom.xml index 10001be7fa20..23b6ee1b4743 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.1 + 2.28.2-SNAPSHOT 4.0.0 diff --git a/core/regions/pom.xml b/core/regions/pom.xml index b4d51f3122cf..d44d84803c58 100644 --- a/core/regions/pom.xml +++ b/core/regions/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.1 + 2.28.2-SNAPSHOT regions diff --git a/core/retries-spi/pom.xml b/core/retries-spi/pom.xml index 2ea4599706c6..0d3b823b0a65 100644 --- a/core/retries-spi/pom.xml +++ b/core/retries-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.1 + 2.28.2-SNAPSHOT 4.0.0 diff --git a/core/retries/pom.xml b/core/retries/pom.xml index b6b46b12962c..1ee00e1418bd 100644 --- a/core/retries/pom.xml +++ b/core/retries/pom.xml @@ -21,7 +21,7 @@ core software.amazon.awssdk - 2.28.1 + 2.28.2-SNAPSHOT 4.0.0 diff --git a/core/sdk-core/pom.xml b/core/sdk-core/pom.xml index 1914f6106397..4d15b8b29684 100644 --- a/core/sdk-core/pom.xml +++ b/core/sdk-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.28.1 + 2.28.2-SNAPSHOT sdk-core AWS Java SDK :: SDK Core diff --git a/http-client-spi/pom.xml b/http-client-spi/pom.xml index 80064016b022..e91ec4f998b1 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.1 + 2.28.2-SNAPSHOT http-client-spi AWS Java SDK :: HTTP Client Interface diff --git a/http-clients/apache-client/pom.xml b/http-clients/apache-client/pom.xml index f758fef8fa35..df08927146e4 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.1 + 2.28.2-SNAPSHOT apache-client diff --git a/http-clients/aws-crt-client/pom.xml b/http-clients/aws-crt-client/pom.xml index 94386469addd..47419583e9d8 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.1 + 2.28.2-SNAPSHOT 4.0.0 diff --git a/http-clients/netty-nio-client/pom.xml b/http-clients/netty-nio-client/pom.xml index 56ce2e29a57c..b15a326304b4 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.1 + 2.28.2-SNAPSHOT 4.0.0 diff --git a/http-clients/pom.xml b/http-clients/pom.xml index 18623cbfecc9..deb8cba3051b 100644 --- a/http-clients/pom.xml +++ b/http-clients/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.1 + 2.28.2-SNAPSHOT 4.0.0 diff --git a/http-clients/url-connection-client/pom.xml b/http-clients/url-connection-client/pom.xml index 7d424b0edd94..6465822788c8 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.1 + 2.28.2-SNAPSHOT 4.0.0 diff --git a/metric-publishers/cloudwatch-metric-publisher/pom.xml b/metric-publishers/cloudwatch-metric-publisher/pom.xml index 496d41ceaed9..30f5f32f44c1 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.1 + 2.28.2-SNAPSHOT cloudwatch-metric-publisher diff --git a/metric-publishers/pom.xml b/metric-publishers/pom.xml index 56859de405bb..d40272d39974 100644 --- a/metric-publishers/pom.xml +++ b/metric-publishers/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.1 + 2.28.2-SNAPSHOT metric-publishers diff --git a/pom.xml b/pom.xml index 4041299e70b0..9d3689e460e3 100644 --- a/pom.xml +++ b/pom.xml @@ -20,7 +20,7 @@ 4.0.0 software.amazon.awssdk aws-sdk-java-pom - 2.28.1 + 2.28.2-SNAPSHOT pom AWS Java SDK :: Parent The Amazon Web Services SDK for Java provides Java APIs @@ -99,7 +99,7 @@ ${project.version} - 2.28.0 + 2.28.1 2.15.2 2.15.2 2.13.2 diff --git a/release-scripts/pom.xml b/release-scripts/pom.xml index 0978068a192d..56ea7be10faa 100644 --- a/release-scripts/pom.xml +++ b/release-scripts/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.1 + 2.28.2-SNAPSHOT ../pom.xml release-scripts diff --git a/services-custom/dynamodb-enhanced/pom.xml b/services-custom/dynamodb-enhanced/pom.xml index 48781a825074..68a26354bdbb 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.1 + 2.28.2-SNAPSHOT dynamodb-enhanced AWS Java SDK :: DynamoDB :: Enhanced Client diff --git a/services-custom/iam-policy-builder/pom.xml b/services-custom/iam-policy-builder/pom.xml index 4799623ca8b2..6a029555a75d 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.1 + 2.28.2-SNAPSHOT ../../pom.xml iam-policy-builder diff --git a/services-custom/pom.xml b/services-custom/pom.xml index 5a480a210d1c..3766dde4fd84 100644 --- a/services-custom/pom.xml +++ b/services-custom/pom.xml @@ -19,7 +19,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.1 + 2.28.2-SNAPSHOT services-custom AWS Java SDK :: Custom Services diff --git a/services-custom/s3-event-notifications/pom.xml b/services-custom/s3-event-notifications/pom.xml index e06f128621f4..6eceda8eaff7 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.1 + 2.28.2-SNAPSHOT ../../pom.xml s3-event-notifications diff --git a/services-custom/s3-transfer-manager/pom.xml b/services-custom/s3-transfer-manager/pom.xml index 162df46eff2a..a93c647e06ff 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.1 + 2.28.2-SNAPSHOT ../../pom.xml s3-transfer-manager diff --git a/services/accessanalyzer/pom.xml b/services/accessanalyzer/pom.xml index f4e4fc5d0ad6..3039d43c5584 100644 --- a/services/accessanalyzer/pom.xml +++ b/services/accessanalyzer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT accessanalyzer AWS Java SDK :: Services :: AccessAnalyzer diff --git a/services/account/pom.xml b/services/account/pom.xml index df2741d63ffd..dd8247c18b1e 100644 --- a/services/account/pom.xml +++ b/services/account/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT account AWS Java SDK :: Services :: Account diff --git a/services/acm/pom.xml b/services/acm/pom.xml index a8d9de09bb71..0278f833c3fc 100644 --- a/services/acm/pom.xml +++ b/services/acm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT acm AWS Java SDK :: Services :: AWS Certificate Manager diff --git a/services/acmpca/pom.xml b/services/acmpca/pom.xml index 486fe0203854..2caddf1f2b3e 100644 --- a/services/acmpca/pom.xml +++ b/services/acmpca/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT acmpca AWS Java SDK :: Services :: ACM PCA diff --git a/services/amp/pom.xml b/services/amp/pom.xml index 8a9664ebbaf6..105fe347bd99 100644 --- a/services/amp/pom.xml +++ b/services/amp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT amp AWS Java SDK :: Services :: Amp diff --git a/services/amplify/pom.xml b/services/amplify/pom.xml index e262399fb732..cb0410ba4806 100644 --- a/services/amplify/pom.xml +++ b/services/amplify/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT amplify AWS Java SDK :: Services :: Amplify diff --git a/services/amplifybackend/pom.xml b/services/amplifybackend/pom.xml index 9c72e79793c3..f8058b1a1e37 100644 --- a/services/amplifybackend/pom.xml +++ b/services/amplifybackend/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT amplifybackend AWS Java SDK :: Services :: Amplify Backend diff --git a/services/amplifyuibuilder/pom.xml b/services/amplifyuibuilder/pom.xml index e83171bb6c4e..544f74dcf5e8 100644 --- a/services/amplifyuibuilder/pom.xml +++ b/services/amplifyuibuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT amplifyuibuilder AWS Java SDK :: Services :: Amplify UI Builder diff --git a/services/apigateway/pom.xml b/services/apigateway/pom.xml index d4a4239b56b2..7ca4637b9747 100644 --- a/services/apigateway/pom.xml +++ b/services/apigateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT apigateway AWS Java SDK :: Services :: Amazon API Gateway diff --git a/services/apigatewaymanagementapi/pom.xml b/services/apigatewaymanagementapi/pom.xml index 78d1de3c658c..b139b62ed23a 100644 --- a/services/apigatewaymanagementapi/pom.xml +++ b/services/apigatewaymanagementapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT apigatewaymanagementapi AWS Java SDK :: Services :: ApiGatewayManagementApi diff --git a/services/apigatewayv2/pom.xml b/services/apigatewayv2/pom.xml index 34406e0d49cd..3b7a0f981cc4 100644 --- a/services/apigatewayv2/pom.xml +++ b/services/apigatewayv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT apigatewayv2 AWS Java SDK :: Services :: ApiGatewayV2 diff --git a/services/appconfig/pom.xml b/services/appconfig/pom.xml index 9d70f2ccbe79..750553559d0a 100644 --- a/services/appconfig/pom.xml +++ b/services/appconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT appconfig AWS Java SDK :: Services :: AppConfig diff --git a/services/appconfigdata/pom.xml b/services/appconfigdata/pom.xml index 0016ed0b9dfb..aeb17c158989 100644 --- a/services/appconfigdata/pom.xml +++ b/services/appconfigdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT appconfigdata AWS Java SDK :: Services :: App Config Data diff --git a/services/appfabric/pom.xml b/services/appfabric/pom.xml index ce89efe3598e..64461719d036 100644 --- a/services/appfabric/pom.xml +++ b/services/appfabric/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT appfabric AWS Java SDK :: Services :: App Fabric diff --git a/services/appflow/pom.xml b/services/appflow/pom.xml index 1e16b99bba2d..a578efa695c5 100644 --- a/services/appflow/pom.xml +++ b/services/appflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT appflow AWS Java SDK :: Services :: Appflow diff --git a/services/appintegrations/pom.xml b/services/appintegrations/pom.xml index 1542b8b45e6c..69bef8eefa70 100644 --- a/services/appintegrations/pom.xml +++ b/services/appintegrations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT appintegrations AWS Java SDK :: Services :: App Integrations diff --git a/services/applicationautoscaling/pom.xml b/services/applicationautoscaling/pom.xml index cc0dfc1174ff..3bd1b84dc3c1 100644 --- a/services/applicationautoscaling/pom.xml +++ b/services/applicationautoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT applicationautoscaling AWS Java SDK :: Services :: AWS Application Auto Scaling diff --git a/services/applicationcostprofiler/pom.xml b/services/applicationcostprofiler/pom.xml index 6500946a4b5e..badf36bf58c7 100644 --- a/services/applicationcostprofiler/pom.xml +++ b/services/applicationcostprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT applicationcostprofiler AWS Java SDK :: Services :: Application Cost Profiler diff --git a/services/applicationdiscovery/pom.xml b/services/applicationdiscovery/pom.xml index 02bb8762617b..eb8164481427 100644 --- a/services/applicationdiscovery/pom.xml +++ b/services/applicationdiscovery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT applicationdiscovery AWS Java SDK :: Services :: AWS Application Discovery Service diff --git a/services/applicationinsights/pom.xml b/services/applicationinsights/pom.xml index 4e62cf320f90..f0f9704fc134 100644 --- a/services/applicationinsights/pom.xml +++ b/services/applicationinsights/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT applicationinsights AWS Java SDK :: Services :: Application Insights diff --git a/services/applicationsignals/pom.xml b/services/applicationsignals/pom.xml index 3fe5c6684eb0..65a4b387dee8 100644 --- a/services/applicationsignals/pom.xml +++ b/services/applicationsignals/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT applicationsignals AWS Java SDK :: Services :: Application Signals diff --git a/services/appmesh/pom.xml b/services/appmesh/pom.xml index c6e4bf797cc2..593170faf929 100644 --- a/services/appmesh/pom.xml +++ b/services/appmesh/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT appmesh AWS Java SDK :: Services :: App Mesh diff --git a/services/apprunner/pom.xml b/services/apprunner/pom.xml index ce09e007f723..1cb96c15c97e 100644 --- a/services/apprunner/pom.xml +++ b/services/apprunner/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT apprunner AWS Java SDK :: Services :: App Runner diff --git a/services/appstream/pom.xml b/services/appstream/pom.xml index a957d009a53c..74fb2c60fc60 100644 --- a/services/appstream/pom.xml +++ b/services/appstream/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT appstream AWS Java SDK :: Services :: Amazon AppStream diff --git a/services/appsync/pom.xml b/services/appsync/pom.xml index 91a134ceeba8..7e1d8762393a 100644 --- a/services/appsync/pom.xml +++ b/services/appsync/pom.xml @@ -21,7 +21,7 @@ services software.amazon.awssdk - 2.28.1 + 2.28.2-SNAPSHOT appsync diff --git a/services/apptest/pom.xml b/services/apptest/pom.xml index af2442736908..e019d25b3546 100644 --- a/services/apptest/pom.xml +++ b/services/apptest/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT apptest AWS Java SDK :: Services :: App Test diff --git a/services/arczonalshift/pom.xml b/services/arczonalshift/pom.xml index 69848079ce47..e4aae53eb3cd 100644 --- a/services/arczonalshift/pom.xml +++ b/services/arczonalshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT arczonalshift AWS Java SDK :: Services :: ARC Zonal Shift diff --git a/services/artifact/pom.xml b/services/artifact/pom.xml index 8aa702a1235c..f45e8cdb0086 100644 --- a/services/artifact/pom.xml +++ b/services/artifact/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT artifact AWS Java SDK :: Services :: Artifact diff --git a/services/athena/pom.xml b/services/athena/pom.xml index 41b40e913b33..b3ae1db70de5 100644 --- a/services/athena/pom.xml +++ b/services/athena/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT athena AWS Java SDK :: Services :: Amazon Athena diff --git a/services/auditmanager/pom.xml b/services/auditmanager/pom.xml index 6cdaad7fd559..fa33807d4a69 100644 --- a/services/auditmanager/pom.xml +++ b/services/auditmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT auditmanager AWS Java SDK :: Services :: Audit Manager diff --git a/services/autoscaling/pom.xml b/services/autoscaling/pom.xml index 15c5c9233af0..07c66ab0e82d 100644 --- a/services/autoscaling/pom.xml +++ b/services/autoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT autoscaling AWS Java SDK :: Services :: Auto Scaling diff --git a/services/autoscalingplans/pom.xml b/services/autoscalingplans/pom.xml index 7002e11bac08..7233fba00154 100644 --- a/services/autoscalingplans/pom.xml +++ b/services/autoscalingplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT autoscalingplans AWS Java SDK :: Services :: Auto Scaling Plans diff --git a/services/b2bi/pom.xml b/services/b2bi/pom.xml index c0385ea03508..d448dc2b04b2 100644 --- a/services/b2bi/pom.xml +++ b/services/b2bi/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT b2bi AWS Java SDK :: Services :: B2 Bi diff --git a/services/backup/pom.xml b/services/backup/pom.xml index a28412e8ddd8..33c3def5f4c1 100644 --- a/services/backup/pom.xml +++ b/services/backup/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT backup AWS Java SDK :: Services :: Backup diff --git a/services/backupgateway/pom.xml b/services/backupgateway/pom.xml index 3fce789b0cf8..1e4212b3375c 100644 --- a/services/backupgateway/pom.xml +++ b/services/backupgateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT backupgateway AWS Java SDK :: Services :: Backup Gateway diff --git a/services/batch/pom.xml b/services/batch/pom.xml index 5dd44e7826dc..37fb627aee0d 100644 --- a/services/batch/pom.xml +++ b/services/batch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT batch AWS Java SDK :: Services :: AWS Batch diff --git a/services/bcmdataexports/pom.xml b/services/bcmdataexports/pom.xml index 1d3651127914..e938bc4ff14d 100644 --- a/services/bcmdataexports/pom.xml +++ b/services/bcmdataexports/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT bcmdataexports AWS Java SDK :: Services :: BCM Data Exports diff --git a/services/bedrock/pom.xml b/services/bedrock/pom.xml index 88737092c479..0c85ccf6f200 100644 --- a/services/bedrock/pom.xml +++ b/services/bedrock/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT bedrock AWS Java SDK :: Services :: Bedrock diff --git a/services/bedrockagent/pom.xml b/services/bedrockagent/pom.xml index 70b44d91a589..ecc92a175934 100644 --- a/services/bedrockagent/pom.xml +++ b/services/bedrockagent/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT bedrockagent AWS Java SDK :: Services :: Bedrock Agent diff --git a/services/bedrockagentruntime/pom.xml b/services/bedrockagentruntime/pom.xml index 5de85b514dbe..9e0fa8a333b8 100644 --- a/services/bedrockagentruntime/pom.xml +++ b/services/bedrockagentruntime/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT bedrockagentruntime AWS Java SDK :: Services :: Bedrock Agent Runtime diff --git a/services/bedrockruntime/pom.xml b/services/bedrockruntime/pom.xml index 40ab5a7fecef..7d5b8b65ab73 100644 --- a/services/bedrockruntime/pom.xml +++ b/services/bedrockruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT bedrockruntime AWS Java SDK :: Services :: Bedrock Runtime diff --git a/services/billingconductor/pom.xml b/services/billingconductor/pom.xml index a81bdb2c156b..2543d3c45400 100644 --- a/services/billingconductor/pom.xml +++ b/services/billingconductor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT billingconductor AWS Java SDK :: Services :: Billingconductor diff --git a/services/braket/pom.xml b/services/braket/pom.xml index fb67632684c7..6ff6eeb5c1ca 100644 --- a/services/braket/pom.xml +++ b/services/braket/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT braket AWS Java SDK :: Services :: Braket diff --git a/services/budgets/pom.xml b/services/budgets/pom.xml index e83c56fe7a68..439f942eca51 100644 --- a/services/budgets/pom.xml +++ b/services/budgets/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT budgets AWS Java SDK :: Services :: AWS Budgets diff --git a/services/chatbot/pom.xml b/services/chatbot/pom.xml index d0acd7d2eb80..554e9e24b55d 100644 --- a/services/chatbot/pom.xml +++ b/services/chatbot/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT chatbot AWS Java SDK :: Services :: Chatbot diff --git a/services/chime/pom.xml b/services/chime/pom.xml index 384ab72f4f0e..7e482583f28d 100644 --- a/services/chime/pom.xml +++ b/services/chime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT chime AWS Java SDK :: Services :: Chime diff --git a/services/chimesdkidentity/pom.xml b/services/chimesdkidentity/pom.xml index 407b0df2f4ab..d0d0ecb542f2 100644 --- a/services/chimesdkidentity/pom.xml +++ b/services/chimesdkidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT chimesdkidentity AWS Java SDK :: Services :: Chime SDK Identity diff --git a/services/chimesdkmediapipelines/pom.xml b/services/chimesdkmediapipelines/pom.xml index ed1e57939062..20063a0cdb2c 100644 --- a/services/chimesdkmediapipelines/pom.xml +++ b/services/chimesdkmediapipelines/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT chimesdkmediapipelines AWS Java SDK :: Services :: Chime SDK Media Pipelines diff --git a/services/chimesdkmeetings/pom.xml b/services/chimesdkmeetings/pom.xml index 8b6a62ccfba3..d8fbee8f47b7 100644 --- a/services/chimesdkmeetings/pom.xml +++ b/services/chimesdkmeetings/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT chimesdkmeetings AWS Java SDK :: Services :: Chime SDK Meetings diff --git a/services/chimesdkmessaging/pom.xml b/services/chimesdkmessaging/pom.xml index 1b0589f7c199..2fa51fa4aad9 100644 --- a/services/chimesdkmessaging/pom.xml +++ b/services/chimesdkmessaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT chimesdkmessaging AWS Java SDK :: Services :: Chime SDK Messaging diff --git a/services/chimesdkvoice/pom.xml b/services/chimesdkvoice/pom.xml index 9b0b80e873b1..7186dbeec338 100644 --- a/services/chimesdkvoice/pom.xml +++ b/services/chimesdkvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT chimesdkvoice AWS Java SDK :: Services :: Chime SDK Voice diff --git a/services/cleanrooms/pom.xml b/services/cleanrooms/pom.xml index 016185905b06..04baaaeaf340 100644 --- a/services/cleanrooms/pom.xml +++ b/services/cleanrooms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT cleanrooms AWS Java SDK :: Services :: Clean Rooms diff --git a/services/cleanroomsml/pom.xml b/services/cleanroomsml/pom.xml index 0f2f659ad6d7..c19fe50d7b01 100644 --- a/services/cleanroomsml/pom.xml +++ b/services/cleanroomsml/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT cleanroomsml AWS Java SDK :: Services :: Clean Rooms ML diff --git a/services/cloud9/pom.xml b/services/cloud9/pom.xml index d2077ed46337..2a629c479506 100644 --- a/services/cloud9/pom.xml +++ b/services/cloud9/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1 + 2.28.2-SNAPSHOT 4.0.0 cloud9 diff --git a/services/cloudcontrol/pom.xml b/services/cloudcontrol/pom.xml index 7577e0165547..0d59b30c65c9 100644 --- a/services/cloudcontrol/pom.xml +++ b/services/cloudcontrol/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT cloudcontrol AWS Java SDK :: Services :: Cloud Control diff --git a/services/clouddirectory/pom.xml b/services/clouddirectory/pom.xml index e03e95eb0288..12a6e629847b 100644 --- a/services/clouddirectory/pom.xml +++ b/services/clouddirectory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT clouddirectory AWS Java SDK :: Services :: Amazon CloudDirectory diff --git a/services/cloudformation/pom.xml b/services/cloudformation/pom.xml index 378f610a3888..a39234864008 100644 --- a/services/cloudformation/pom.xml +++ b/services/cloudformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT cloudformation AWS Java SDK :: Services :: AWS CloudFormation diff --git a/services/cloudfront/pom.xml b/services/cloudfront/pom.xml index 758b04a67ac7..2035a6128cb5 100644 --- a/services/cloudfront/pom.xml +++ b/services/cloudfront/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT cloudfront AWS Java SDK :: Services :: Amazon CloudFront diff --git a/services/cloudfrontkeyvaluestore/pom.xml b/services/cloudfrontkeyvaluestore/pom.xml index 7b9c6418c880..dc47ddff51b7 100644 --- a/services/cloudfrontkeyvaluestore/pom.xml +++ b/services/cloudfrontkeyvaluestore/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT cloudfrontkeyvaluestore AWS Java SDK :: Services :: Cloud Front Key Value Store diff --git a/services/cloudhsm/pom.xml b/services/cloudhsm/pom.xml index a2874fbddc26..cf9c7e61a28b 100644 --- a/services/cloudhsm/pom.xml +++ b/services/cloudhsm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT cloudhsm AWS Java SDK :: Services :: AWS CloudHSM diff --git a/services/cloudhsmv2/pom.xml b/services/cloudhsmv2/pom.xml index af1ce17f74cc..e42b887fb671 100644 --- a/services/cloudhsmv2/pom.xml +++ b/services/cloudhsmv2/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1 + 2.28.2-SNAPSHOT 4.0.0 cloudhsmv2 diff --git a/services/cloudsearch/pom.xml b/services/cloudsearch/pom.xml index c76320a65336..fd8be186151f 100644 --- a/services/cloudsearch/pom.xml +++ b/services/cloudsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT cloudsearch AWS Java SDK :: Services :: Amazon CloudSearch diff --git a/services/cloudsearchdomain/pom.xml b/services/cloudsearchdomain/pom.xml index e7c1509e9440..8578fa5965c0 100644 --- a/services/cloudsearchdomain/pom.xml +++ b/services/cloudsearchdomain/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT cloudsearchdomain AWS Java SDK :: Services :: Amazon CloudSearch Domain diff --git a/services/cloudtrail/pom.xml b/services/cloudtrail/pom.xml index f1e06e57a1e1..a372aede960c 100644 --- a/services/cloudtrail/pom.xml +++ b/services/cloudtrail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT cloudtrail AWS Java SDK :: Services :: AWS CloudTrail diff --git a/services/cloudtraildata/pom.xml b/services/cloudtraildata/pom.xml index 0ae1b4f3e578..05673d720e17 100644 --- a/services/cloudtraildata/pom.xml +++ b/services/cloudtraildata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT cloudtraildata AWS Java SDK :: Services :: Cloud Trail Data diff --git a/services/cloudwatch/pom.xml b/services/cloudwatch/pom.xml index 3640610329d6..5ecefb923b93 100644 --- a/services/cloudwatch/pom.xml +++ b/services/cloudwatch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT cloudwatch AWS Java SDK :: Services :: Amazon CloudWatch diff --git a/services/cloudwatchevents/pom.xml b/services/cloudwatchevents/pom.xml index 7886d063b3af..728b5fb1e4f0 100644 --- a/services/cloudwatchevents/pom.xml +++ b/services/cloudwatchevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT cloudwatchevents AWS Java SDK :: Services :: Amazon CloudWatch Events diff --git a/services/cloudwatchlogs/pom.xml b/services/cloudwatchlogs/pom.xml index 25b6e7d67c80..d29360e2e76f 100644 --- a/services/cloudwatchlogs/pom.xml +++ b/services/cloudwatchlogs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT cloudwatchlogs AWS Java SDK :: Services :: Amazon CloudWatch Logs diff --git a/services/codeartifact/pom.xml b/services/codeartifact/pom.xml index 044e224c3c67..ee91de2f807d 100644 --- a/services/codeartifact/pom.xml +++ b/services/codeartifact/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT codeartifact AWS Java SDK :: Services :: Codeartifact diff --git a/services/codebuild/pom.xml b/services/codebuild/pom.xml index 63524d6dce71..2de7cf2c19b2 100644 --- a/services/codebuild/pom.xml +++ b/services/codebuild/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT codebuild AWS Java SDK :: Services :: AWS Code Build diff --git a/services/codecatalyst/pom.xml b/services/codecatalyst/pom.xml index 8145d3f03153..3fc5a0ae3b7d 100644 --- a/services/codecatalyst/pom.xml +++ b/services/codecatalyst/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT codecatalyst AWS Java SDK :: Services :: Code Catalyst diff --git a/services/codecommit/pom.xml b/services/codecommit/pom.xml index 146bc1f9749c..42c8579d01e1 100644 --- a/services/codecommit/pom.xml +++ b/services/codecommit/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT codecommit AWS Java SDK :: Services :: AWS CodeCommit diff --git a/services/codeconnections/pom.xml b/services/codeconnections/pom.xml index 13efce4b5bca..bf2709463157 100644 --- a/services/codeconnections/pom.xml +++ b/services/codeconnections/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT codeconnections AWS Java SDK :: Services :: Code Connections diff --git a/services/codedeploy/pom.xml b/services/codedeploy/pom.xml index 08719504b301..d78dbfe8cd0a 100644 --- a/services/codedeploy/pom.xml +++ b/services/codedeploy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT codedeploy AWS Java SDK :: Services :: AWS CodeDeploy diff --git a/services/codeguruprofiler/pom.xml b/services/codeguruprofiler/pom.xml index b31ec800c488..7747ed1e7d28 100644 --- a/services/codeguruprofiler/pom.xml +++ b/services/codeguruprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT codeguruprofiler AWS Java SDK :: Services :: CodeGuruProfiler diff --git a/services/codegurureviewer/pom.xml b/services/codegurureviewer/pom.xml index 4c09bd481e71..cf3c88f17996 100644 --- a/services/codegurureviewer/pom.xml +++ b/services/codegurureviewer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT codegurureviewer AWS Java SDK :: Services :: CodeGuru Reviewer diff --git a/services/codegurusecurity/pom.xml b/services/codegurusecurity/pom.xml index 291f5942dd13..6cf11f65c9e2 100644 --- a/services/codegurusecurity/pom.xml +++ b/services/codegurusecurity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT codegurusecurity AWS Java SDK :: Services :: Code Guru Security diff --git a/services/codepipeline/pom.xml b/services/codepipeline/pom.xml index 8423a18dd954..ecf62b0394c4 100644 --- a/services/codepipeline/pom.xml +++ b/services/codepipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT codepipeline AWS Java SDK :: Services :: AWS CodePipeline diff --git a/services/codestarconnections/pom.xml b/services/codestarconnections/pom.xml index c407cdf04550..7e88634d38cc 100644 --- a/services/codestarconnections/pom.xml +++ b/services/codestarconnections/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT codestarconnections AWS Java SDK :: Services :: CodeStar connections diff --git a/services/codestarnotifications/pom.xml b/services/codestarnotifications/pom.xml index 01f798c04be1..b85fff5ef5f4 100644 --- a/services/codestarnotifications/pom.xml +++ b/services/codestarnotifications/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT codestarnotifications AWS Java SDK :: Services :: Codestar Notifications diff --git a/services/cognitoidentity/pom.xml b/services/cognitoidentity/pom.xml index 8f3b59d4db46..aaab7d5e2b11 100644 --- a/services/cognitoidentity/pom.xml +++ b/services/cognitoidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT cognitoidentity AWS Java SDK :: Services :: Amazon Cognito Identity diff --git a/services/cognitoidentityprovider/pom.xml b/services/cognitoidentityprovider/pom.xml index f365aaa4825c..f3c5145723a2 100644 --- a/services/cognitoidentityprovider/pom.xml +++ b/services/cognitoidentityprovider/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT cognitoidentityprovider AWS Java SDK :: Services :: Amazon Cognito Identity Provider Service diff --git a/services/cognitosync/pom.xml b/services/cognitosync/pom.xml index 550ca9ed35fd..e6e5a39208f6 100644 --- a/services/cognitosync/pom.xml +++ b/services/cognitosync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT cognitosync AWS Java SDK :: Services :: Amazon Cognito Sync diff --git a/services/comprehend/pom.xml b/services/comprehend/pom.xml index fd44ebb04435..86be3b606037 100644 --- a/services/comprehend/pom.xml +++ b/services/comprehend/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1 + 2.28.2-SNAPSHOT 4.0.0 comprehend diff --git a/services/comprehendmedical/pom.xml b/services/comprehendmedical/pom.xml index 8891628a30b4..172f83db96ab 100644 --- a/services/comprehendmedical/pom.xml +++ b/services/comprehendmedical/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT comprehendmedical AWS Java SDK :: Services :: ComprehendMedical diff --git a/services/computeoptimizer/pom.xml b/services/computeoptimizer/pom.xml index dc5cfe367dc0..9042c06ee527 100644 --- a/services/computeoptimizer/pom.xml +++ b/services/computeoptimizer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT computeoptimizer AWS Java SDK :: Services :: Compute Optimizer diff --git a/services/config/pom.xml b/services/config/pom.xml index b20a02c7a48b..eb92e5fb9766 100644 --- a/services/config/pom.xml +++ b/services/config/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT config AWS Java SDK :: Services :: AWS Config diff --git a/services/connect/pom.xml b/services/connect/pom.xml index 72dc9f713220..1c9c0ee86104 100644 --- a/services/connect/pom.xml +++ b/services/connect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT connect AWS Java SDK :: Services :: Connect diff --git a/services/connectcampaigns/pom.xml b/services/connectcampaigns/pom.xml index e8a1e1f8f6a6..86a918544c38 100644 --- a/services/connectcampaigns/pom.xml +++ b/services/connectcampaigns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT connectcampaigns AWS Java SDK :: Services :: Connect Campaigns diff --git a/services/connectcases/pom.xml b/services/connectcases/pom.xml index ab720b878b81..c92fa139aec4 100644 --- a/services/connectcases/pom.xml +++ b/services/connectcases/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT connectcases AWS Java SDK :: Services :: Connect Cases diff --git a/services/connectcontactlens/pom.xml b/services/connectcontactlens/pom.xml index 3730a9fbc5c8..c83525264716 100644 --- a/services/connectcontactlens/pom.xml +++ b/services/connectcontactlens/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT connectcontactlens AWS Java SDK :: Services :: Connect Contact Lens diff --git a/services/connectparticipant/pom.xml b/services/connectparticipant/pom.xml index cc2645a30f75..af7fe3270460 100644 --- a/services/connectparticipant/pom.xml +++ b/services/connectparticipant/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT connectparticipant AWS Java SDK :: Services :: ConnectParticipant diff --git a/services/controlcatalog/pom.xml b/services/controlcatalog/pom.xml index b0f42d439e53..c22c64ea4a49 100644 --- a/services/controlcatalog/pom.xml +++ b/services/controlcatalog/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT controlcatalog AWS Java SDK :: Services :: Control Catalog diff --git a/services/controltower/pom.xml b/services/controltower/pom.xml index ff3cc62492e5..5d0a29958aae 100644 --- a/services/controltower/pom.xml +++ b/services/controltower/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT controltower AWS Java SDK :: Services :: Control Tower diff --git a/services/costandusagereport/pom.xml b/services/costandusagereport/pom.xml index c2222681eb3a..5ee3b633fbf3 100644 --- a/services/costandusagereport/pom.xml +++ b/services/costandusagereport/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT costandusagereport AWS Java SDK :: Services :: AWS Cost and Usage Report diff --git a/services/costexplorer/pom.xml b/services/costexplorer/pom.xml index e3ee46c94f92..3349ef24c406 100644 --- a/services/costexplorer/pom.xml +++ b/services/costexplorer/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1 + 2.28.2-SNAPSHOT 4.0.0 costexplorer diff --git a/services/costoptimizationhub/pom.xml b/services/costoptimizationhub/pom.xml index d88b298a0e13..feba29935f26 100644 --- a/services/costoptimizationhub/pom.xml +++ b/services/costoptimizationhub/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT costoptimizationhub AWS Java SDK :: Services :: Cost Optimization Hub diff --git a/services/customerprofiles/pom.xml b/services/customerprofiles/pom.xml index 03c2ca6e5a76..b81726ade8e4 100644 --- a/services/customerprofiles/pom.xml +++ b/services/customerprofiles/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT customerprofiles AWS Java SDK :: Services :: Customer Profiles diff --git a/services/databasemigration/pom.xml b/services/databasemigration/pom.xml index d606d532a652..0c15ae1754d7 100644 --- a/services/databasemigration/pom.xml +++ b/services/databasemigration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT databasemigration AWS Java SDK :: Services :: AWS Database Migration Service diff --git a/services/databrew/pom.xml b/services/databrew/pom.xml index 839cba8bc36f..b56b82306dce 100644 --- a/services/databrew/pom.xml +++ b/services/databrew/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT databrew AWS Java SDK :: Services :: Data Brew diff --git a/services/dataexchange/pom.xml b/services/dataexchange/pom.xml index 42b389584aa2..c1ad93fd53d0 100644 --- a/services/dataexchange/pom.xml +++ b/services/dataexchange/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT dataexchange AWS Java SDK :: Services :: DataExchange diff --git a/services/datapipeline/pom.xml b/services/datapipeline/pom.xml index a4b727d0706b..b351291e2996 100644 --- a/services/datapipeline/pom.xml +++ b/services/datapipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT datapipeline AWS Java SDK :: Services :: AWS Data Pipeline diff --git a/services/datasync/pom.xml b/services/datasync/pom.xml index 3864aa6094ce..bdb5906713c2 100644 --- a/services/datasync/pom.xml +++ b/services/datasync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT datasync AWS Java SDK :: Services :: DataSync diff --git a/services/datazone/pom.xml b/services/datazone/pom.xml index 0c39b7bb1076..1d6bb18c856d 100644 --- a/services/datazone/pom.xml +++ b/services/datazone/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT datazone AWS Java SDK :: Services :: Data Zone diff --git a/services/dax/pom.xml b/services/dax/pom.xml index e9ebe7c7f553..dcda64339799 100644 --- a/services/dax/pom.xml +++ b/services/dax/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT dax AWS Java SDK :: Services :: Amazon DynamoDB Accelerator (DAX) diff --git a/services/deadline/pom.xml b/services/deadline/pom.xml index 553ef9857cec..cb88e3281b52 100644 --- a/services/deadline/pom.xml +++ b/services/deadline/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT deadline AWS Java SDK :: Services :: Deadline diff --git a/services/detective/pom.xml b/services/detective/pom.xml index 6434bf14b4bb..1a093d39e1d4 100644 --- a/services/detective/pom.xml +++ b/services/detective/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT detective AWS Java SDK :: Services :: Detective diff --git a/services/devicefarm/pom.xml b/services/devicefarm/pom.xml index c4be63f91901..1eff6f212528 100644 --- a/services/devicefarm/pom.xml +++ b/services/devicefarm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT devicefarm AWS Java SDK :: Services :: AWS Device Farm diff --git a/services/devopsguru/pom.xml b/services/devopsguru/pom.xml index 1ed6d9ce13b3..fc26b234f570 100644 --- a/services/devopsguru/pom.xml +++ b/services/devopsguru/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT devopsguru AWS Java SDK :: Services :: Dev Ops Guru diff --git a/services/directconnect/pom.xml b/services/directconnect/pom.xml index 0a11de69b9bc..7e382acb7060 100644 --- a/services/directconnect/pom.xml +++ b/services/directconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT directconnect AWS Java SDK :: Services :: AWS Direct Connect diff --git a/services/directory/pom.xml b/services/directory/pom.xml index 0c731bfdfef9..4444d05d4c47 100644 --- a/services/directory/pom.xml +++ b/services/directory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT directory AWS Java SDK :: Services :: AWS Directory Service diff --git a/services/dlm/pom.xml b/services/dlm/pom.xml index 49201a1f4def..ff040824b115 100644 --- a/services/dlm/pom.xml +++ b/services/dlm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT dlm AWS Java SDK :: Services :: DLM diff --git a/services/docdb/pom.xml b/services/docdb/pom.xml index ec69e27272b8..e5887aeace86 100644 --- a/services/docdb/pom.xml +++ b/services/docdb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT docdb AWS Java SDK :: Services :: DocDB diff --git a/services/docdbelastic/pom.xml b/services/docdbelastic/pom.xml index 54d5ce83dd0d..ad8c36b9ebb2 100644 --- a/services/docdbelastic/pom.xml +++ b/services/docdbelastic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT docdbelastic AWS Java SDK :: Services :: Doc DB Elastic diff --git a/services/drs/pom.xml b/services/drs/pom.xml index 07ee92f862d3..88720ea3b2c4 100644 --- a/services/drs/pom.xml +++ b/services/drs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT drs AWS Java SDK :: Services :: Drs diff --git a/services/dynamodb/pom.xml b/services/dynamodb/pom.xml index ddc04b38e915..cd894a11716b 100644 --- a/services/dynamodb/pom.xml +++ b/services/dynamodb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT dynamodb AWS Java SDK :: Services :: Amazon DynamoDB diff --git a/services/ebs/pom.xml b/services/ebs/pom.xml index abef40a3942b..5e527e9af5f0 100644 --- a/services/ebs/pom.xml +++ b/services/ebs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT ebs AWS Java SDK :: Services :: EBS diff --git a/services/ec2/pom.xml b/services/ec2/pom.xml index 484ad4782a0b..5403779ddd41 100644 --- a/services/ec2/pom.xml +++ b/services/ec2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT ec2 AWS Java SDK :: Services :: Amazon EC2 diff --git a/services/ec2instanceconnect/pom.xml b/services/ec2instanceconnect/pom.xml index 5fa6ba2f2826..8a437e96479c 100644 --- a/services/ec2instanceconnect/pom.xml +++ b/services/ec2instanceconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT ec2instanceconnect AWS Java SDK :: Services :: EC2 Instance Connect diff --git a/services/ecr/pom.xml b/services/ecr/pom.xml index d680416e47e1..677b35169816 100644 --- a/services/ecr/pom.xml +++ b/services/ecr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT ecr AWS Java SDK :: Services :: Amazon EC2 Container Registry diff --git a/services/ecrpublic/pom.xml b/services/ecrpublic/pom.xml index 5bbbfd324bcc..054339750345 100644 --- a/services/ecrpublic/pom.xml +++ b/services/ecrpublic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT ecrpublic AWS Java SDK :: Services :: ECR PUBLIC diff --git a/services/ecs/pom.xml b/services/ecs/pom.xml index 51e2881844dc..0d51d3368626 100644 --- a/services/ecs/pom.xml +++ b/services/ecs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT ecs AWS Java SDK :: Services :: Amazon EC2 Container Service diff --git a/services/efs/pom.xml b/services/efs/pom.xml index a710d569e537..84cf0884f569 100644 --- a/services/efs/pom.xml +++ b/services/efs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT efs AWS Java SDK :: Services :: Amazon Elastic File System diff --git a/services/eks/pom.xml b/services/eks/pom.xml index c0d3ce2cc804..b42dfd0d2a12 100644 --- a/services/eks/pom.xml +++ b/services/eks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT eks AWS Java SDK :: Services :: EKS diff --git a/services/eksauth/pom.xml b/services/eksauth/pom.xml index bfd0f1eb0a02..dd639a688659 100644 --- a/services/eksauth/pom.xml +++ b/services/eksauth/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT eksauth AWS Java SDK :: Services :: EKS Auth diff --git a/services/elasticache/pom.xml b/services/elasticache/pom.xml index 014b7e4c6c98..2724bae2310f 100644 --- a/services/elasticache/pom.xml +++ b/services/elasticache/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT elasticache AWS Java SDK :: Services :: Amazon ElastiCache diff --git a/services/elasticbeanstalk/pom.xml b/services/elasticbeanstalk/pom.xml index 7cbc0b1453ff..fb491799888c 100644 --- a/services/elasticbeanstalk/pom.xml +++ b/services/elasticbeanstalk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT elasticbeanstalk AWS Java SDK :: Services :: AWS Elastic Beanstalk diff --git a/services/elasticinference/pom.xml b/services/elasticinference/pom.xml index 8a75959aa6d9..911af14fdf41 100644 --- a/services/elasticinference/pom.xml +++ b/services/elasticinference/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT elasticinference AWS Java SDK :: Services :: Elastic Inference diff --git a/services/elasticloadbalancing/pom.xml b/services/elasticloadbalancing/pom.xml index 6f614d160844..5b9efb43e517 100644 --- a/services/elasticloadbalancing/pom.xml +++ b/services/elasticloadbalancing/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT elasticloadbalancing AWS Java SDK :: Services :: Elastic Load Balancing diff --git a/services/elasticloadbalancingv2/pom.xml b/services/elasticloadbalancingv2/pom.xml index 5dd06dad3ed7..c6214fbe2d31 100644 --- a/services/elasticloadbalancingv2/pom.xml +++ b/services/elasticloadbalancingv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT elasticloadbalancingv2 AWS Java SDK :: Services :: Elastic Load Balancing V2 diff --git a/services/elasticsearch/pom.xml b/services/elasticsearch/pom.xml index e08d328c6721..502bce6329ea 100644 --- a/services/elasticsearch/pom.xml +++ b/services/elasticsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT elasticsearch AWS Java SDK :: Services :: Amazon Elasticsearch Service diff --git a/services/elastictranscoder/pom.xml b/services/elastictranscoder/pom.xml index 4fa1a646d64b..0a19152a0412 100644 --- a/services/elastictranscoder/pom.xml +++ b/services/elastictranscoder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT elastictranscoder AWS Java SDK :: Services :: Amazon Elastic Transcoder diff --git a/services/emr/pom.xml b/services/emr/pom.xml index 2e97582a4067..280135c9ac1c 100644 --- a/services/emr/pom.xml +++ b/services/emr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT emr AWS Java SDK :: Services :: Amazon EMR diff --git a/services/emrcontainers/pom.xml b/services/emrcontainers/pom.xml index bbbbc89cdb39..236ea0e6db10 100644 --- a/services/emrcontainers/pom.xml +++ b/services/emrcontainers/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT emrcontainers AWS Java SDK :: Services :: EMR Containers diff --git a/services/emrserverless/pom.xml b/services/emrserverless/pom.xml index fcdbe9c372dd..ee51be9d06a4 100644 --- a/services/emrserverless/pom.xml +++ b/services/emrserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT emrserverless AWS Java SDK :: Services :: EMR Serverless diff --git a/services/entityresolution/pom.xml b/services/entityresolution/pom.xml index 730e96cc9f3a..ebf3a1885df8 100644 --- a/services/entityresolution/pom.xml +++ b/services/entityresolution/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT entityresolution AWS Java SDK :: Services :: Entity Resolution diff --git a/services/eventbridge/pom.xml b/services/eventbridge/pom.xml index f33b725d7e74..b807be8401b3 100644 --- a/services/eventbridge/pom.xml +++ b/services/eventbridge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT eventbridge AWS Java SDK :: Services :: EventBridge diff --git a/services/evidently/pom.xml b/services/evidently/pom.xml index b8eec50ade00..4d82e19fb47a 100644 --- a/services/evidently/pom.xml +++ b/services/evidently/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT evidently AWS Java SDK :: Services :: Evidently diff --git a/services/finspace/pom.xml b/services/finspace/pom.xml index a2859fa3e477..7b0ef515b2b0 100644 --- a/services/finspace/pom.xml +++ b/services/finspace/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT finspace AWS Java SDK :: Services :: Finspace diff --git a/services/finspacedata/pom.xml b/services/finspacedata/pom.xml index c1773dd8c795..b87db4e9bccc 100644 --- a/services/finspacedata/pom.xml +++ b/services/finspacedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT finspacedata AWS Java SDK :: Services :: Finspace Data diff --git a/services/firehose/pom.xml b/services/firehose/pom.xml index 54daae5af101..e0ef82ff8b98 100644 --- a/services/firehose/pom.xml +++ b/services/firehose/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT firehose AWS Java SDK :: Services :: Amazon Kinesis Firehose diff --git a/services/fis/pom.xml b/services/fis/pom.xml index 20446328e3df..c36f3ef9d068 100644 --- a/services/fis/pom.xml +++ b/services/fis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT fis AWS Java SDK :: Services :: Fis diff --git a/services/fms/pom.xml b/services/fms/pom.xml index f3bb08a29e13..6acf0ebec251 100644 --- a/services/fms/pom.xml +++ b/services/fms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT fms AWS Java SDK :: Services :: FMS diff --git a/services/forecast/pom.xml b/services/forecast/pom.xml index 02e9877627ff..7f3e408c14d0 100644 --- a/services/forecast/pom.xml +++ b/services/forecast/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT forecast AWS Java SDK :: Services :: Forecast diff --git a/services/forecastquery/pom.xml b/services/forecastquery/pom.xml index 09f6a1d43323..cbded6af8f5c 100644 --- a/services/forecastquery/pom.xml +++ b/services/forecastquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT forecastquery AWS Java SDK :: Services :: Forecastquery diff --git a/services/frauddetector/pom.xml b/services/frauddetector/pom.xml index 757067b22f43..abe9bbed0428 100644 --- a/services/frauddetector/pom.xml +++ b/services/frauddetector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT frauddetector AWS Java SDK :: Services :: FraudDetector diff --git a/services/freetier/pom.xml b/services/freetier/pom.xml index e90974981611..cb1594daf1d9 100644 --- a/services/freetier/pom.xml +++ b/services/freetier/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT freetier AWS Java SDK :: Services :: Free Tier diff --git a/services/fsx/pom.xml b/services/fsx/pom.xml index ab31fc0805fa..51a65ead0900 100644 --- a/services/fsx/pom.xml +++ b/services/fsx/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT fsx AWS Java SDK :: Services :: FSx diff --git a/services/gamelift/pom.xml b/services/gamelift/pom.xml index 15f0d33db089..211bbf756809 100644 --- a/services/gamelift/pom.xml +++ b/services/gamelift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT gamelift AWS Java SDK :: Services :: AWS GameLift diff --git a/services/glacier/pom.xml b/services/glacier/pom.xml index de89e2648d0a..c6a71f95df5d 100644 --- a/services/glacier/pom.xml +++ b/services/glacier/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT glacier AWS Java SDK :: Services :: Amazon Glacier diff --git a/services/globalaccelerator/pom.xml b/services/globalaccelerator/pom.xml index f944e41db58b..5c4c7bbb6144 100644 --- a/services/globalaccelerator/pom.xml +++ b/services/globalaccelerator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT globalaccelerator AWS Java SDK :: Services :: Global Accelerator diff --git a/services/glue/pom.xml b/services/glue/pom.xml index 1340186f0dc0..038773faec40 100644 --- a/services/glue/pom.xml +++ b/services/glue/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1 + 2.28.2-SNAPSHOT 4.0.0 glue diff --git a/services/grafana/pom.xml b/services/grafana/pom.xml index bb3f21a66ec8..24e8364a8a8d 100644 --- a/services/grafana/pom.xml +++ b/services/grafana/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT grafana AWS Java SDK :: Services :: Grafana diff --git a/services/greengrass/pom.xml b/services/greengrass/pom.xml index 845ac6dc710c..6ec122e4d73a 100644 --- a/services/greengrass/pom.xml +++ b/services/greengrass/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT greengrass AWS Java SDK :: Services :: AWS Greengrass diff --git a/services/greengrassv2/pom.xml b/services/greengrassv2/pom.xml index bd9d13946ae1..6c84bffa474e 100644 --- a/services/greengrassv2/pom.xml +++ b/services/greengrassv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT greengrassv2 AWS Java SDK :: Services :: Greengrass V2 diff --git a/services/groundstation/pom.xml b/services/groundstation/pom.xml index 534af9aec7d0..8e95752f4efe 100644 --- a/services/groundstation/pom.xml +++ b/services/groundstation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT groundstation AWS Java SDK :: Services :: GroundStation diff --git a/services/guardduty/pom.xml b/services/guardduty/pom.xml index 789f14acc061..be8a8110147f 100644 --- a/services/guardduty/pom.xml +++ b/services/guardduty/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1 + 2.28.2-SNAPSHOT 4.0.0 guardduty diff --git a/services/health/pom.xml b/services/health/pom.xml index 06edf7a92de8..ea531846ecec 100644 --- a/services/health/pom.xml +++ b/services/health/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT health AWS Java SDK :: Services :: AWS Health APIs and Notifications diff --git a/services/healthlake/pom.xml b/services/healthlake/pom.xml index c5317cec9959..11fa28217a08 100644 --- a/services/healthlake/pom.xml +++ b/services/healthlake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT healthlake AWS Java SDK :: Services :: Health Lake diff --git a/services/iam/pom.xml b/services/iam/pom.xml index c942f7d76794..a3edfc9d4e74 100644 --- a/services/iam/pom.xml +++ b/services/iam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT iam AWS Java SDK :: Services :: AWS IAM diff --git a/services/identitystore/pom.xml b/services/identitystore/pom.xml index f270d66264f6..3e258396b28a 100644 --- a/services/identitystore/pom.xml +++ b/services/identitystore/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT identitystore AWS Java SDK :: Services :: Identitystore diff --git a/services/imagebuilder/pom.xml b/services/imagebuilder/pom.xml index 6e751a96169c..2e1e1d96c9df 100644 --- a/services/imagebuilder/pom.xml +++ b/services/imagebuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT imagebuilder AWS Java SDK :: Services :: Imagebuilder diff --git a/services/inspector/pom.xml b/services/inspector/pom.xml index a258555f5b3e..943bee8f6a43 100644 --- a/services/inspector/pom.xml +++ b/services/inspector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT inspector AWS Java SDK :: Services :: Amazon Inspector Service diff --git a/services/inspector2/pom.xml b/services/inspector2/pom.xml index 72e052cea29d..cf5bedbe32cb 100644 --- a/services/inspector2/pom.xml +++ b/services/inspector2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT inspector2 AWS Java SDK :: Services :: Inspector2 diff --git a/services/inspectorscan/pom.xml b/services/inspectorscan/pom.xml index 904bd86da338..1ff89092fbb8 100644 --- a/services/inspectorscan/pom.xml +++ b/services/inspectorscan/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT inspectorscan AWS Java SDK :: Services :: Inspector Scan diff --git a/services/internetmonitor/pom.xml b/services/internetmonitor/pom.xml index f4a633cc0716..12733277b675 100644 --- a/services/internetmonitor/pom.xml +++ b/services/internetmonitor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT internetmonitor AWS Java SDK :: Services :: Internet Monitor diff --git a/services/iot/pom.xml b/services/iot/pom.xml index a1ae463405df..d09d3e6fa003 100644 --- a/services/iot/pom.xml +++ b/services/iot/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT iot AWS Java SDK :: Services :: AWS IoT diff --git a/services/iot1clickdevices/pom.xml b/services/iot1clickdevices/pom.xml index d28e9fa71a1e..1ed340de66ce 100644 --- a/services/iot1clickdevices/pom.xml +++ b/services/iot1clickdevices/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT iot1clickdevices AWS Java SDK :: Services :: IoT 1Click Devices Service diff --git a/services/iot1clickprojects/pom.xml b/services/iot1clickprojects/pom.xml index 28bf34902c29..b240b8a56efb 100644 --- a/services/iot1clickprojects/pom.xml +++ b/services/iot1clickprojects/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT iot1clickprojects AWS Java SDK :: Services :: IoT 1Click Projects diff --git a/services/iotanalytics/pom.xml b/services/iotanalytics/pom.xml index 79d5cc78d815..b426d192b3dd 100644 --- a/services/iotanalytics/pom.xml +++ b/services/iotanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT iotanalytics AWS Java SDK :: Services :: IoTAnalytics diff --git a/services/iotdataplane/pom.xml b/services/iotdataplane/pom.xml index 0c8c4e2936be..8563034e5116 100644 --- a/services/iotdataplane/pom.xml +++ b/services/iotdataplane/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT iotdataplane AWS Java SDK :: Services :: AWS IoT Data Plane diff --git a/services/iotdeviceadvisor/pom.xml b/services/iotdeviceadvisor/pom.xml index 58186d2bf1da..2ec65e5c2114 100644 --- a/services/iotdeviceadvisor/pom.xml +++ b/services/iotdeviceadvisor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT iotdeviceadvisor AWS Java SDK :: Services :: Iot Device Advisor diff --git a/services/iotevents/pom.xml b/services/iotevents/pom.xml index bf29cff63721..ef0290c8c2d1 100644 --- a/services/iotevents/pom.xml +++ b/services/iotevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT iotevents AWS Java SDK :: Services :: IoT Events diff --git a/services/ioteventsdata/pom.xml b/services/ioteventsdata/pom.xml index 253688e487f6..23a9580b6614 100644 --- a/services/ioteventsdata/pom.xml +++ b/services/ioteventsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT ioteventsdata AWS Java SDK :: Services :: IoT Events Data diff --git a/services/iotfleethub/pom.xml b/services/iotfleethub/pom.xml index c129371f135d..22902ad72727 100644 --- a/services/iotfleethub/pom.xml +++ b/services/iotfleethub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT iotfleethub AWS Java SDK :: Services :: Io T Fleet Hub diff --git a/services/iotfleetwise/pom.xml b/services/iotfleetwise/pom.xml index ddeb149399a4..109c8eb1a297 100644 --- a/services/iotfleetwise/pom.xml +++ b/services/iotfleetwise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT iotfleetwise AWS Java SDK :: Services :: Io T Fleet Wise diff --git a/services/iotjobsdataplane/pom.xml b/services/iotjobsdataplane/pom.xml index 7741b5df90f3..0a649590c49c 100644 --- a/services/iotjobsdataplane/pom.xml +++ b/services/iotjobsdataplane/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT iotjobsdataplane AWS Java SDK :: Services :: IoT Jobs Data Plane diff --git a/services/iotsecuretunneling/pom.xml b/services/iotsecuretunneling/pom.xml index 68135142a3c0..d1fa208a81a6 100644 --- a/services/iotsecuretunneling/pom.xml +++ b/services/iotsecuretunneling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT iotsecuretunneling AWS Java SDK :: Services :: IoTSecureTunneling diff --git a/services/iotsitewise/pom.xml b/services/iotsitewise/pom.xml index b2966f4e2840..67ba6e9d3f9f 100644 --- a/services/iotsitewise/pom.xml +++ b/services/iotsitewise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT iotsitewise AWS Java SDK :: Services :: Io T Site Wise diff --git a/services/iotthingsgraph/pom.xml b/services/iotthingsgraph/pom.xml index 18f21719beaa..2622203272dd 100644 --- a/services/iotthingsgraph/pom.xml +++ b/services/iotthingsgraph/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT iotthingsgraph AWS Java SDK :: Services :: IoTThingsGraph diff --git a/services/iottwinmaker/pom.xml b/services/iottwinmaker/pom.xml index 2a1ef19e5882..f147219ff8a4 100644 --- a/services/iottwinmaker/pom.xml +++ b/services/iottwinmaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT iottwinmaker AWS Java SDK :: Services :: Io T Twin Maker diff --git a/services/iotwireless/pom.xml b/services/iotwireless/pom.xml index 20e5c4b230b2..ba9eeeff4887 100644 --- a/services/iotwireless/pom.xml +++ b/services/iotwireless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT iotwireless AWS Java SDK :: Services :: IoT Wireless diff --git a/services/ivs/pom.xml b/services/ivs/pom.xml index 36814565c0d5..9db8385a8a08 100644 --- a/services/ivs/pom.xml +++ b/services/ivs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT ivs AWS Java SDK :: Services :: Ivs diff --git a/services/ivschat/pom.xml b/services/ivschat/pom.xml index 9b627b9be9f2..cb91f116e31a 100644 --- a/services/ivschat/pom.xml +++ b/services/ivschat/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT ivschat AWS Java SDK :: Services :: Ivschat diff --git a/services/ivsrealtime/pom.xml b/services/ivsrealtime/pom.xml index a58501658d8a..9a501db1b4e8 100644 --- a/services/ivsrealtime/pom.xml +++ b/services/ivsrealtime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT ivsrealtime AWS Java SDK :: Services :: IVS Real Time diff --git a/services/kafka/pom.xml b/services/kafka/pom.xml index 356430390b6f..ca2b39b73a25 100644 --- a/services/kafka/pom.xml +++ b/services/kafka/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT kafka AWS Java SDK :: Services :: Kafka diff --git a/services/kafkaconnect/pom.xml b/services/kafkaconnect/pom.xml index 283af5016562..317c6f8ff99d 100644 --- a/services/kafkaconnect/pom.xml +++ b/services/kafkaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT kafkaconnect AWS Java SDK :: Services :: Kafka Connect diff --git a/services/kendra/pom.xml b/services/kendra/pom.xml index de8b3dfb237d..e306956cb2a8 100644 --- a/services/kendra/pom.xml +++ b/services/kendra/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT kendra AWS Java SDK :: Services :: Kendra diff --git a/services/kendraranking/pom.xml b/services/kendraranking/pom.xml index 04d0a866ee45..e1a988236d76 100644 --- a/services/kendraranking/pom.xml +++ b/services/kendraranking/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT kendraranking AWS Java SDK :: Services :: Kendra Ranking diff --git a/services/keyspaces/pom.xml b/services/keyspaces/pom.xml index 164b5ebf0125..a2b548fd8bcb 100644 --- a/services/keyspaces/pom.xml +++ b/services/keyspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT keyspaces AWS Java SDK :: Services :: Keyspaces diff --git a/services/kinesis/pom.xml b/services/kinesis/pom.xml index e508e300cd48..cc8d0f5d5c93 100644 --- a/services/kinesis/pom.xml +++ b/services/kinesis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT kinesis AWS Java SDK :: Services :: Amazon Kinesis diff --git a/services/kinesisanalytics/pom.xml b/services/kinesisanalytics/pom.xml index 19ef386f52d6..3b15886809b6 100644 --- a/services/kinesisanalytics/pom.xml +++ b/services/kinesisanalytics/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT kinesisanalytics AWS Java SDK :: Services :: Amazon Kinesis Analytics diff --git a/services/kinesisanalyticsv2/pom.xml b/services/kinesisanalyticsv2/pom.xml index e021ec63a531..b2e2c1896dff 100644 --- a/services/kinesisanalyticsv2/pom.xml +++ b/services/kinesisanalyticsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT kinesisanalyticsv2 AWS Java SDK :: Services :: Kinesis Analytics V2 diff --git a/services/kinesisvideo/pom.xml b/services/kinesisvideo/pom.xml index 4ec04f727c55..ef1f5444a339 100644 --- a/services/kinesisvideo/pom.xml +++ b/services/kinesisvideo/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1 + 2.28.2-SNAPSHOT 4.0.0 kinesisvideo diff --git a/services/kinesisvideoarchivedmedia/pom.xml b/services/kinesisvideoarchivedmedia/pom.xml index b8efec0a793c..403685479e0d 100644 --- a/services/kinesisvideoarchivedmedia/pom.xml +++ b/services/kinesisvideoarchivedmedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT kinesisvideoarchivedmedia AWS Java SDK :: Services :: Kinesis Video Archived Media diff --git a/services/kinesisvideomedia/pom.xml b/services/kinesisvideomedia/pom.xml index 94fc3bab35a6..841fb9515cce 100644 --- a/services/kinesisvideomedia/pom.xml +++ b/services/kinesisvideomedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT kinesisvideomedia AWS Java SDK :: Services :: Kinesis Video Media diff --git a/services/kinesisvideosignaling/pom.xml b/services/kinesisvideosignaling/pom.xml index 0702f463199f..cf2f549b4d8d 100644 --- a/services/kinesisvideosignaling/pom.xml +++ b/services/kinesisvideosignaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT kinesisvideosignaling AWS Java SDK :: Services :: Kinesis Video Signaling diff --git a/services/kinesisvideowebrtcstorage/pom.xml b/services/kinesisvideowebrtcstorage/pom.xml index cdcb21c2016a..b9619da39271 100644 --- a/services/kinesisvideowebrtcstorage/pom.xml +++ b/services/kinesisvideowebrtcstorage/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT kinesisvideowebrtcstorage AWS Java SDK :: Services :: Kinesis Video Web RTC Storage diff --git a/services/kms/pom.xml b/services/kms/pom.xml index d9c0d114a805..3bb4e5c0e162 100644 --- a/services/kms/pom.xml +++ b/services/kms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT kms AWS Java SDK :: Services :: AWS KMS diff --git a/services/lakeformation/pom.xml b/services/lakeformation/pom.xml index 5a5859dd1cef..8cd4cff03e92 100644 --- a/services/lakeformation/pom.xml +++ b/services/lakeformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT lakeformation AWS Java SDK :: Services :: LakeFormation diff --git a/services/lambda/pom.xml b/services/lambda/pom.xml index 35d1bf9e1713..b6d453a67e41 100644 --- a/services/lambda/pom.xml +++ b/services/lambda/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT lambda AWS Java SDK :: Services :: AWS Lambda diff --git a/services/launchwizard/pom.xml b/services/launchwizard/pom.xml index bf2944e31b06..d69decd282f3 100644 --- a/services/launchwizard/pom.xml +++ b/services/launchwizard/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT launchwizard AWS Java SDK :: Services :: Launch Wizard diff --git a/services/lexmodelbuilding/pom.xml b/services/lexmodelbuilding/pom.xml index 595355167a2c..9e221e19e82b 100644 --- a/services/lexmodelbuilding/pom.xml +++ b/services/lexmodelbuilding/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT lexmodelbuilding AWS Java SDK :: Services :: Amazon Lex Model Building diff --git a/services/lexmodelsv2/pom.xml b/services/lexmodelsv2/pom.xml index 57e48f1ccf85..319f8d99eef6 100644 --- a/services/lexmodelsv2/pom.xml +++ b/services/lexmodelsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT lexmodelsv2 AWS Java SDK :: Services :: Lex Models V2 diff --git a/services/lexruntime/pom.xml b/services/lexruntime/pom.xml index 4590bf5cf7b2..3cb26e7c5650 100644 --- a/services/lexruntime/pom.xml +++ b/services/lexruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT lexruntime AWS Java SDK :: Services :: Amazon Lex Runtime diff --git a/services/lexruntimev2/pom.xml b/services/lexruntimev2/pom.xml index fc43f60eec33..a1d79cea47dd 100644 --- a/services/lexruntimev2/pom.xml +++ b/services/lexruntimev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT lexruntimev2 AWS Java SDK :: Services :: Lex Runtime V2 diff --git a/services/licensemanager/pom.xml b/services/licensemanager/pom.xml index 127361a990f5..e9e9748ff287 100644 --- a/services/licensemanager/pom.xml +++ b/services/licensemanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT licensemanager AWS Java SDK :: Services :: License Manager diff --git a/services/licensemanagerlinuxsubscriptions/pom.xml b/services/licensemanagerlinuxsubscriptions/pom.xml index be4b749a19fb..6593dad548ff 100644 --- a/services/licensemanagerlinuxsubscriptions/pom.xml +++ b/services/licensemanagerlinuxsubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT licensemanagerlinuxsubscriptions AWS Java SDK :: Services :: License Manager Linux Subscriptions diff --git a/services/licensemanagerusersubscriptions/pom.xml b/services/licensemanagerusersubscriptions/pom.xml index 37b368125d4e..40bceb7dad9a 100644 --- a/services/licensemanagerusersubscriptions/pom.xml +++ b/services/licensemanagerusersubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT licensemanagerusersubscriptions AWS Java SDK :: Services :: License Manager User Subscriptions diff --git a/services/lightsail/pom.xml b/services/lightsail/pom.xml index b8bfa7c21654..6194dc7f7a65 100644 --- a/services/lightsail/pom.xml +++ b/services/lightsail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT lightsail AWS Java SDK :: Services :: Amazon Lightsail diff --git a/services/location/pom.xml b/services/location/pom.xml index f8cdc44511ff..d4b63c86c613 100644 --- a/services/location/pom.xml +++ b/services/location/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT location AWS Java SDK :: Services :: Location diff --git a/services/lookoutequipment/pom.xml b/services/lookoutequipment/pom.xml index 085e19f4a8b0..132845057e99 100644 --- a/services/lookoutequipment/pom.xml +++ b/services/lookoutequipment/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT lookoutequipment AWS Java SDK :: Services :: Lookout Equipment diff --git a/services/lookoutmetrics/pom.xml b/services/lookoutmetrics/pom.xml index 9bf049ca6a1f..b3501d3825f1 100644 --- a/services/lookoutmetrics/pom.xml +++ b/services/lookoutmetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT lookoutmetrics AWS Java SDK :: Services :: Lookout Metrics diff --git a/services/lookoutvision/pom.xml b/services/lookoutvision/pom.xml index 8684eb7b913f..6f5bf8515b10 100644 --- a/services/lookoutvision/pom.xml +++ b/services/lookoutvision/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT lookoutvision AWS Java SDK :: Services :: Lookout Vision diff --git a/services/m2/pom.xml b/services/m2/pom.xml index e0c75a6aaefb..dc9c1d4db001 100644 --- a/services/m2/pom.xml +++ b/services/m2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT m2 AWS Java SDK :: Services :: M2 diff --git a/services/machinelearning/pom.xml b/services/machinelearning/pom.xml index 0db55e7590fa..a8473f6fef08 100644 --- a/services/machinelearning/pom.xml +++ b/services/machinelearning/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT machinelearning AWS Java SDK :: Services :: Amazon Machine Learning diff --git a/services/macie2/pom.xml b/services/macie2/pom.xml index f44989464dc2..57f034e8cd9c 100644 --- a/services/macie2/pom.xml +++ b/services/macie2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT macie2 AWS Java SDK :: Services :: Macie2 diff --git a/services/mailmanager/pom.xml b/services/mailmanager/pom.xml index 26c0484fee16..70755eeeea4e 100644 --- a/services/mailmanager/pom.xml +++ b/services/mailmanager/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT mailmanager AWS Java SDK :: Services :: Mail Manager diff --git a/services/managedblockchain/pom.xml b/services/managedblockchain/pom.xml index f7e5d32e4500..33eee61258d6 100644 --- a/services/managedblockchain/pom.xml +++ b/services/managedblockchain/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT managedblockchain AWS Java SDK :: Services :: ManagedBlockchain diff --git a/services/managedblockchainquery/pom.xml b/services/managedblockchainquery/pom.xml index ec00be99f921..4b8506389248 100644 --- a/services/managedblockchainquery/pom.xml +++ b/services/managedblockchainquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT managedblockchainquery AWS Java SDK :: Services :: Managed Blockchain Query diff --git a/services/marketplaceagreement/pom.xml b/services/marketplaceagreement/pom.xml index fade9735d657..b94c95d9f84d 100644 --- a/services/marketplaceagreement/pom.xml +++ b/services/marketplaceagreement/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT marketplaceagreement AWS Java SDK :: Services :: Marketplace Agreement diff --git a/services/marketplacecatalog/pom.xml b/services/marketplacecatalog/pom.xml index c1d1d0c4e949..af507c3dbf3e 100644 --- a/services/marketplacecatalog/pom.xml +++ b/services/marketplacecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT marketplacecatalog AWS Java SDK :: Services :: Marketplace Catalog diff --git a/services/marketplacecommerceanalytics/pom.xml b/services/marketplacecommerceanalytics/pom.xml index ee34e3e06f95..d8cb283f411d 100644 --- a/services/marketplacecommerceanalytics/pom.xml +++ b/services/marketplacecommerceanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT marketplacecommerceanalytics AWS Java SDK :: Services :: AWS Marketplace Commerce Analytics diff --git a/services/marketplacedeployment/pom.xml b/services/marketplacedeployment/pom.xml index 8151b3d6b5f7..98e49e18e791 100644 --- a/services/marketplacedeployment/pom.xml +++ b/services/marketplacedeployment/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT marketplacedeployment AWS Java SDK :: Services :: Marketplace Deployment diff --git a/services/marketplaceentitlement/pom.xml b/services/marketplaceentitlement/pom.xml index 95d381d78daf..ac1bccd65196 100644 --- a/services/marketplaceentitlement/pom.xml +++ b/services/marketplaceentitlement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT marketplaceentitlement AWS Java SDK :: Services :: AWS Marketplace Entitlement diff --git a/services/marketplacemetering/pom.xml b/services/marketplacemetering/pom.xml index d121335d9882..48bc98cf81c0 100644 --- a/services/marketplacemetering/pom.xml +++ b/services/marketplacemetering/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT marketplacemetering AWS Java SDK :: Services :: AWS Marketplace Metering Service diff --git a/services/mediaconnect/pom.xml b/services/mediaconnect/pom.xml index 6b10185e1d03..411fb75d787e 100644 --- a/services/mediaconnect/pom.xml +++ b/services/mediaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT mediaconnect AWS Java SDK :: Services :: MediaConnect diff --git a/services/mediaconvert/pom.xml b/services/mediaconvert/pom.xml index 0cf16d4199ad..8172ef5f15dc 100644 --- a/services/mediaconvert/pom.xml +++ b/services/mediaconvert/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1 + 2.28.2-SNAPSHOT 4.0.0 mediaconvert diff --git a/services/medialive/pom.xml b/services/medialive/pom.xml index 69439ffd3d8c..5693f85cd899 100644 --- a/services/medialive/pom.xml +++ b/services/medialive/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1 + 2.28.2-SNAPSHOT 4.0.0 medialive diff --git a/services/mediapackage/pom.xml b/services/mediapackage/pom.xml index 946002776b30..565072e17de8 100644 --- a/services/mediapackage/pom.xml +++ b/services/mediapackage/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1 + 2.28.2-SNAPSHOT 4.0.0 mediapackage diff --git a/services/mediapackagev2/pom.xml b/services/mediapackagev2/pom.xml index f692752167d3..e7a92fce1750 100644 --- a/services/mediapackagev2/pom.xml +++ b/services/mediapackagev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT mediapackagev2 AWS Java SDK :: Services :: Media Package V2 diff --git a/services/mediapackagevod/pom.xml b/services/mediapackagevod/pom.xml index 5e2cd9befa5f..7e38f96f8df1 100644 --- a/services/mediapackagevod/pom.xml +++ b/services/mediapackagevod/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT mediapackagevod AWS Java SDK :: Services :: MediaPackage Vod diff --git a/services/mediastore/pom.xml b/services/mediastore/pom.xml index 40a5a2da54d3..36f4f15d4daf 100644 --- a/services/mediastore/pom.xml +++ b/services/mediastore/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1 + 2.28.2-SNAPSHOT 4.0.0 mediastore diff --git a/services/mediastoredata/pom.xml b/services/mediastoredata/pom.xml index e4de17967e8f..978a1a1901a0 100644 --- a/services/mediastoredata/pom.xml +++ b/services/mediastoredata/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1 + 2.28.2-SNAPSHOT 4.0.0 mediastoredata diff --git a/services/mediatailor/pom.xml b/services/mediatailor/pom.xml index 5f9dde4abaeb..236a977df378 100644 --- a/services/mediatailor/pom.xml +++ b/services/mediatailor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT mediatailor AWS Java SDK :: Services :: MediaTailor diff --git a/services/medicalimaging/pom.xml b/services/medicalimaging/pom.xml index e25bed525e50..eeae74a987e6 100644 --- a/services/medicalimaging/pom.xml +++ b/services/medicalimaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT medicalimaging AWS Java SDK :: Services :: Medical Imaging diff --git a/services/memorydb/pom.xml b/services/memorydb/pom.xml index 875b1cb9a984..8494d5113048 100644 --- a/services/memorydb/pom.xml +++ b/services/memorydb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT memorydb AWS Java SDK :: Services :: Memory DB diff --git a/services/mgn/pom.xml b/services/mgn/pom.xml index f9851ab9b6da..67b2418f3f99 100644 --- a/services/mgn/pom.xml +++ b/services/mgn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT mgn AWS Java SDK :: Services :: Mgn diff --git a/services/migrationhub/pom.xml b/services/migrationhub/pom.xml index 70eb8ee4058b..7f461000dc7f 100644 --- a/services/migrationhub/pom.xml +++ b/services/migrationhub/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1 + 2.28.2-SNAPSHOT 4.0.0 migrationhub diff --git a/services/migrationhubconfig/pom.xml b/services/migrationhubconfig/pom.xml index 751f9edf1dce..79ad74ccd083 100644 --- a/services/migrationhubconfig/pom.xml +++ b/services/migrationhubconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT migrationhubconfig AWS Java SDK :: Services :: MigrationHub Config diff --git a/services/migrationhuborchestrator/pom.xml b/services/migrationhuborchestrator/pom.xml index d36153a2a1f1..76fc4ac9db5f 100644 --- a/services/migrationhuborchestrator/pom.xml +++ b/services/migrationhuborchestrator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT migrationhuborchestrator AWS Java SDK :: Services :: Migration Hub Orchestrator diff --git a/services/migrationhubrefactorspaces/pom.xml b/services/migrationhubrefactorspaces/pom.xml index 2de07929de32..66880cdfbd93 100644 --- a/services/migrationhubrefactorspaces/pom.xml +++ b/services/migrationhubrefactorspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT migrationhubrefactorspaces AWS Java SDK :: Services :: Migration Hub Refactor Spaces diff --git a/services/migrationhubstrategy/pom.xml b/services/migrationhubstrategy/pom.xml index 4f59c56a9536..32517c2a8c91 100644 --- a/services/migrationhubstrategy/pom.xml +++ b/services/migrationhubstrategy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT migrationhubstrategy AWS Java SDK :: Services :: Migration Hub Strategy diff --git a/services/mq/pom.xml b/services/mq/pom.xml index 827f1897f779..fe048f20ae43 100644 --- a/services/mq/pom.xml +++ b/services/mq/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1 + 2.28.2-SNAPSHOT 4.0.0 mq diff --git a/services/mturk/pom.xml b/services/mturk/pom.xml index 4cc7810c679e..3dc103fa4d37 100644 --- a/services/mturk/pom.xml +++ b/services/mturk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT mturk AWS Java SDK :: Services :: Amazon Mechanical Turk Requester diff --git a/services/mwaa/pom.xml b/services/mwaa/pom.xml index 508d63d276d6..81616e8cc592 100644 --- a/services/mwaa/pom.xml +++ b/services/mwaa/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT mwaa AWS Java SDK :: Services :: MWAA diff --git a/services/neptune/pom.xml b/services/neptune/pom.xml index d8729ad4f589..fc6a40773dce 100644 --- a/services/neptune/pom.xml +++ b/services/neptune/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT neptune AWS Java SDK :: Services :: Neptune diff --git a/services/neptunedata/pom.xml b/services/neptunedata/pom.xml index a59647f656f7..fcc10846baf6 100644 --- a/services/neptunedata/pom.xml +++ b/services/neptunedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT neptunedata AWS Java SDK :: Services :: Neptunedata diff --git a/services/neptunegraph/pom.xml b/services/neptunegraph/pom.xml index 41132c0cbf3b..a0ee39e25a9a 100644 --- a/services/neptunegraph/pom.xml +++ b/services/neptunegraph/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT neptunegraph AWS Java SDK :: Services :: Neptune Graph diff --git a/services/networkfirewall/pom.xml b/services/networkfirewall/pom.xml index a2a4346e0fc8..90f1d862e256 100644 --- a/services/networkfirewall/pom.xml +++ b/services/networkfirewall/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT networkfirewall AWS Java SDK :: Services :: Network Firewall diff --git a/services/networkmanager/pom.xml b/services/networkmanager/pom.xml index 678d8e80e80c..5c918b5dc479 100644 --- a/services/networkmanager/pom.xml +++ b/services/networkmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT networkmanager AWS Java SDK :: Services :: NetworkManager diff --git a/services/networkmonitor/pom.xml b/services/networkmonitor/pom.xml index 135c8deaf18c..16fee04e929d 100644 --- a/services/networkmonitor/pom.xml +++ b/services/networkmonitor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT networkmonitor AWS Java SDK :: Services :: Network Monitor diff --git a/services/nimble/pom.xml b/services/nimble/pom.xml index 00a0dded0ce9..7e463a947179 100644 --- a/services/nimble/pom.xml +++ b/services/nimble/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT nimble AWS Java SDK :: Services :: Nimble diff --git a/services/oam/pom.xml b/services/oam/pom.xml index b708f391e533..c38c5b63bbde 100644 --- a/services/oam/pom.xml +++ b/services/oam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT oam AWS Java SDK :: Services :: OAM diff --git a/services/omics/pom.xml b/services/omics/pom.xml index 1ca1351585be..bda69536f95c 100644 --- a/services/omics/pom.xml +++ b/services/omics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT omics AWS Java SDK :: Services :: Omics diff --git a/services/opensearch/pom.xml b/services/opensearch/pom.xml index f6d47fda3e74..b87d1627db1a 100644 --- a/services/opensearch/pom.xml +++ b/services/opensearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT opensearch AWS Java SDK :: Services :: Open Search diff --git a/services/opensearchserverless/pom.xml b/services/opensearchserverless/pom.xml index 3312c5ed15ee..10f2a9ec6b52 100644 --- a/services/opensearchserverless/pom.xml +++ b/services/opensearchserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT opensearchserverless AWS Java SDK :: Services :: Open Search Serverless diff --git a/services/opsworks/pom.xml b/services/opsworks/pom.xml index 46b1ac72a26b..efd30a57b95e 100644 --- a/services/opsworks/pom.xml +++ b/services/opsworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT opsworks AWS Java SDK :: Services :: AWS OpsWorks diff --git a/services/opsworkscm/pom.xml b/services/opsworkscm/pom.xml index 18d9f448dd39..ab3a6fd4be2e 100644 --- a/services/opsworkscm/pom.xml +++ b/services/opsworkscm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT opsworkscm AWS Java SDK :: Services :: AWS OpsWorks for Chef Automate diff --git a/services/organizations/pom.xml b/services/organizations/pom.xml index db24245fcfbc..2f5c11ce2b4e 100644 --- a/services/organizations/pom.xml +++ b/services/organizations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT organizations AWS Java SDK :: Services :: AWS Organizations diff --git a/services/osis/pom.xml b/services/osis/pom.xml index 541e431b915e..9bc8db33ec59 100644 --- a/services/osis/pom.xml +++ b/services/osis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT osis AWS Java SDK :: Services :: OSIS diff --git a/services/outposts/pom.xml b/services/outposts/pom.xml index 69bbeb9cffbc..e63ac99fc961 100644 --- a/services/outposts/pom.xml +++ b/services/outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT outposts AWS Java SDK :: Services :: Outposts diff --git a/services/panorama/pom.xml b/services/panorama/pom.xml index 1adb6206f4f1..a99a0ead8cbd 100644 --- a/services/panorama/pom.xml +++ b/services/panorama/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT panorama AWS Java SDK :: Services :: Panorama diff --git a/services/paymentcryptography/pom.xml b/services/paymentcryptography/pom.xml index ed00ab14c979..e942e270b3ba 100644 --- a/services/paymentcryptography/pom.xml +++ b/services/paymentcryptography/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT paymentcryptography AWS Java SDK :: Services :: Payment Cryptography diff --git a/services/paymentcryptographydata/pom.xml b/services/paymentcryptographydata/pom.xml index 7205d344ddad..6659d54efda0 100644 --- a/services/paymentcryptographydata/pom.xml +++ b/services/paymentcryptographydata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT paymentcryptographydata AWS Java SDK :: Services :: Payment Cryptography Data diff --git a/services/pcaconnectorad/pom.xml b/services/pcaconnectorad/pom.xml index 4a8506e92200..c1613b60ab1b 100644 --- a/services/pcaconnectorad/pom.xml +++ b/services/pcaconnectorad/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT pcaconnectorad AWS Java SDK :: Services :: Pca Connector Ad diff --git a/services/pcaconnectorscep/pom.xml b/services/pcaconnectorscep/pom.xml index 972407bd8402..4ab4f728f7d2 100644 --- a/services/pcaconnectorscep/pom.xml +++ b/services/pcaconnectorscep/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT pcaconnectorscep AWS Java SDK :: Services :: Pca Connector Scep diff --git a/services/pcs/pom.xml b/services/pcs/pom.xml index 31bc807cc7e1..054e810acc18 100644 --- a/services/pcs/pom.xml +++ b/services/pcs/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT pcs AWS Java SDK :: Services :: PCS diff --git a/services/personalize/pom.xml b/services/personalize/pom.xml index 90e207ec6731..ec6bea0f1a1e 100644 --- a/services/personalize/pom.xml +++ b/services/personalize/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT personalize AWS Java SDK :: Services :: Personalize diff --git a/services/personalizeevents/pom.xml b/services/personalizeevents/pom.xml index 1833f8e86826..372a65323c09 100644 --- a/services/personalizeevents/pom.xml +++ b/services/personalizeevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT personalizeevents AWS Java SDK :: Services :: Personalize Events diff --git a/services/personalizeruntime/pom.xml b/services/personalizeruntime/pom.xml index c10d818e490a..abc0a2322f8b 100644 --- a/services/personalizeruntime/pom.xml +++ b/services/personalizeruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT personalizeruntime AWS Java SDK :: Services :: Personalize Runtime diff --git a/services/pi/pom.xml b/services/pi/pom.xml index 8d66f6ca058e..e5d58d95849e 100644 --- a/services/pi/pom.xml +++ b/services/pi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT pi AWS Java SDK :: Services :: PI diff --git a/services/pinpoint/pom.xml b/services/pinpoint/pom.xml index c012c84a27d2..0504725574b5 100644 --- a/services/pinpoint/pom.xml +++ b/services/pinpoint/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT pinpoint AWS Java SDK :: Services :: Amazon Pinpoint diff --git a/services/pinpointemail/pom.xml b/services/pinpointemail/pom.xml index faee8b34b6cb..c3ad5137eebd 100644 --- a/services/pinpointemail/pom.xml +++ b/services/pinpointemail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT pinpointemail AWS Java SDK :: Services :: Pinpoint Email diff --git a/services/pinpointsmsvoice/pom.xml b/services/pinpointsmsvoice/pom.xml index c118d32dfc9a..56ee4d1f5840 100644 --- a/services/pinpointsmsvoice/pom.xml +++ b/services/pinpointsmsvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT pinpointsmsvoice AWS Java SDK :: Services :: Pinpoint SMS Voice diff --git a/services/pinpointsmsvoicev2/pom.xml b/services/pinpointsmsvoicev2/pom.xml index d6163374c08a..e778f97bf463 100644 --- a/services/pinpointsmsvoicev2/pom.xml +++ b/services/pinpointsmsvoicev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT pinpointsmsvoicev2 AWS Java SDK :: Services :: Pinpoint SMS Voice V2 diff --git a/services/pipes/pom.xml b/services/pipes/pom.xml index 676779da07db..e9432c3abefb 100644 --- a/services/pipes/pom.xml +++ b/services/pipes/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT pipes AWS Java SDK :: Services :: Pipes diff --git a/services/polly/pom.xml b/services/polly/pom.xml index d888b04f4d0e..5c4fdcd19aec 100644 --- a/services/polly/pom.xml +++ b/services/polly/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT polly AWS Java SDK :: Services :: Amazon Polly diff --git a/services/pom.xml b/services/pom.xml index 37080aba550b..c5772096dc1e 100644 --- a/services/pom.xml +++ b/services/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.1 + 2.28.2-SNAPSHOT services AWS Java SDK :: Services diff --git a/services/pricing/pom.xml b/services/pricing/pom.xml index da6af8e727e9..1a4d293e29d8 100644 --- a/services/pricing/pom.xml +++ b/services/pricing/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1 + 2.28.2-SNAPSHOT 4.0.0 pricing diff --git a/services/privatenetworks/pom.xml b/services/privatenetworks/pom.xml index 017d4d8b33e8..61a37defdb77 100644 --- a/services/privatenetworks/pom.xml +++ b/services/privatenetworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT privatenetworks AWS Java SDK :: Services :: Private Networks diff --git a/services/proton/pom.xml b/services/proton/pom.xml index 88fad4faf817..c8c9664a9334 100644 --- a/services/proton/pom.xml +++ b/services/proton/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT proton AWS Java SDK :: Services :: Proton diff --git a/services/qapps/pom.xml b/services/qapps/pom.xml index bfcfc1c0236d..f978996f5c63 100644 --- a/services/qapps/pom.xml +++ b/services/qapps/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT qapps AWS Java SDK :: Services :: Q Apps diff --git a/services/qbusiness/pom.xml b/services/qbusiness/pom.xml index b3f618854ef0..33bb101e91dd 100644 --- a/services/qbusiness/pom.xml +++ b/services/qbusiness/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT qbusiness AWS Java SDK :: Services :: Q Business diff --git a/services/qconnect/pom.xml b/services/qconnect/pom.xml index c6ffc0046f1d..223b5827f25f 100644 --- a/services/qconnect/pom.xml +++ b/services/qconnect/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT qconnect AWS Java SDK :: Services :: Q Connect diff --git a/services/qldb/pom.xml b/services/qldb/pom.xml index 59d9edd4c21a..ffd288e942e0 100644 --- a/services/qldb/pom.xml +++ b/services/qldb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT qldb AWS Java SDK :: Services :: QLDB diff --git a/services/qldbsession/pom.xml b/services/qldbsession/pom.xml index e0cde4ed733a..0a37cd547f5b 100644 --- a/services/qldbsession/pom.xml +++ b/services/qldbsession/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT qldbsession AWS Java SDK :: Services :: QLDB Session diff --git a/services/quicksight/pom.xml b/services/quicksight/pom.xml index 6dd14e31f56b..02dc038ee5f5 100644 --- a/services/quicksight/pom.xml +++ b/services/quicksight/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT quicksight AWS Java SDK :: Services :: QuickSight diff --git a/services/ram/pom.xml b/services/ram/pom.xml index 366ad6e493f3..4f601b47cf6e 100644 --- a/services/ram/pom.xml +++ b/services/ram/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT ram AWS Java SDK :: Services :: RAM diff --git a/services/rbin/pom.xml b/services/rbin/pom.xml index 0c89a0f32238..37c00e07c94a 100644 --- a/services/rbin/pom.xml +++ b/services/rbin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT rbin AWS Java SDK :: Services :: Rbin diff --git a/services/rds/pom.xml b/services/rds/pom.xml index 81a1b8fb15e4..a6fe42001b92 100644 --- a/services/rds/pom.xml +++ b/services/rds/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT rds AWS Java SDK :: Services :: Amazon RDS diff --git a/services/rdsdata/pom.xml b/services/rdsdata/pom.xml index 15fbd1f9d336..962812817fd2 100644 --- a/services/rdsdata/pom.xml +++ b/services/rdsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT rdsdata AWS Java SDK :: Services :: RDS Data diff --git a/services/redshift/pom.xml b/services/redshift/pom.xml index 822cdc3551f9..484203ac469c 100644 --- a/services/redshift/pom.xml +++ b/services/redshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT redshift AWS Java SDK :: Services :: Amazon Redshift diff --git a/services/redshiftdata/pom.xml b/services/redshiftdata/pom.xml index 91a25c54e47d..613c5e81c8fb 100644 --- a/services/redshiftdata/pom.xml +++ b/services/redshiftdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT redshiftdata AWS Java SDK :: Services :: Redshift Data diff --git a/services/redshiftserverless/pom.xml b/services/redshiftserverless/pom.xml index b933ff9b4c66..2c164c35b1fe 100644 --- a/services/redshiftserverless/pom.xml +++ b/services/redshiftserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT redshiftserverless AWS Java SDK :: Services :: Redshift Serverless diff --git a/services/rekognition/pom.xml b/services/rekognition/pom.xml index 77e1634557e6..b08b490ee5a2 100644 --- a/services/rekognition/pom.xml +++ b/services/rekognition/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT rekognition AWS Java SDK :: Services :: Amazon Rekognition diff --git a/services/repostspace/pom.xml b/services/repostspace/pom.xml index 75f9ff67d49b..dafba3cb08c3 100644 --- a/services/repostspace/pom.xml +++ b/services/repostspace/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT repostspace AWS Java SDK :: Services :: Repostspace diff --git a/services/resiliencehub/pom.xml b/services/resiliencehub/pom.xml index bebc58b32332..a2a6098e1fbd 100644 --- a/services/resiliencehub/pom.xml +++ b/services/resiliencehub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT resiliencehub AWS Java SDK :: Services :: Resiliencehub diff --git a/services/resourceexplorer2/pom.xml b/services/resourceexplorer2/pom.xml index 70c22821dabd..1dbb83217a31 100644 --- a/services/resourceexplorer2/pom.xml +++ b/services/resourceexplorer2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT resourceexplorer2 AWS Java SDK :: Services :: Resource Explorer 2 diff --git a/services/resourcegroups/pom.xml b/services/resourcegroups/pom.xml index 914a476a963b..bc2a79668b94 100644 --- a/services/resourcegroups/pom.xml +++ b/services/resourcegroups/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1 + 2.28.2-SNAPSHOT 4.0.0 resourcegroups diff --git a/services/resourcegroupstaggingapi/pom.xml b/services/resourcegroupstaggingapi/pom.xml index a7c0267b0132..cbffb550ae0d 100644 --- a/services/resourcegroupstaggingapi/pom.xml +++ b/services/resourcegroupstaggingapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT resourcegroupstaggingapi AWS Java SDK :: Services :: AWS Resource Groups Tagging API diff --git a/services/robomaker/pom.xml b/services/robomaker/pom.xml index 4567e4d68eb0..817172648b2f 100644 --- a/services/robomaker/pom.xml +++ b/services/robomaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT robomaker AWS Java SDK :: Services :: RoboMaker diff --git a/services/rolesanywhere/pom.xml b/services/rolesanywhere/pom.xml index f24565e9391d..e78a27d6bba3 100644 --- a/services/rolesanywhere/pom.xml +++ b/services/rolesanywhere/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT rolesanywhere AWS Java SDK :: Services :: Roles Anywhere diff --git a/services/route53/pom.xml b/services/route53/pom.xml index 0ba278ecd69e..fba848006c57 100644 --- a/services/route53/pom.xml +++ b/services/route53/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT route53 AWS Java SDK :: Services :: Amazon Route53 diff --git a/services/route53domains/pom.xml b/services/route53domains/pom.xml index c527f7b88c32..02ad8a2f9024 100644 --- a/services/route53domains/pom.xml +++ b/services/route53domains/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT route53domains AWS Java SDK :: Services :: Amazon Route53 Domains diff --git a/services/route53profiles/pom.xml b/services/route53profiles/pom.xml index be4e059fac20..1478ba6ee03c 100644 --- a/services/route53profiles/pom.xml +++ b/services/route53profiles/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT route53profiles AWS Java SDK :: Services :: Route53 Profiles diff --git a/services/route53recoverycluster/pom.xml b/services/route53recoverycluster/pom.xml index a2e722691714..5c87ec18d037 100644 --- a/services/route53recoverycluster/pom.xml +++ b/services/route53recoverycluster/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT route53recoverycluster AWS Java SDK :: Services :: Route53 Recovery Cluster diff --git a/services/route53recoverycontrolconfig/pom.xml b/services/route53recoverycontrolconfig/pom.xml index e8c58eac7264..3cb9a64127d2 100644 --- a/services/route53recoverycontrolconfig/pom.xml +++ b/services/route53recoverycontrolconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT route53recoverycontrolconfig AWS Java SDK :: Services :: Route53 Recovery Control Config diff --git a/services/route53recoveryreadiness/pom.xml b/services/route53recoveryreadiness/pom.xml index b8b101e06ac1..571f0b73a047 100644 --- a/services/route53recoveryreadiness/pom.xml +++ b/services/route53recoveryreadiness/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT route53recoveryreadiness AWS Java SDK :: Services :: Route53 Recovery Readiness diff --git a/services/route53resolver/pom.xml b/services/route53resolver/pom.xml index d3ec2a9e0f12..4cd288a09fc0 100644 --- a/services/route53resolver/pom.xml +++ b/services/route53resolver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT route53resolver AWS Java SDK :: Services :: Route53Resolver diff --git a/services/rum/pom.xml b/services/rum/pom.xml index 6b9d98f11614..1e35fce76b14 100644 --- a/services/rum/pom.xml +++ b/services/rum/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT rum AWS Java SDK :: Services :: RUM diff --git a/services/s3/pom.xml b/services/s3/pom.xml index 25d22500b959..25527304c376 100644 --- a/services/s3/pom.xml +++ b/services/s3/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT s3 AWS Java SDK :: Services :: Amazon S3 diff --git a/services/s3control/pom.xml b/services/s3control/pom.xml index bdedddc24dc6..b16cd0f750c5 100644 --- a/services/s3control/pom.xml +++ b/services/s3control/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT s3control AWS Java SDK :: Services :: Amazon S3 Control diff --git a/services/s3outposts/pom.xml b/services/s3outposts/pom.xml index e23384a4bd22..deb7493b4610 100644 --- a/services/s3outposts/pom.xml +++ b/services/s3outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT s3outposts AWS Java SDK :: Services :: S3 Outposts diff --git a/services/sagemaker/pom.xml b/services/sagemaker/pom.xml index 0e9550f678f1..cd0e51a3d499 100644 --- a/services/sagemaker/pom.xml +++ b/services/sagemaker/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1 + 2.28.2-SNAPSHOT 4.0.0 sagemaker diff --git a/services/sagemakera2iruntime/pom.xml b/services/sagemakera2iruntime/pom.xml index 60e88bec65b5..403ad457c274 100644 --- a/services/sagemakera2iruntime/pom.xml +++ b/services/sagemakera2iruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT sagemakera2iruntime AWS Java SDK :: Services :: SageMaker A2I Runtime diff --git a/services/sagemakeredge/pom.xml b/services/sagemakeredge/pom.xml index 3c08caca47ab..c4bb02686767 100644 --- a/services/sagemakeredge/pom.xml +++ b/services/sagemakeredge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT sagemakeredge AWS Java SDK :: Services :: Sagemaker Edge diff --git a/services/sagemakerfeaturestoreruntime/pom.xml b/services/sagemakerfeaturestoreruntime/pom.xml index 690cfca29c4f..bc83245c19ad 100644 --- a/services/sagemakerfeaturestoreruntime/pom.xml +++ b/services/sagemakerfeaturestoreruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT sagemakerfeaturestoreruntime AWS Java SDK :: Services :: Sage Maker Feature Store Runtime diff --git a/services/sagemakergeospatial/pom.xml b/services/sagemakergeospatial/pom.xml index 1f80269fe7e4..d143ebd392d5 100644 --- a/services/sagemakergeospatial/pom.xml +++ b/services/sagemakergeospatial/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT sagemakergeospatial AWS Java SDK :: Services :: Sage Maker Geospatial diff --git a/services/sagemakermetrics/pom.xml b/services/sagemakermetrics/pom.xml index 66ed6269b2d3..6465b63a5d94 100644 --- a/services/sagemakermetrics/pom.xml +++ b/services/sagemakermetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT sagemakermetrics AWS Java SDK :: Services :: Sage Maker Metrics diff --git a/services/sagemakerruntime/pom.xml b/services/sagemakerruntime/pom.xml index 355f410bc070..75999df886d5 100644 --- a/services/sagemakerruntime/pom.xml +++ b/services/sagemakerruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT sagemakerruntime AWS Java SDK :: Services :: SageMaker Runtime diff --git a/services/savingsplans/pom.xml b/services/savingsplans/pom.xml index a54c55f1b621..c78f31d37e43 100644 --- a/services/savingsplans/pom.xml +++ b/services/savingsplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT savingsplans AWS Java SDK :: Services :: Savingsplans diff --git a/services/scheduler/pom.xml b/services/scheduler/pom.xml index f4d20f6f2ce2..a32a4509edca 100644 --- a/services/scheduler/pom.xml +++ b/services/scheduler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT scheduler AWS Java SDK :: Services :: Scheduler diff --git a/services/schemas/pom.xml b/services/schemas/pom.xml index 5564f8f0ac48..c8a8eed1de2c 100644 --- a/services/schemas/pom.xml +++ b/services/schemas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT schemas AWS Java SDK :: Services :: Schemas diff --git a/services/secretsmanager/pom.xml b/services/secretsmanager/pom.xml index b568a94e7521..27c28b80f535 100644 --- a/services/secretsmanager/pom.xml +++ b/services/secretsmanager/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT secretsmanager AWS Java SDK :: Services :: AWS Secrets Manager diff --git a/services/securityhub/pom.xml b/services/securityhub/pom.xml index 0b90e98b9cfc..420127669712 100644 --- a/services/securityhub/pom.xml +++ b/services/securityhub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT securityhub AWS Java SDK :: Services :: SecurityHub diff --git a/services/securitylake/pom.xml b/services/securitylake/pom.xml index ef2621d64941..9f60cf092c36 100644 --- a/services/securitylake/pom.xml +++ b/services/securitylake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT securitylake AWS Java SDK :: Services :: Security Lake diff --git a/services/serverlessapplicationrepository/pom.xml b/services/serverlessapplicationrepository/pom.xml index 329d4f5ddc83..6c2f86366b48 100644 --- a/services/serverlessapplicationrepository/pom.xml +++ b/services/serverlessapplicationrepository/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1 + 2.28.2-SNAPSHOT 4.0.0 serverlessapplicationrepository diff --git a/services/servicecatalog/pom.xml b/services/servicecatalog/pom.xml index 879565ed788c..13cef8a7fb46 100644 --- a/services/servicecatalog/pom.xml +++ b/services/servicecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT servicecatalog AWS Java SDK :: Services :: AWS Service Catalog diff --git a/services/servicecatalogappregistry/pom.xml b/services/servicecatalogappregistry/pom.xml index 1b4ecb97015c..ce6ad2cd6073 100644 --- a/services/servicecatalogappregistry/pom.xml +++ b/services/servicecatalogappregistry/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT servicecatalogappregistry AWS Java SDK :: Services :: Service Catalog App Registry diff --git a/services/servicediscovery/pom.xml b/services/servicediscovery/pom.xml index 312de97caeb7..da6b2349f338 100644 --- a/services/servicediscovery/pom.xml +++ b/services/servicediscovery/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1 + 2.28.2-SNAPSHOT 4.0.0 servicediscovery diff --git a/services/servicequotas/pom.xml b/services/servicequotas/pom.xml index 6e279698a4d4..ad64f06b0455 100644 --- a/services/servicequotas/pom.xml +++ b/services/servicequotas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT servicequotas AWS Java SDK :: Services :: Service Quotas diff --git a/services/ses/pom.xml b/services/ses/pom.xml index 8ac5fff58b74..0f31a395b6b4 100644 --- a/services/ses/pom.xml +++ b/services/ses/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT ses AWS Java SDK :: Services :: Amazon SES diff --git a/services/sesv2/pom.xml b/services/sesv2/pom.xml index db9d85c9e4ea..0ed04d5ba3fe 100644 --- a/services/sesv2/pom.xml +++ b/services/sesv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT sesv2 AWS Java SDK :: Services :: SESv2 diff --git a/services/sfn/pom.xml b/services/sfn/pom.xml index 52dcc3fa2756..1bd1308da751 100644 --- a/services/sfn/pom.xml +++ b/services/sfn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT sfn AWS Java SDK :: Services :: AWS Step Functions diff --git a/services/shield/pom.xml b/services/shield/pom.xml index 17ef5d997daa..f74d15405911 100644 --- a/services/shield/pom.xml +++ b/services/shield/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT shield AWS Java SDK :: Services :: AWS Shield diff --git a/services/signer/pom.xml b/services/signer/pom.xml index 0147f8f0693e..cc5ea37bf294 100644 --- a/services/signer/pom.xml +++ b/services/signer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT signer AWS Java SDK :: Services :: Signer diff --git a/services/simspaceweaver/pom.xml b/services/simspaceweaver/pom.xml index bc479b68e52f..7f7cafbb1763 100644 --- a/services/simspaceweaver/pom.xml +++ b/services/simspaceweaver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT simspaceweaver AWS Java SDK :: Services :: Sim Space Weaver diff --git a/services/sms/pom.xml b/services/sms/pom.xml index 3d4ada792c76..cc00e90f66f5 100644 --- a/services/sms/pom.xml +++ b/services/sms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT sms AWS Java SDK :: Services :: AWS Server Migration diff --git a/services/snowball/pom.xml b/services/snowball/pom.xml index 4d28d6b7506d..87c7fd5db65c 100644 --- a/services/snowball/pom.xml +++ b/services/snowball/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT snowball AWS Java SDK :: Services :: Amazon Snowball diff --git a/services/snowdevicemanagement/pom.xml b/services/snowdevicemanagement/pom.xml index 690bfade5e6b..f92457f0409f 100644 --- a/services/snowdevicemanagement/pom.xml +++ b/services/snowdevicemanagement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT snowdevicemanagement AWS Java SDK :: Services :: Snow Device Management diff --git a/services/sns/pom.xml b/services/sns/pom.xml index 7bb8a06cb215..3c6bc4c8d1c2 100644 --- a/services/sns/pom.xml +++ b/services/sns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT sns AWS Java SDK :: Services :: Amazon SNS diff --git a/services/sqs/pom.xml b/services/sqs/pom.xml index 8bd66bafcb02..48603554ffed 100644 --- a/services/sqs/pom.xml +++ b/services/sqs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT sqs AWS Java SDK :: Services :: Amazon SQS diff --git a/services/ssm/pom.xml b/services/ssm/pom.xml index 7233be805d25..c6fee8fb2c07 100644 --- a/services/ssm/pom.xml +++ b/services/ssm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT ssm AWS Java SDK :: Services :: AWS Simple Systems Management (SSM) diff --git a/services/ssmcontacts/pom.xml b/services/ssmcontacts/pom.xml index cb019750aa8c..fe9fa59baaa0 100644 --- a/services/ssmcontacts/pom.xml +++ b/services/ssmcontacts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT ssmcontacts AWS Java SDK :: Services :: SSM Contacts diff --git a/services/ssmincidents/pom.xml b/services/ssmincidents/pom.xml index dcf0ded2b1f5..c9b681184e12 100644 --- a/services/ssmincidents/pom.xml +++ b/services/ssmincidents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT ssmincidents AWS Java SDK :: Services :: SSM Incidents diff --git a/services/ssmquicksetup/pom.xml b/services/ssmquicksetup/pom.xml index 5eca5d237882..421a383be117 100644 --- a/services/ssmquicksetup/pom.xml +++ b/services/ssmquicksetup/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT ssmquicksetup AWS Java SDK :: Services :: SSM Quick Setup diff --git a/services/ssmsap/pom.xml b/services/ssmsap/pom.xml index 4944fbd863f0..075aaaa5f477 100644 --- a/services/ssmsap/pom.xml +++ b/services/ssmsap/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT ssmsap AWS Java SDK :: Services :: Ssm Sap diff --git a/services/sso/pom.xml b/services/sso/pom.xml index 2f997f3f9ff5..a36ff9e3653e 100644 --- a/services/sso/pom.xml +++ b/services/sso/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT sso AWS Java SDK :: Services :: SSO diff --git a/services/ssoadmin/pom.xml b/services/ssoadmin/pom.xml index 73684ebd3d7c..2b1f13bc0fe2 100644 --- a/services/ssoadmin/pom.xml +++ b/services/ssoadmin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT ssoadmin AWS Java SDK :: Services :: SSO Admin diff --git a/services/ssooidc/pom.xml b/services/ssooidc/pom.xml index 9895e18edaf6..9d3094af4425 100644 --- a/services/ssooidc/pom.xml +++ b/services/ssooidc/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT ssooidc AWS Java SDK :: Services :: SSO OIDC diff --git a/services/storagegateway/pom.xml b/services/storagegateway/pom.xml index b72ad9fd222c..f9c77786b791 100644 --- a/services/storagegateway/pom.xml +++ b/services/storagegateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT storagegateway AWS Java SDK :: Services :: AWS Storage Gateway diff --git a/services/sts/pom.xml b/services/sts/pom.xml index a7ceab69bc4a..69a6adf008f5 100644 --- a/services/sts/pom.xml +++ b/services/sts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT sts AWS Java SDK :: Services :: AWS STS diff --git a/services/supplychain/pom.xml b/services/supplychain/pom.xml index 506bc3ba4f34..77b168b2c634 100644 --- a/services/supplychain/pom.xml +++ b/services/supplychain/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT supplychain AWS Java SDK :: Services :: Supply Chain diff --git a/services/support/pom.xml b/services/support/pom.xml index d39db832948c..bc1976d790c3 100644 --- a/services/support/pom.xml +++ b/services/support/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT support AWS Java SDK :: Services :: AWS Support diff --git a/services/supportapp/pom.xml b/services/supportapp/pom.xml index 4bdca564797c..6831e4d95227 100644 --- a/services/supportapp/pom.xml +++ b/services/supportapp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT supportapp AWS Java SDK :: Services :: Support App diff --git a/services/swf/pom.xml b/services/swf/pom.xml index 799231a5fcbc..d4ec4873e144 100644 --- a/services/swf/pom.xml +++ b/services/swf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT swf AWS Java SDK :: Services :: Amazon SWF diff --git a/services/synthetics/pom.xml b/services/synthetics/pom.xml index c58464632bf5..5b22d6eb9ad1 100644 --- a/services/synthetics/pom.xml +++ b/services/synthetics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT synthetics AWS Java SDK :: Services :: Synthetics diff --git a/services/taxsettings/pom.xml b/services/taxsettings/pom.xml index 16f3fb7ef8db..213da5c8fe41 100644 --- a/services/taxsettings/pom.xml +++ b/services/taxsettings/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT taxsettings AWS Java SDK :: Services :: Tax Settings diff --git a/services/textract/pom.xml b/services/textract/pom.xml index e5e9348e734c..53eaa36c6db6 100644 --- a/services/textract/pom.xml +++ b/services/textract/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT textract AWS Java SDK :: Services :: Textract diff --git a/services/timestreaminfluxdb/pom.xml b/services/timestreaminfluxdb/pom.xml index b41e131d5586..83f5ee7a01df 100644 --- a/services/timestreaminfluxdb/pom.xml +++ b/services/timestreaminfluxdb/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT timestreaminfluxdb AWS Java SDK :: Services :: Timestream Influx DB diff --git a/services/timestreamquery/pom.xml b/services/timestreamquery/pom.xml index 5ad60c5825c7..90be3a591369 100644 --- a/services/timestreamquery/pom.xml +++ b/services/timestreamquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT timestreamquery AWS Java SDK :: Services :: Timestream Query diff --git a/services/timestreamwrite/pom.xml b/services/timestreamwrite/pom.xml index 15fe4c84dc69..ef2416b457ee 100644 --- a/services/timestreamwrite/pom.xml +++ b/services/timestreamwrite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT timestreamwrite AWS Java SDK :: Services :: Timestream Write diff --git a/services/tnb/pom.xml b/services/tnb/pom.xml index b6e7502dcc98..e3f58d9b7cd8 100644 --- a/services/tnb/pom.xml +++ b/services/tnb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT tnb AWS Java SDK :: Services :: Tnb diff --git a/services/transcribe/pom.xml b/services/transcribe/pom.xml index 708369b2855d..438426a9db83 100644 --- a/services/transcribe/pom.xml +++ b/services/transcribe/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT transcribe AWS Java SDK :: Services :: Transcribe diff --git a/services/transcribestreaming/pom.xml b/services/transcribestreaming/pom.xml index 43420882fec9..75b55787ef80 100644 --- a/services/transcribestreaming/pom.xml +++ b/services/transcribestreaming/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT transcribestreaming AWS Java SDK :: Services :: AWS Transcribe Streaming diff --git a/services/transfer/pom.xml b/services/transfer/pom.xml index 6866ba378ffd..2be4baefd51e 100644 --- a/services/transfer/pom.xml +++ b/services/transfer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT transfer AWS Java SDK :: Services :: Transfer diff --git a/services/translate/pom.xml b/services/translate/pom.xml index 0d02c5f9e6e7..df40db803433 100644 --- a/services/translate/pom.xml +++ b/services/translate/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1 + 2.28.2-SNAPSHOT 4.0.0 translate diff --git a/services/trustedadvisor/pom.xml b/services/trustedadvisor/pom.xml index 0ae705e45d2e..cbe51b270c7f 100644 --- a/services/trustedadvisor/pom.xml +++ b/services/trustedadvisor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT trustedadvisor AWS Java SDK :: Services :: Trusted Advisor diff --git a/services/verifiedpermissions/pom.xml b/services/verifiedpermissions/pom.xml index e358f5206f1d..962a8b84b5d0 100644 --- a/services/verifiedpermissions/pom.xml +++ b/services/verifiedpermissions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT verifiedpermissions AWS Java SDK :: Services :: Verified Permissions diff --git a/services/voiceid/pom.xml b/services/voiceid/pom.xml index 1905ffbaf20b..462811a0e19b 100644 --- a/services/voiceid/pom.xml +++ b/services/voiceid/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT voiceid AWS Java SDK :: Services :: Voice ID diff --git a/services/vpclattice/pom.xml b/services/vpclattice/pom.xml index fae4f5c590fb..ea29ff18589f 100644 --- a/services/vpclattice/pom.xml +++ b/services/vpclattice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT vpclattice AWS Java SDK :: Services :: VPC Lattice diff --git a/services/waf/pom.xml b/services/waf/pom.xml index dc5c7addd2bf..e9d1491ca4b8 100644 --- a/services/waf/pom.xml +++ b/services/waf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT waf AWS Java SDK :: Services :: AWS WAF diff --git a/services/wafv2/pom.xml b/services/wafv2/pom.xml index 63977271aef1..f2b9aded271a 100644 --- a/services/wafv2/pom.xml +++ b/services/wafv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT wafv2 AWS Java SDK :: Services :: WAFV2 diff --git a/services/wellarchitected/pom.xml b/services/wellarchitected/pom.xml index 1f0e13945a1c..51a7fc1722b8 100644 --- a/services/wellarchitected/pom.xml +++ b/services/wellarchitected/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT wellarchitected AWS Java SDK :: Services :: Well Architected diff --git a/services/wisdom/pom.xml b/services/wisdom/pom.xml index 4d5dea8b6e7e..29ce118822f3 100644 --- a/services/wisdom/pom.xml +++ b/services/wisdom/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT wisdom AWS Java SDK :: Services :: Wisdom diff --git a/services/workdocs/pom.xml b/services/workdocs/pom.xml index 4627a43507d6..c18ba98968fb 100644 --- a/services/workdocs/pom.xml +++ b/services/workdocs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT workdocs AWS Java SDK :: Services :: Amazon WorkDocs diff --git a/services/worklink/pom.xml b/services/worklink/pom.xml index 22098085c789..1568012743c7 100644 --- a/services/worklink/pom.xml +++ b/services/worklink/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT worklink AWS Java SDK :: Services :: WorkLink diff --git a/services/workmail/pom.xml b/services/workmail/pom.xml index 64de2370f4dc..be655ccbd093 100644 --- a/services/workmail/pom.xml +++ b/services/workmail/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.1 + 2.28.2-SNAPSHOT 4.0.0 workmail diff --git a/services/workmailmessageflow/pom.xml b/services/workmailmessageflow/pom.xml index 6468d7426e1b..b99a0f119086 100644 --- a/services/workmailmessageflow/pom.xml +++ b/services/workmailmessageflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT workmailmessageflow AWS Java SDK :: Services :: WorkMailMessageFlow diff --git a/services/workspaces/pom.xml b/services/workspaces/pom.xml index b69fe84e1c0f..7f9219f8a13c 100644 --- a/services/workspaces/pom.xml +++ b/services/workspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT workspaces AWS Java SDK :: Services :: Amazon WorkSpaces diff --git a/services/workspacesthinclient/pom.xml b/services/workspacesthinclient/pom.xml index 84b08a816717..58b1a9898758 100644 --- a/services/workspacesthinclient/pom.xml +++ b/services/workspacesthinclient/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT workspacesthinclient AWS Java SDK :: Services :: Work Spaces Thin Client diff --git a/services/workspacesweb/pom.xml b/services/workspacesweb/pom.xml index 5f22c1e7c667..e5da0d4dc66d 100644 --- a/services/workspacesweb/pom.xml +++ b/services/workspacesweb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT workspacesweb AWS Java SDK :: Services :: Work Spaces Web diff --git a/services/xray/pom.xml b/services/xray/pom.xml index aac94306d47f..b6e0d3ca07e8 100644 --- a/services/xray/pom.xml +++ b/services/xray/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.1 + 2.28.2-SNAPSHOT xray AWS Java SDK :: Services :: AWS X-Ray diff --git a/test/auth-tests/pom.xml b/test/auth-tests/pom.xml index 1788aab85b6e..07d5c8a5b50e 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.1 + 2.28.2-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/bundle-logging-bridge-binding-test/pom.xml b/test/bundle-logging-bridge-binding-test/pom.xml index 27b180ec9833..dd7ed423b3d4 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.1 + 2.28.2-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/bundle-shading-tests/pom.xml b/test/bundle-shading-tests/pom.xml index 5231c36f3ec2..398f8b88caec 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.1 + 2.28.2-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/codegen-generated-classes-test/pom.xml b/test/codegen-generated-classes-test/pom.xml index 180f3d5b194a..b05b4892a988 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.1 + 2.28.2-SNAPSHOT ../../pom.xml diff --git a/test/crt-unavailable-tests/pom.xml b/test/crt-unavailable-tests/pom.xml index 334534f34cfa..2741da116778 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.1 + 2.28.2-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/http-client-tests/pom.xml b/test/http-client-tests/pom.xml index da8cd5d31f77..8191a238e3d4 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.1 + 2.28.2-SNAPSHOT ../../pom.xml http-client-tests diff --git a/test/module-path-tests/pom.xml b/test/module-path-tests/pom.xml index fa774490d2ee..ebf661aecd00 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.1 + 2.28.2-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/old-client-version-compatibility-test/pom.xml b/test/old-client-version-compatibility-test/pom.xml index ffaf6bf34e13..e262c046ea6d 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.1 + 2.28.2-SNAPSHOT ../../pom.xml diff --git a/test/protocol-tests-core/pom.xml b/test/protocol-tests-core/pom.xml index 898f91b3988a..20ab18071af3 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.1 + 2.28.2-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/protocol-tests/pom.xml b/test/protocol-tests/pom.xml index a18f3dc15405..8b1c60e5bb9c 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.1 + 2.28.2-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/region-testing/pom.xml b/test/region-testing/pom.xml index 7adbbd417678..12f671b345c4 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.1 + 2.28.2-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/ruleset-testing-core/pom.xml b/test/ruleset-testing-core/pom.xml index c9ec089ef674..9b402133b626 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.1 + 2.28.2-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/s3-benchmarks/pom.xml b/test/s3-benchmarks/pom.xml index 992eeda0a924..1e0596a7e08b 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.1 + 2.28.2-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/sdk-benchmarks/pom.xml b/test/sdk-benchmarks/pom.xml index f4f651b5b500..5d736a9807d8 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.1 + 2.28.2-SNAPSHOT ../../pom.xml diff --git a/test/sdk-native-image-test/pom.xml b/test/sdk-native-image-test/pom.xml index 0051e9d5a8ab..4249cf9148b4 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.1 + 2.28.2-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/service-test-utils/pom.xml b/test/service-test-utils/pom.xml index f509835501ff..0c3165761605 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.1 + 2.28.2-SNAPSHOT ../../pom.xml service-test-utils diff --git a/test/stability-tests/pom.xml b/test/stability-tests/pom.xml index 342c8e769e9a..da624f639c36 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.1 + 2.28.2-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/test-utils/pom.xml b/test/test-utils/pom.xml index f42813ac9ab7..e9a15dce9327 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.1 + 2.28.2-SNAPSHOT ../../pom.xml test-utils diff --git a/test/tests-coverage-reporting/pom.xml b/test/tests-coverage-reporting/pom.xml index 5043a2ed07fd..bd3643557e06 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.1 + 2.28.2-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/v2-migration-tests/pom.xml b/test/v2-migration-tests/pom.xml index 63df4904d8ea..f2910acbfa44 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.1 + 2.28.2-SNAPSHOT ../.. diff --git a/third-party/pom.xml b/third-party/pom.xml index 88bf46362750..6045975ed7e3 100644 --- a/third-party/pom.xml +++ b/third-party/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.1 + 2.28.2-SNAPSHOT third-party diff --git a/third-party/third-party-jackson-core/pom.xml b/third-party/third-party-jackson-core/pom.xml index 0d564a0201cc..dc6de53d3764 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.1 + 2.28.2-SNAPSHOT 4.0.0 diff --git a/third-party/third-party-jackson-dataformat-cbor/pom.xml b/third-party/third-party-jackson-dataformat-cbor/pom.xml index f1c250111e1d..79c9b384fc41 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.1 + 2.28.2-SNAPSHOT 4.0.0 diff --git a/third-party/third-party-slf4j-api/pom.xml b/third-party/third-party-slf4j-api/pom.xml index a947d93cae96..847833de7efb 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.1 + 2.28.2-SNAPSHOT 4.0.0 diff --git a/utils/pom.xml b/utils/pom.xml index 069b91f7baf0..02c10d7aabe8 100644 --- a/utils/pom.xml +++ b/utils/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.1 + 2.28.2-SNAPSHOT 4.0.0 diff --git a/v2-migration/pom.xml b/v2-migration/pom.xml index c14fa9201fba..556ec9a6e862 100644 --- a/v2-migration/pom.xml +++ b/v2-migration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.1 + 2.28.2-SNAPSHOT ../pom.xml From 5546860d1b861f8caa8d20739ad95066d3756c7f Mon Sep 17 00:00:00 2001 From: John Viegas <70235430+joviegas@users.noreply.github.com> Date: Fri, 13 Sep 2024 12:21:08 -0700 Subject: [PATCH 088/108] Update ReceiveBatchesMockTest to remove delayed response parameter when mock SQS responses are expected ASAP (#5594) --- .../batchmanager/ReceiveBatchesMockTest.java | 26 ++++++++++++++----- 1 file changed, 19 insertions(+), 7 deletions(-) diff --git a/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/ReceiveBatchesMockTest.java b/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/ReceiveBatchesMockTest.java index 55904a777d6d..7320eb2dca46 100644 --- a/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/ReceiveBatchesMockTest.java +++ b/services/sqs/src/test/java/software/amazon/awssdk/services/sqs/batchmanager/ReceiveBatchesMockTest.java @@ -87,13 +87,9 @@ void testTimeoutOccursBeforeSqsResponds() throws Exception { void testResponseReceivedBeforeTimeout() throws Exception { setupBatchManager(); - // Delays for testing - int queueAttributesApiDelay = 5; - int receiveMessagesDelay = 5; - - // Set short delays to ensure response before timeout - mockQueueAttributes(queueAttributesApiDelay); - mockReceiveMessages(receiveMessagesDelay, 2); + // No delays set since we mock quick response from SQS. + mockQueueAttributes(); + mockReceiveMessages(2); CompletableFuture future = batchManagerReceiveMessage(); assertThat(future.get(5, TimeUnit.SECONDS).messages()).hasSize(2); @@ -179,6 +175,22 @@ private void mockReceiveMessages(int delay, int numMessages) { .withFixedDelay(delay))); } + private void mockReceiveMessages(int numMessages) { + stubFor(post(urlEqualTo("/")) + .withHeader("x-amz-target", equalTo("AmazonSQS.ReceiveMessage")) + .willReturn(aResponse() + .withStatus(200) + .withBody(generateMessagesJson(numMessages)))); + } + + private void mockQueueAttributes( ) { + stubFor(post(urlEqualTo("/")) + .withHeader("x-amz-target", equalTo("AmazonSQS.GetQueueAttributes")) + .willReturn(aResponse() + .withStatus(200) + .withBody(String.format(QUEUE_ATTRIBUTE_RESPONSE, "0", "30")))); + } + private CompletableFuture batchManagerReceiveMessage() { return receiveMessageBatchManager.receiveMessage(r -> r.queueUrl("test")); } From d72c3d5acd203c0c7128dd0b0ecc35ac7deba413 Mon Sep 17 00:00:00 2001 From: Ashish Dhingra <67916761+ashishdhingra@users.noreply.github.com> Date: Fri, 13 Sep 2024 12:34:11 -0700 Subject: [PATCH 089/108] chore: Modified bug issue template to add checkbox to report potential regression. (#5572) --- .github/ISSUE_TEMPLATE/bug-report.yml | 8 +++++ .../workflows/issue-regression-labeler.yml | 33 +++++++++++++++++++ 2 files changed, 41 insertions(+) create mode 100644 .github/workflows/issue-regression-labeler.yml diff --git a/.github/ISSUE_TEMPLATE/bug-report.yml b/.github/ISSUE_TEMPLATE/bug-report.yml index 84bbdd220821..5201cd9145bf 100644 --- a/.github/ISSUE_TEMPLATE/bug-report.yml +++ b/.github/ISSUE_TEMPLATE/bug-report.yml @@ -12,6 +12,14 @@ body: description: What is the problem? A clear and concise description of the bug. validations: required: true + - type: checkboxes + id: regression + attributes: + label: Regression Issue + description: What is a regression? If it worked in a previous version but doesn't in the latest version, it's considered a regression. In this case, please provide specific version number in the report. + options: + - label: Select this option if this issue appears to be a regression. + required: false - type: textarea id: expected attributes: diff --git a/.github/workflows/issue-regression-labeler.yml b/.github/workflows/issue-regression-labeler.yml new file mode 100644 index 000000000000..9ba107d3b0ce --- /dev/null +++ b/.github/workflows/issue-regression-labeler.yml @@ -0,0 +1,33 @@ +# Apply potential regression label on issues +name: issue-regression-label +on: + issues: + types: [opened, edited] +jobs: + add-regression-label: + if: github.repository == 'aws/aws-sdk-java-v2' + runs-on: ubuntu-latest + permissions: + issues: write + steps: + - name: Fetch template body + id: check_regression + uses: actions/github-script@v7 + env: + GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }} + TEMPLATE_BODY: ${{ github.event.issue.body }} + with: + script: | + const regressionPattern = /\[x\] Select this option if this issue appears to be a regression\./i; + const template = `${process.env.TEMPLATE_BODY}` + const match = regressionPattern.test(template); + core.setOutput('is_regression', match); + - name: Manage regression label + env: + GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }} + run: | + if [ "${{ steps.check_regression.outputs.is_regression }}" == "true" ]; then + gh issue edit ${{ github.event.issue.number }} --add-label "potential-regression" -R ${{ github.repository }} + else + gh issue edit ${{ github.event.issue.number }} --remove-label "potential-regression" -R ${{ github.repository }} + fi From 8a44e1fe153f6909e831f5729173c2b2b29f569e Mon Sep 17 00:00:00 2001 From: AWS <> Date: Mon, 16 Sep 2024 18:15:23 +0000 Subject: [PATCH 090/108] Amazon Relational Database Service Update: Launching Global Cluster tagging. --- ...e-AmazonRelationalDatabaseService-cec07e3.json | 6 ++++++ .../resources/codegen-resources/service-2.json | 15 ++++++++++----- 2 files changed, 16 insertions(+), 5 deletions(-) create mode 100644 .changes/next-release/feature-AmazonRelationalDatabaseService-cec07e3.json diff --git a/.changes/next-release/feature-AmazonRelationalDatabaseService-cec07e3.json b/.changes/next-release/feature-AmazonRelationalDatabaseService-cec07e3.json new file mode 100644 index 000000000000..ca742d806f4f --- /dev/null +++ b/.changes/next-release/feature-AmazonRelationalDatabaseService-cec07e3.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Amazon Relational Database Service", + "contributor": "", + "description": "Launching Global Cluster tagging." +} diff --git a/services/rds/src/main/resources/codegen-resources/service-2.json b/services/rds/src/main/resources/codegen-resources/service-2.json index e21f1c0a861f..a3ae53f17624 100644 --- a/services/rds/src/main/resources/codegen-resources/service-2.json +++ b/services/rds/src/main/resources/codegen-resources/service-2.json @@ -1874,7 +1874,7 @@ {"shape":"TenantDatabaseNotFoundFault"}, {"shape":"DBSnapshotTenantDatabaseNotFoundFault"} ], - "documentation":"

    Lists all tags on an Amazon RDS resource.

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

    " + "documentation":"

    Lists all tags on an Amazon RDS resource.

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

    " }, "ModifyActivityStream":{ "name":"ModifyActivityStream", @@ -2528,7 +2528,7 @@ {"shape":"TenantDatabaseNotFoundFault"}, {"shape":"DBSnapshotTenantDatabaseNotFoundFault"} ], - "documentation":"

    Removes metadata tags from an Amazon RDS resource.

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

    " + "documentation":"

    Removes metadata tags from an Amazon RDS resource.

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

    " }, "ResetDBClusterParameterGroup":{ "name":"ResetDBClusterParameterGroup", @@ -3208,7 +3208,7 @@ }, "ApplyAction":{ "shape":"String", - "documentation":"

    The pending maintenance action to apply to this resource.

    Valid Values:

    • ca-certificate-rotation

    • db-upgrade

    • hardware-maintenance

    • os-upgrade

    • system-update

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

    " + "documentation":"

    The pending maintenance action to apply to this resource.

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

    " }, "OptInType":{ "shape":"String", @@ -5184,6 +5184,10 @@ "StorageEncrypted":{ "shape":"BooleanOptional", "documentation":"

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

    Constraints:

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

    " + }, + "Tags":{ + "shape":"TagList", + "documentation":"

    Tags to assign to the global cluster.

    " } } }, @@ -11103,7 +11107,8 @@ "FailoverState":{ "shape":"FailoverState", "documentation":"

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

    " - } + }, + "TagList":{"shape":"TagList"} }, "documentation":"

    A data type representing an Aurora global database.

    ", "wrapper":true @@ -13805,7 +13810,7 @@ "members":{ "Action":{ "shape":"String", - "documentation":"

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

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

    Valid Values:

    • ca-certificate-rotation

    • db-upgrade

    • hardware-maintenance

    • os-upgrade

    • system-update

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

    " + "documentation":"

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

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

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

    " }, "AutoAppliedAfterDate":{ "shape":"TStamp", From 60d3b5be6469724fe4d1bebbe9f70eed243a5df9 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Mon, 16 Sep 2024 18:15:26 +0000 Subject: [PATCH 091/108] AWS Elemental MediaLive Update: Removing the ON_PREMISE enum from the input settings field. --- .../next-release/feature-AWSElementalMediaLive-a10d1c5.json | 6 ++++++ .../src/main/resources/codegen-resources/service-2.json | 1 - 2 files changed, 6 insertions(+), 1 deletion(-) create mode 100644 .changes/next-release/feature-AWSElementalMediaLive-a10d1c5.json diff --git a/.changes/next-release/feature-AWSElementalMediaLive-a10d1c5.json b/.changes/next-release/feature-AWSElementalMediaLive-a10d1c5.json new file mode 100644 index 000000000000..c1f334762fc8 --- /dev/null +++ b/.changes/next-release/feature-AWSElementalMediaLive-a10d1c5.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "AWS Elemental MediaLive", + "contributor": "", + "description": "Removing the ON_PREMISE enum from the input settings field." +} diff --git a/services/medialive/src/main/resources/codegen-resources/service-2.json b/services/medialive/src/main/resources/codegen-resources/service-2.json index 34f865e256ef..d95f989ded5b 100644 --- a/services/medialive/src/main/resources/codegen-resources/service-2.json +++ b/services/medialive/src/main/resources/codegen-resources/service-2.json @@ -26658,7 +26658,6 @@ "documentation": "With the introduction of MediaLive OnPrem, a MediaLive input can now exist in two different places: AWS or\ninside an on-premise datacenter. By default all inputs will continue to be AWS inputs.", "enum": [ "AWS", - "ON_PREMISE", "ON_PREMISES" ] }, From 7e5d44e028442b3044f25d0984f8067e7b43fe22 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Mon, 16 Sep 2024 18:15:33 +0000 Subject: [PATCH 092/108] Private CA Connector for SCEP Update: This is a general availability (GA) release of Connector for SCEP, a feature of AWS Private CA. Connector for SCEP links your SCEP-enabled and mobile device management systems to AWS Private CA for digital signature installation and certificate management. --- .../feature-PrivateCAConnectorforSCEP-583e907.json | 6 ++++++ .../src/main/resources/codegen-resources/service-2.json | 3 ++- 2 files changed, 8 insertions(+), 1 deletion(-) create mode 100644 .changes/next-release/feature-PrivateCAConnectorforSCEP-583e907.json diff --git a/.changes/next-release/feature-PrivateCAConnectorforSCEP-583e907.json b/.changes/next-release/feature-PrivateCAConnectorforSCEP-583e907.json new file mode 100644 index 000000000000..be5283df58b3 --- /dev/null +++ b/.changes/next-release/feature-PrivateCAConnectorforSCEP-583e907.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Private CA Connector for SCEP", + "contributor": "", + "description": "This is a general availability (GA) release of Connector for SCEP, a feature of AWS Private CA. Connector for SCEP links your SCEP-enabled and mobile device management systems to AWS Private CA for digital signature installation and certificate management." +} diff --git a/services/pcaconnectorscep/src/main/resources/codegen-resources/service-2.json b/services/pcaconnectorscep/src/main/resources/codegen-resources/service-2.json index 5939610584cd..7771c1133be8 100644 --- a/services/pcaconnectorscep/src/main/resources/codegen-resources/service-2.json +++ b/services/pcaconnectorscep/src/main/resources/codegen-resources/service-2.json @@ -2,6 +2,7 @@ "version":"2.0", "metadata":{ "apiVersion":"2018-05-10", + "auth":["aws.auth#sigv4"], "endpointPrefix":"pca-connector-scep", "protocol":"rest-json", "protocols":["rest-json"], @@ -977,5 +978,5 @@ ] } }, - "documentation":"

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

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

    " + "documentation":"

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

    " } From ea096b3ded1d3ef730993a717e9b92aa639e4ef2 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Mon, 16 Sep 2024 18:15:37 +0000 Subject: [PATCH 093/108] Amazon Bedrock Update: This feature adds cross account s3 bucket and VPC support to ModelInvocation jobs. To use a cross account bucket, pass in the accountId of the bucket to s3BucketOwner in the ModelInvocationJobInputDataConfig or ModelInvocationJobOutputDataConfig. --- .../feature-AmazonBedrock-ec34f62.json | 6 ++++ .../codegen-resources/service-2.json | 30 +++++++++++++++---- 2 files changed, 31 insertions(+), 5 deletions(-) create mode 100644 .changes/next-release/feature-AmazonBedrock-ec34f62.json diff --git a/.changes/next-release/feature-AmazonBedrock-ec34f62.json b/.changes/next-release/feature-AmazonBedrock-ec34f62.json new file mode 100644 index 000000000000..233cb253a2e4 --- /dev/null +++ b/.changes/next-release/feature-AmazonBedrock-ec34f62.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Amazon Bedrock", + "contributor": "", + "description": "This feature adds cross account s3 bucket and VPC support to ModelInvocation jobs. To use a cross account bucket, pass in the accountId of the bucket to s3BucketOwner in the ModelInvocationJobInputDataConfig or ModelInvocationJobOutputDataConfig." +} diff --git a/services/bedrock/src/main/resources/codegen-resources/service-2.json b/services/bedrock/src/main/resources/codegen-resources/service-2.json index a12b0e0fcb98..2065ed74c576 100644 --- a/services/bedrock/src/main/resources/codegen-resources/service-2.json +++ b/services/bedrock/src/main/resources/codegen-resources/service-2.json @@ -1333,7 +1333,7 @@ }, "vpcConfig":{ "shape":"VpcConfig", - "documentation":"

    VPC configuration (optional). Configuration parameters for the private Virtual Private Cloud (VPC) that contains the resources you are using for this job.

    " + "documentation":"

    The configuration of the Virtual Private Cloud (VPC) that contains the resources that you're using for this job. For more information, see Protect your model customization jobs using a VPC.

    " } } }, @@ -1439,6 +1439,10 @@ "shape":"ModelInvocationJobOutputDataConfig", "documentation":"

    Details about the location of the output of the batch inference job.

    " }, + "vpcConfig":{ + "shape":"VpcConfig", + "documentation":"

    The configuration of the Virtual Private Cloud (VPC) for the data in the batch inference job. For more information, see Protect batch inference jobs using a VPC.

    " + }, "timeoutDurationInHours":{ "shape":"ModelInvocationJobTimeoutDurationInHours", "documentation":"

    The number of hours after which to force the batch inference job to time out.

    " @@ -2816,6 +2820,10 @@ "shape":"ModelInvocationJobOutputDataConfig", "documentation":"

    Details about the location of the output of the batch inference job.

    " }, + "vpcConfig":{ + "shape":"VpcConfig", + "documentation":"

    The configuration of the Virtual Private Cloud (VPC) for the data in the batch inference job. For more information, see Protect batch inference jobs using a VPC.

    " + }, "timeoutDurationInHours":{ "shape":"ModelInvocationJobTimeoutDurationInHours", "documentation":"

    The number of hours after which batch inference job was set to time out.

    " @@ -4997,9 +5005,13 @@ "s3Uri":{ "shape":"S3Uri", "documentation":"

    The S3 location of the input data.

    " + }, + "s3BucketOwner":{ + "shape":"AccountId", + "documentation":"

    The ID of the Amazon Web Services account that owns the S3 bucket containing the input data.

    " } }, - "documentation":"

    Contains the configuration of the S3 location of the output data.

    " + "documentation":"

    Contains the configuration of the S3 location of the input data.

    " }, "ModelInvocationJobS3OutputDataConfig":{ "type":"structure", @@ -5012,6 +5024,10 @@ "s3EncryptionKeyId":{ "shape":"KmsKeyId", "documentation":"

    The unique identifier of the key that encrypts the S3 location of the output data.

    " + }, + "s3BucketOwner":{ + "shape":"AccountId", + "documentation":"

    The ID of the Amazon Web Services account that owns the S3 bucket containing the output data.

    " } }, "documentation":"

    Contains the configuration of the S3 location of the output data.

    " @@ -5095,6 +5111,10 @@ "shape":"ModelInvocationJobOutputDataConfig", "documentation":"

    Details about the location of the output of the batch inference job.

    " }, + "vpcConfig":{ + "shape":"VpcConfig", + "documentation":"

    The configuration of the Virtual Private Cloud (VPC) for the data in the batch inference job. For more information, see Protect batch inference jobs using a VPC.

    " + }, "timeoutDurationInHours":{ "shape":"ModelInvocationJobTimeoutDurationInHours", "documentation":"

    The number of hours after which the batch inference job was set to time out.

    " @@ -5753,14 +5773,14 @@ "members":{ "subnetIds":{ "shape":"SubnetIds", - "documentation":"

    VPC configuration subnets.

    " + "documentation":"

    An array of IDs for each subnet in the VPC to use.

    " }, "securityGroupIds":{ "shape":"SecurityGroupIds", - "documentation":"

    VPC configuration security group Ids.

    " + "documentation":"

    An array of IDs for each security group in the VPC to use.

    " } }, - "documentation":"

    VPC configuration.

    " + "documentation":"

    The configuration of a virtual private cloud (VPC). For more information, see Protect your data using Amazon Virtual Private Cloud and Amazon Web Services PrivateLink.

    " } }, "documentation":"

    Describes the API operations for creating, managing, fine-turning, and evaluating Amazon Bedrock models.

    " From 424547808359a9a310d124d49466cbbf45a9a182 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Mon, 16 Sep 2024 18:15:37 +0000 Subject: [PATCH 094/108] AWS IoT Update: This release adds additional enhancements to AWS IoT Device Management Software Package Catalog and Jobs. It also adds SBOM support in Software Package Version. --- .../next-release/feature-AWSIoT-478293d.json | 6 + .../codegen-resources/paginators-1.json | 6 + .../codegen-resources/service-2.json | 309 +++++++++++++++++- 3 files changed, 319 insertions(+), 2 deletions(-) create mode 100644 .changes/next-release/feature-AWSIoT-478293d.json diff --git a/.changes/next-release/feature-AWSIoT-478293d.json b/.changes/next-release/feature-AWSIoT-478293d.json new file mode 100644 index 000000000000..25f8ef6019d4 --- /dev/null +++ b/.changes/next-release/feature-AWSIoT-478293d.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "AWS IoT", + "contributor": "", + "description": "This release adds additional enhancements to AWS IoT Device Management Software Package Catalog and Jobs. It also adds SBOM support in Software Package Version." +} diff --git a/services/iot/src/main/resources/codegen-resources/paginators-1.json b/services/iot/src/main/resources/codegen-resources/paginators-1.json index d7b2eb6ab351..a44c0776428c 100644 --- a/services/iot/src/main/resources/codegen-resources/paginators-1.json +++ b/services/iot/src/main/resources/codegen-resources/paginators-1.json @@ -234,6 +234,12 @@ "output_token": "nextMarker", "result_key": "roleAliases" }, + "ListSbomValidationResults": { + "input_token": "nextToken", + "limit_key": "maxResults", + "output_token": "nextToken", + "result_key": "validationResultSummaries" + }, "ListScheduledAudits": { "input_token": "nextToken", "limit_key": "maxResults", diff --git a/services/iot/src/main/resources/codegen-resources/service-2.json b/services/iot/src/main/resources/codegen-resources/service-2.json index dfd8d6af2504..31bbd7464665 100644 --- a/services/iot/src/main/resources/codegen-resources/service-2.json +++ b/services/iot/src/main/resources/codegen-resources/service-2.json @@ -4,11 +4,13 @@ "apiVersion":"2015-05-28", "endpointPrefix":"iot", "protocol":"rest-json", + "protocols":["rest-json"], "serviceFullName":"AWS IoT", "serviceId":"IoT", "signatureVersion":"v4", "signingName":"iot", - "uid":"iot-2015-05-28" + "uid":"iot-2015-05-28", + "auth":["aws.auth#sigv4"] }, "operations":{ "AcceptCertificateTransfer":{ @@ -61,6 +63,26 @@ ], "documentation":"

    Adds a thing to a thing group.

    Requires permission to access the AddThingToThingGroup action.

    " }, + "AssociateSbomWithPackageVersion":{ + "name":"AssociateSbomWithPackageVersion", + "http":{ + "method":"PUT", + "requestUri":"/packages/{packageName}/versions/{versionName}/sbom", + "responseCode":200 + }, + "input":{"shape":"AssociateSbomWithPackageVersionRequest"}, + "output":{"shape":"AssociateSbomWithPackageVersionResponse"}, + "errors":[ + {"shape":"ThrottlingException"}, + {"shape":"ConflictException"}, + {"shape":"InternalServerException"}, + {"shape":"ValidationException"}, + {"shape":"ServiceQuotaExceededException"}, + {"shape":"ResourceNotFoundException"} + ], + "documentation":"

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

    Requires permission to access the AssociateSbomWithPackageVersion action.

    ", + "idempotent":true + }, "AssociateTargetsWithJob":{ "name":"AssociateTargetsWithJob", "http":{ @@ -2102,6 +2124,25 @@ ], "documentation":"

    Disables the rule.

    Requires permission to access the DisableTopicRule action.

    " }, + "DisassociateSbomFromPackageVersion":{ + "name":"DisassociateSbomFromPackageVersion", + "http":{ + "method":"DELETE", + "requestUri":"/packages/{packageName}/versions/{versionName}/sbom", + "responseCode":200 + }, + "input":{"shape":"DisassociateSbomFromPackageVersionRequest"}, + "output":{"shape":"DisassociateSbomFromPackageVersionResponse"}, + "errors":[ + {"shape":"ThrottlingException"}, + {"shape":"ConflictException"}, + {"shape":"InternalServerException"}, + {"shape":"ValidationException"}, + {"shape":"ResourceNotFoundException"} + ], + "documentation":"

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

    Requires permission to access the DisassociateSbomWithPackageVersion action.

    ", + "idempotent":true + }, "EnableTopicRule":{ "name":"EnableTopicRule", "http":{ @@ -3107,6 +3148,23 @@ ], "documentation":"

    Lists the role aliases registered in your account.

    Requires permission to access the ListRoleAliases action.

    " }, + "ListSbomValidationResults":{ + "name":"ListSbomValidationResults", + "http":{ + "method":"GET", + "requestUri":"/packages/{packageName}/versions/{versionName}/sbom-validation-results", + "responseCode":200 + }, + "input":{"shape":"ListSbomValidationResultsRequest"}, + "output":{"shape":"ListSbomValidationResultsResponse"}, + "errors":[ + {"shape":"ThrottlingException"}, + {"shape":"InternalServerException"}, + {"shape":"ValidationException"}, + {"shape":"ResourceNotFoundException"} + ], + "documentation":"

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

    Requires permission to access the ListSbomValidationResults action.

    " + }, "ListScheduledAudits":{ "name":"ListScheduledAudits", "http":{ @@ -4277,6 +4335,7 @@ "output":{"shape":"UpdateStreamResponse"}, "errors":[ {"shape":"InvalidRequestException"}, + {"shape":"LimitExceededException"}, {"shape":"ResourceNotFoundException"}, {"shape":"ThrottlingException"}, {"shape":"UnauthorizedException"}, @@ -4858,6 +4917,54 @@ }, "documentation":"

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

    " }, + "AssociateSbomWithPackageVersionRequest":{ + "type":"structure", + "required":[ + "packageName", + "versionName", + "sbom" + ], + "members":{ + "packageName":{ + "shape":"PackageName", + "documentation":"

    The name of the new software package.

    ", + "location":"uri", + "locationName":"packageName" + }, + "versionName":{ + "shape":"VersionName", + "documentation":"

    The name of the new package version.

    ", + "location":"uri", + "locationName":"versionName" + }, + "sbom":{"shape":"Sbom"}, + "clientToken":{ + "shape":"ClientToken", + "documentation":"

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

    ", + "idempotencyToken":true, + "location":"querystring", + "locationName":"clientToken" + } + } + }, + "AssociateSbomWithPackageVersionResponse":{ + "type":"structure", + "members":{ + "packageName":{ + "shape":"PackageName", + "documentation":"

    The name of the new software package.

    " + }, + "versionName":{ + "shape":"VersionName", + "documentation":"

    The name of the new package version.

    " + }, + "sbom":{"shape":"Sbom"}, + "sbomValidationStatus":{ + "shape":"SbomValidationStatus", + "documentation":"

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

    " + } + } + }, "AssociateTargetsWithJobRequest":{ "type":"structure", "required":[ @@ -5726,6 +5833,7 @@ }, "AwsJobTimeoutInProgressTimeoutInMinutes":{"type":"long"}, "BatchMode":{"type":"boolean"}, + "BeforeSubstitutionFlag":{"type":"boolean"}, "Behavior":{ "type":"structure", "required":["name"], @@ -7558,6 +7666,14 @@ "shape":"ResourceAttributes", "documentation":"

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

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

    " }, + "artifact":{ + "shape":"PackageVersionArtifact", + "documentation":"

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

    " + }, + "recipe":{ + "shape":"PackageVersionRecipe", + "documentation":"

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

    " + }, "tags":{ "shape":"TagMap", "documentation":"

    Metadata that can be used to manage the package version.

    " @@ -9684,6 +9800,12 @@ "documentation":"

    The unique identifier you assigned to this job when it was created.

    ", "location":"uri", "locationName":"jobId" + }, + "beforeSubstitution":{ + "shape":"BeforeSubstitutionFlag", + "documentation":"

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

    ", + "location":"querystring", + "locationName":"beforeSubstitution" } } }, @@ -10664,6 +10786,39 @@ }, "documentation":"

    The input for the DisableTopicRuleRequest operation.

    " }, + "DisassociateSbomFromPackageVersionRequest":{ + "type":"structure", + "required":[ + "packageName", + "versionName" + ], + "members":{ + "packageName":{ + "shape":"PackageName", + "documentation":"

    The name of the new software package.

    ", + "location":"uri", + "locationName":"packageName" + }, + "versionName":{ + "shape":"VersionName", + "documentation":"

    The name of the new package version.

    ", + "location":"uri", + "locationName":"versionName" + }, + "clientToken":{ + "shape":"ClientToken", + "documentation":"

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

    ", + "idempotencyToken":true, + "location":"querystring", + "locationName":"clientToken" + } + } + }, + "DisassociateSbomFromPackageVersionResponse":{ + "type":"structure", + "members":{ + } + }, "DisconnectReason":{"type":"string"}, "DocumentParameter":{ "type":"structure", @@ -11397,6 +11552,12 @@ "documentation":"

    The unique identifier you assigned to this job when it was created.

    ", "location":"uri", "locationName":"jobId" + }, + "beforeSubstitution":{ + "shape":"BeforeSubstitutionFlag", + "documentation":"

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

    ", + "location":"querystring", + "locationName":"beforeSubstitution" } } }, @@ -11549,6 +11710,10 @@ "shape":"ResourceAttributes", "documentation":"

    Metadata that were added to the package version that can be used to define a package version’s configuration.

    " }, + "artifact":{ + "shape":"PackageVersionArtifact", + "documentation":"

    The various components that make up a software package version.

    " + }, "status":{ "shape":"PackageVersionStatus", "documentation":"

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

    " @@ -11564,6 +11729,18 @@ "lastModifiedDate":{ "shape":"LastModifiedDate", "documentation":"

    The date when the package version was last updated.

    " + }, + "sbom":{ + "shape":"Sbom", + "documentation":"

    The software bill of materials for a software package version.

    " + }, + "sbomValidationStatus":{ + "shape":"SbomValidationStatus", + "documentation":"

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

    " + }, + "recipe":{ + "shape":"PackageVersionRecipe", + "documentation":"

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

    " } } }, @@ -14501,6 +14678,58 @@ } } }, + "ListSbomValidationResultsRequest":{ + "type":"structure", + "required":[ + "packageName", + "versionName" + ], + "members":{ + "packageName":{ + "shape":"PackageName", + "documentation":"

    The name of the new software package.

    ", + "location":"uri", + "locationName":"packageName" + }, + "versionName":{ + "shape":"VersionName", + "documentation":"

    The name of the new package version.

    ", + "location":"uri", + "locationName":"versionName" + }, + "validationResult":{ + "shape":"SbomValidationResult", + "documentation":"

    The end result of the

    ", + "location":"querystring", + "locationName":"validationResult" + }, + "maxResults":{ + "shape":"PackageCatalogMaxResults", + "documentation":"

    The maximum number of results to return at one time.

    ", + "location":"querystring", + "locationName":"maxResults" + }, + "nextToken":{ + "shape":"NextToken", + "documentation":"

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

    ", + "location":"querystring", + "locationName":"nextToken" + } + } + }, + "ListSbomValidationResultsResponse":{ + "type":"structure", + "members":{ + "validationResultSummaries":{ + "shape":"SbomValidationResultSummaryList", + "documentation":"

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

    " + }, + "nextToken":{ + "shape":"NextToken", + "documentation":"

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

    " + } + } + }, "ListScheduledAuditsRequest":{ "type":"structure", "members":{ @@ -16224,7 +16453,19 @@ "min":1, "pattern":"^arn:[!-~]+$" }, + "PackageVersionArtifact":{ + "type":"structure", + "members":{ + "s3Location":{"shape":"S3Location"} + }, + "documentation":"

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

    " + }, "PackageVersionErrorReason":{"type":"string"}, + "PackageVersionRecipe":{ + "type":"string", + "max":3072, + "sensitive":true + }, "PackageVersionStatus":{ "type":"string", "enum":[ @@ -17425,6 +17666,62 @@ "type":"string", "min":40 }, + "Sbom":{ + "type":"structure", + "members":{ + "s3Location":{"shape":"S3Location"} + }, + "documentation":"

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

    " + }, + "SbomValidationErrorCode":{ + "type":"string", + "enum":[ + "INCOMPATIBLE_FORMAT", + "FILE_SIZE_LIMIT_EXCEEDED" + ] + }, + "SbomValidationErrorMessage":{"type":"string"}, + "SbomValidationResult":{ + "type":"string", + "enum":[ + "FAILED", + "SUCCEEDED" + ] + }, + "SbomValidationResultSummary":{ + "type":"structure", + "members":{ + "fileName":{ + "shape":"FileName", + "documentation":"

    The name of the SBOM file.

    " + }, + "validationResult":{ + "shape":"SbomValidationResult", + "documentation":"

    The end result of the SBOM validation.

    " + }, + "errorCode":{ + "shape":"SbomValidationErrorCode", + "documentation":"

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

    " + }, + "errorMessage":{ + "shape":"SbomValidationErrorMessage", + "documentation":"

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

    " + } + }, + "documentation":"

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

    " + }, + "SbomValidationResultSummaryList":{ + "type":"list", + "member":{"shape":"SbomValidationResultSummary"} + }, + "SbomValidationStatus":{ + "type":"string", + "enum":[ + "IN_PROGRESS", + "FAILED", + "SUCCEEDED" + ] + }, "ScheduledAuditArn":{"type":"string"}, "ScheduledAuditMetadata":{ "type":"structure", @@ -17639,7 +17936,7 @@ "members":{ "enableOCSPCheck":{ "shape":"EnableOCSPCheck", - "documentation":"

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

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

    " + "documentation":"

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

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

    " } }, "documentation":"

    The server certificate configuration.

    " @@ -20148,10 +20445,18 @@ "shape":"ResourceAttributes", "documentation":"

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

    Note: Attributes can be updated only when the package version is in a draft state.

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

    " }, + "artifact":{ + "shape":"PackageVersionArtifact", + "documentation":"

    The various components that make up a software package version.

    " + }, "action":{ "shape":"PackageVersionAction", "documentation":"

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

    " }, + "recipe":{ + "shape":"PackageVersionRecipe", + "documentation":"

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

    " + }, "clientToken":{ "shape":"ClientToken", "documentation":"

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

    ", From e85047dd7c960d76647645cec5012a23a42cdbdb Mon Sep 17 00:00:00 2001 From: AWS <> Date: Mon, 16 Sep 2024 18:15:44 +0000 Subject: [PATCH 095/108] AWS Organizations Update: Doc only update for AWS Organizations that fixes several customer-reported issues --- .../feature-AWSOrganizations-724c49c.json | 6 ++++++ .../main/resources/codegen-resources/service-2.json | 12 ++++++------ 2 files changed, 12 insertions(+), 6 deletions(-) create mode 100644 .changes/next-release/feature-AWSOrganizations-724c49c.json diff --git a/.changes/next-release/feature-AWSOrganizations-724c49c.json b/.changes/next-release/feature-AWSOrganizations-724c49c.json new file mode 100644 index 000000000000..c4884ad4bb71 --- /dev/null +++ b/.changes/next-release/feature-AWSOrganizations-724c49c.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "AWS Organizations", + "contributor": "", + "description": "Doc only update for AWS Organizations that fixes several customer-reported issues" +} diff --git a/services/organizations/src/main/resources/codegen-resources/service-2.json b/services/organizations/src/main/resources/codegen-resources/service-2.json index c51aeb4466bf..a89d4096d16c 100644 --- a/services/organizations/src/main/resources/codegen-resources/service-2.json +++ b/services/organizations/src/main/resources/codegen-resources/service-2.json @@ -102,7 +102,7 @@ {"shape":"TooManyRequestsException"}, {"shape":"UnsupportedAPIEndpointException"} ], - "documentation":"

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

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

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

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

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

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

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

    " + "documentation":"

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

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

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

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

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

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

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

    " }, "CreateAccount":{ "name":"CreateAccount", @@ -123,7 +123,7 @@ {"shape":"TooManyRequestsException"}, {"shape":"UnsupportedAPIEndpointException"} ], - "documentation":"

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

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

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

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

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

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

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

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

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

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

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

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

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

    " + "documentation":"

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

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

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

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

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

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

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

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

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

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

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

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

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

    " }, "CreateGovCloudAccount":{ "name":"CreateGovCloudAccount", @@ -554,7 +554,7 @@ {"shape":"TooManyRequestsException"}, {"shape":"UnsupportedAPIEndpointException"} ], - "documentation":"

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

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

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

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

    " + "documentation":"

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

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

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

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

    " }, "EnableAllFeatures":{ "name":"EnableAllFeatures", @@ -639,7 +639,7 @@ {"shape":"ServiceException"}, {"shape":"TooManyRequestsException"} ], - "documentation":"

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

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

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

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

      • Choose a support plan

      • Provide and verify the required contact information

      • Provide a current payment method

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

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

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

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

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

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

    " + "documentation":"

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

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

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

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

      • Choose a support plan

      • Provide and verify the required contact information

      • Provide a current payment method

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

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

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

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

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

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

    " }, "ListAWSServiceAccessForOrganization":{ "name":"ListAWSServiceAccessForOrganization", @@ -1380,7 +1380,7 @@ "Message":{"shape":"ExceptionMessage"}, "Reason":{"shape":"ConstraintViolationExceptionReason"} }, - "documentation":"

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

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

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

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

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

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

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

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

      Deleted and closed accounts still count toward your limit.

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

    ", + "documentation":"

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

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

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

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

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

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

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

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

      Deleted and closed accounts still count toward your limit.

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

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

    ", "exception":true }, "ConstraintViolationExceptionReason":{ @@ -1879,7 +1879,7 @@ "members":{ "Organization":{ "shape":"Organization", - "documentation":"

    A structure that contains information about the organization.

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

    " + "documentation":"

    A structure that contains information about the organization.

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

    " } } }, From 2c666a2a02fbdabe1fcb9ee031a013dec10b411b Mon Sep 17 00:00:00 2001 From: AWS <> Date: Mon, 16 Sep 2024 18:16:55 +0000 Subject: [PATCH 096/108] Updated endpoints.json and partitions.json. --- .../feature-AWSSDKforJavav2-0443982.json | 6 ++ .../regions/internal/region/endpoints.json | 93 ++++++++++++------- 2 files changed, 64 insertions(+), 35 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 63edba279ae5..14e50ff40c6f 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 @@ -7249,6 +7249,12 @@ "tags" : [ "fips" ] } ] }, + "ap-southeast-5" : { + "variants" : [ { + "hostname" : "elasticfilesystem-fips.ap-southeast-5.amazonaws.com", + "tags" : [ "fips" ] + } ] + }, "ca-central-1" : { "variants" : [ { "hostname" : "elasticfilesystem-fips.ca-central-1.amazonaws.com", @@ -7386,6 +7392,13 @@ "deprecated" : true, "hostname" : "elasticfilesystem-fips.ap-southeast-4.amazonaws.com" }, + "fips-ap-southeast-5" : { + "credentialScope" : { + "region" : "ap-southeast-5" + }, + "deprecated" : true, + "hostname" : "elasticfilesystem-fips.ap-southeast-5.amazonaws.com" + }, "fips-ca-central-1" : { "credentialScope" : { "region" : "ca-central-1" @@ -19497,9 +19510,11 @@ "ap-northeast-2" : { }, "ap-northeast-3" : { }, "ap-south-1" : { }, + "ap-south-2" : { }, "ap-southeast-1" : { }, "ap-southeast-2" : { }, "ap-southeast-3" : { }, + "ap-southeast-4" : { }, "ca-central-1" : { "variants" : [ { "hostname" : "ssm-sap-fips.ca-central-1.amazonaws.com", @@ -19507,8 +19522,10 @@ } ] }, "eu-central-1" : { }, + "eu-central-2" : { }, "eu-north-1" : { }, "eu-south-1" : { }, + "eu-south-2" : { }, "eu-west-1" : { }, "eu-west-2" : { }, "eu-west-3" : { }, @@ -19547,6 +19564,8 @@ "deprecated" : true, "hostname" : "ssm-sap-fips.us-west-2.amazonaws.com" }, + "il-central-1" : { }, + "me-central-1" : { }, "me-south-1" : { }, "sa-east-1" : { }, "us-east-1" : { @@ -20453,82 +20472,62 @@ "ap-south-1" : { }, "ap-southeast-1" : { }, "ap-southeast-2" : { }, - "ca-central-1" : { }, - "eu-central-1" : { }, - "eu-west-1" : { }, - "eu-west-2" : { }, - "sa-east-1" : { }, - "transcribestreaming-ca-central-1" : { - "credentialScope" : { - "region" : "ca-central-1" - }, - "deprecated" : true, + "ca-central-1" : { "variants" : [ { "hostname" : "transcribestreaming-fips.ca-central-1.amazonaws.com", "tags" : [ "fips" ] } ] }, - "transcribestreaming-fips-ca-central-1" : { + "eu-central-1" : { }, + "eu-west-1" : { }, + "eu-west-2" : { }, + "fips-ca-central-1" : { "credentialScope" : { "region" : "ca-central-1" }, "deprecated" : true, "hostname" : "transcribestreaming-fips.ca-central-1.amazonaws.com" }, - "transcribestreaming-fips-us-east-1" : { + "fips-us-east-1" : { "credentialScope" : { "region" : "us-east-1" }, "deprecated" : true, "hostname" : "transcribestreaming-fips.us-east-1.amazonaws.com" }, - "transcribestreaming-fips-us-east-2" : { + "fips-us-east-2" : { "credentialScope" : { "region" : "us-east-2" }, "deprecated" : true, "hostname" : "transcribestreaming-fips.us-east-2.amazonaws.com" }, - "transcribestreaming-fips-us-west-2" : { + "fips-us-west-2" : { "credentialScope" : { "region" : "us-west-2" }, "deprecated" : true, "hostname" : "transcribestreaming-fips.us-west-2.amazonaws.com" }, - "transcribestreaming-us-east-1" : { - "credentialScope" : { - "region" : "us-east-1" - }, - "deprecated" : true, + "sa-east-1" : { }, + "us-east-1" : { "variants" : [ { "hostname" : "transcribestreaming-fips.us-east-1.amazonaws.com", "tags" : [ "fips" ] } ] }, - "transcribestreaming-us-east-2" : { - "credentialScope" : { - "region" : "us-east-2" - }, - "deprecated" : true, + "us-east-2" : { "variants" : [ { "hostname" : "transcribestreaming-fips.us-east-2.amazonaws.com", "tags" : [ "fips" ] } ] }, - "transcribestreaming-us-west-2" : { - "credentialScope" : { - "region" : "us-west-2" - }, - "deprecated" : true, + "us-west-2" : { "variants" : [ { "hostname" : "transcribestreaming-fips.us-west-2.amazonaws.com", "tags" : [ "fips" ] } ] - }, - "us-east-1" : { }, - "us-east-2" : { }, - "us-west-2" : { } + } } }, "transfer" : { @@ -28673,8 +28672,32 @@ }, "transcribestreaming" : { "endpoints" : { - "us-gov-east-1" : { }, - "us-gov-west-1" : { } + "fips-us-gov-east-1" : { + "credentialScope" : { + "region" : "us-gov-east-1" + }, + "deprecated" : true, + "hostname" : "transcribestreaming-fips.us-gov-east-1.amazonaws.com" + }, + "fips-us-gov-west-1" : { + "credentialScope" : { + "region" : "us-gov-west-1" + }, + "deprecated" : true, + "hostname" : "transcribestreaming-fips.us-gov-west-1.amazonaws.com" + }, + "us-gov-east-1" : { + "variants" : [ { + "hostname" : "transcribestreaming-fips.us-gov-east-1.amazonaws.com", + "tags" : [ "fips" ] + } ] + }, + "us-gov-west-1" : { + "variants" : [ { + "hostname" : "transcribestreaming-fips.us-gov-west-1.amazonaws.com", + "tags" : [ "fips" ] + } ] + } } }, "transfer" : { From 294c52461e5395ce0f838e985e8acd3eb9a065fa Mon Sep 17 00:00:00 2001 From: AWS <> Date: Mon, 16 Sep 2024 18:18:08 +0000 Subject: [PATCH 097/108] Release 2.28.2. Updated CHANGELOG.md, README.md and all pom.xml. --- .changes/2.28.2.json | 48 +++++++++++++++++++ ...feature-AWSElementalMediaLive-a10d1c5.json | 6 --- .../next-release/feature-AWSIoT-478293d.json | 6 --- .../feature-AWSOrganizations-724c49c.json | 6 --- .../feature-AWSSDKforJavav2-0443982.json | 6 --- .../feature-AmazonBedrock-ec34f62.json | 6 --- ...azonRelationalDatabaseService-cec07e3.json | 6 --- ...ure-PrivateCAConnectorforSCEP-583e907.json | 6 --- CHANGELOG.md | 29 +++++++++++ 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/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/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/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/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/worklink/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 +- 479 files changed, 550 insertions(+), 515 deletions(-) create mode 100644 .changes/2.28.2.json delete mode 100644 .changes/next-release/feature-AWSElementalMediaLive-a10d1c5.json delete mode 100644 .changes/next-release/feature-AWSIoT-478293d.json delete mode 100644 .changes/next-release/feature-AWSOrganizations-724c49c.json delete mode 100644 .changes/next-release/feature-AWSSDKforJavav2-0443982.json delete mode 100644 .changes/next-release/feature-AmazonBedrock-ec34f62.json delete mode 100644 .changes/next-release/feature-AmazonRelationalDatabaseService-cec07e3.json delete mode 100644 .changes/next-release/feature-PrivateCAConnectorforSCEP-583e907.json diff --git a/.changes/2.28.2.json b/.changes/2.28.2.json new file mode 100644 index 000000000000..3e1636aa186a --- /dev/null +++ b/.changes/2.28.2.json @@ -0,0 +1,48 @@ +{ + "version": "2.28.2", + "date": "2024-09-16", + "entries": [ + { + "type": "feature", + "category": "AWS Elemental MediaLive", + "contributor": "", + "description": "Removing the ON_PREMISE enum from the input settings field." + }, + { + "type": "feature", + "category": "AWS IoT", + "contributor": "", + "description": "This release adds additional enhancements to AWS IoT Device Management Software Package Catalog and Jobs. It also adds SBOM support in Software Package Version." + }, + { + "type": "feature", + "category": "AWS Organizations", + "contributor": "", + "description": "Doc only update for AWS Organizations that fixes several customer-reported issues" + }, + { + "type": "feature", + "category": "Amazon Bedrock", + "contributor": "", + "description": "This feature adds cross account s3 bucket and VPC support to ModelInvocation jobs. To use a cross account bucket, pass in the accountId of the bucket to s3BucketOwner in the ModelInvocationJobInputDataConfig or ModelInvocationJobOutputDataConfig." + }, + { + "type": "feature", + "category": "Amazon Relational Database Service", + "contributor": "", + "description": "Launching Global Cluster tagging." + }, + { + "type": "feature", + "category": "Private CA Connector for SCEP", + "contributor": "", + "description": "This is a general availability (GA) release of Connector for SCEP, a feature of AWS Private CA. Connector for SCEP links your SCEP-enabled and mobile device management systems to AWS Private CA for digital signature installation and certificate management." + }, + { + "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-AWSElementalMediaLive-a10d1c5.json b/.changes/next-release/feature-AWSElementalMediaLive-a10d1c5.json deleted file mode 100644 index c1f334762fc8..000000000000 --- a/.changes/next-release/feature-AWSElementalMediaLive-a10d1c5.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "AWS Elemental MediaLive", - "contributor": "", - "description": "Removing the ON_PREMISE enum from the input settings field." -} diff --git a/.changes/next-release/feature-AWSIoT-478293d.json b/.changes/next-release/feature-AWSIoT-478293d.json deleted file mode 100644 index 25f8ef6019d4..000000000000 --- a/.changes/next-release/feature-AWSIoT-478293d.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "AWS IoT", - "contributor": "", - "description": "This release adds additional enhancements to AWS IoT Device Management Software Package Catalog and Jobs. It also adds SBOM support in Software Package Version." -} diff --git a/.changes/next-release/feature-AWSOrganizations-724c49c.json b/.changes/next-release/feature-AWSOrganizations-724c49c.json deleted file mode 100644 index c4884ad4bb71..000000000000 --- a/.changes/next-release/feature-AWSOrganizations-724c49c.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "AWS Organizations", - "contributor": "", - "description": "Doc only update for AWS Organizations that fixes several customer-reported issues" -} 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-AmazonBedrock-ec34f62.json b/.changes/next-release/feature-AmazonBedrock-ec34f62.json deleted file mode 100644 index 233cb253a2e4..000000000000 --- a/.changes/next-release/feature-AmazonBedrock-ec34f62.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "Amazon Bedrock", - "contributor": "", - "description": "This feature adds cross account s3 bucket and VPC support to ModelInvocation jobs. To use a cross account bucket, pass in the accountId of the bucket to s3BucketOwner in the ModelInvocationJobInputDataConfig or ModelInvocationJobOutputDataConfig." -} diff --git a/.changes/next-release/feature-AmazonRelationalDatabaseService-cec07e3.json b/.changes/next-release/feature-AmazonRelationalDatabaseService-cec07e3.json deleted file mode 100644 index ca742d806f4f..000000000000 --- a/.changes/next-release/feature-AmazonRelationalDatabaseService-cec07e3.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "Amazon Relational Database Service", - "contributor": "", - "description": "Launching Global Cluster tagging." -} diff --git a/.changes/next-release/feature-PrivateCAConnectorforSCEP-583e907.json b/.changes/next-release/feature-PrivateCAConnectorforSCEP-583e907.json deleted file mode 100644 index be5283df58b3..000000000000 --- a/.changes/next-release/feature-PrivateCAConnectorforSCEP-583e907.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "Private CA Connector for SCEP", - "contributor": "", - "description": "This is a general availability (GA) release of Connector for SCEP, a feature of AWS Private CA. Connector for SCEP links your SCEP-enabled and mobile device management systems to AWS Private CA for digital signature installation and certificate management." -} diff --git a/CHANGELOG.md b/CHANGELOG.md index 5f2cca3c942c..775216ac4839 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,33 @@ #### 👋 _Looking for changelogs for older versions? You can find them in the [changelogs](./changelogs) directory._ +# __2.28.2__ __2024-09-16__ +## __AWS Elemental MediaLive__ + - ### Features + - Removing the ON_PREMISE enum from the input settings field. + +## __AWS IoT__ + - ### Features + - This release adds additional enhancements to AWS IoT Device Management Software Package Catalog and Jobs. It also adds SBOM support in Software Package Version. + +## __AWS Organizations__ + - ### Features + - Doc only update for AWS Organizations that fixes several customer-reported issues + +## __AWS SDK for Java v2__ + - ### Features + - Updated endpoint and partition metadata. + +## __Amazon Bedrock__ + - ### Features + - This feature adds cross account s3 bucket and VPC support to ModelInvocation jobs. To use a cross account bucket, pass in the accountId of the bucket to s3BucketOwner in the ModelInvocationJobInputDataConfig or ModelInvocationJobOutputDataConfig. + +## __Amazon Relational Database Service__ + - ### Features + - Launching Global Cluster tagging. + +## __Private CA Connector for SCEP__ + - ### Features + - This is a general availability (GA) release of Connector for SCEP, a feature of AWS Private CA. Connector for SCEP links your SCEP-enabled and mobile device management systems to AWS Private CA for digital signature installation and certificate management. + # __2.28.1__ __2024-09-13__ ## __AWS Amplify__ - ### Features diff --git a/README.md b/README.md index 4a5470749443..92a9805f69ad 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.1 + 2.28.2 pom import @@ -85,12 +85,12 @@ Alternatively you can add dependencies for the specific services you use only: software.amazon.awssdk ec2 - 2.28.1 + 2.28.2 software.amazon.awssdk s3 - 2.28.1 + 2.28.2 ``` @@ -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.1 + 2.28.2 ``` diff --git a/archetypes/archetype-app-quickstart/pom.xml b/archetypes/archetype-app-quickstart/pom.xml index 592bc9da4d35..efd29c115dc0 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.2-SNAPSHOT + 2.28.2 4.0.0 diff --git a/archetypes/archetype-lambda/pom.xml b/archetypes/archetype-lambda/pom.xml index b9a29dfc920e..4694dc4654a4 100644 --- a/archetypes/archetype-lambda/pom.xml +++ b/archetypes/archetype-lambda/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.28.2-SNAPSHOT + 2.28.2 4.0.0 archetype-lambda diff --git a/archetypes/archetype-tools/pom.xml b/archetypes/archetype-tools/pom.xml index 1107e3b800b1..7d4c13b58014 100644 --- a/archetypes/archetype-tools/pom.xml +++ b/archetypes/archetype-tools/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.28.2-SNAPSHOT + 2.28.2 4.0.0 diff --git a/archetypes/pom.xml b/archetypes/pom.xml index f4420eed3507..73aa8b1d7ca4 100644 --- a/archetypes/pom.xml +++ b/archetypes/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.2-SNAPSHOT + 2.28.2 4.0.0 archetypes diff --git a/aws-sdk-java/pom.xml b/aws-sdk-java/pom.xml index 6ada6afb2635..89420cf239f2 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.2-SNAPSHOT + 2.28.2 ../pom.xml aws-sdk-java diff --git a/bom-internal/pom.xml b/bom-internal/pom.xml index 6d4338cb1167..0dc28a224447 100644 --- a/bom-internal/pom.xml +++ b/bom-internal/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.2-SNAPSHOT + 2.28.2 4.0.0 diff --git a/bom/pom.xml b/bom/pom.xml index a7bcbf0bd466..997f91afadbb 100644 --- a/bom/pom.xml +++ b/bom/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.2-SNAPSHOT + 2.28.2 ../pom.xml bom diff --git a/bundle-logging-bridge/pom.xml b/bundle-logging-bridge/pom.xml index 83bf2bf1f07d..1ca23e64b861 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.2-SNAPSHOT + 2.28.2 bundle-logging-bridge jar diff --git a/bundle-sdk/pom.xml b/bundle-sdk/pom.xml index 19c442c6f02e..64d94c20e432 100644 --- a/bundle-sdk/pom.xml +++ b/bundle-sdk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.2-SNAPSHOT + 2.28.2 bundle-sdk jar diff --git a/bundle/pom.xml b/bundle/pom.xml index 7f1f3630cb0f..2a584315fb8e 100644 --- a/bundle/pom.xml +++ b/bundle/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.2-SNAPSHOT + 2.28.2 bundle jar diff --git a/codegen-lite-maven-plugin/pom.xml b/codegen-lite-maven-plugin/pom.xml index bc468ee34749..b0d02e7fd0a8 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.2-SNAPSHOT + 2.28.2 ../pom.xml codegen-lite-maven-plugin diff --git a/codegen-lite/pom.xml b/codegen-lite/pom.xml index ace0858954b0..8cdbf6de7bcd 100644 --- a/codegen-lite/pom.xml +++ b/codegen-lite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.2-SNAPSHOT + 2.28.2 codegen-lite AWS Java SDK :: Code Generator Lite diff --git a/codegen-maven-plugin/pom.xml b/codegen-maven-plugin/pom.xml index 95bf72505ddf..36d6a0f4af06 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.2-SNAPSHOT + 2.28.2 ../pom.xml codegen-maven-plugin diff --git a/codegen/pom.xml b/codegen/pom.xml index 0a646f85541e..5eb74963ccfe 100644 --- a/codegen/pom.xml +++ b/codegen/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.2-SNAPSHOT + 2.28.2 codegen AWS Java SDK :: Code Generator diff --git a/core/annotations/pom.xml b/core/annotations/pom.xml index 75a02e446ac2..83c8e264a195 100644 --- a/core/annotations/pom.xml +++ b/core/annotations/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.2-SNAPSHOT + 2.28.2 4.0.0 diff --git a/core/arns/pom.xml b/core/arns/pom.xml index 7361ba3de121..9ffc209c3678 100644 --- a/core/arns/pom.xml +++ b/core/arns/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.2-SNAPSHOT + 2.28.2 4.0.0 diff --git a/core/auth-crt/pom.xml b/core/auth-crt/pom.xml index ee38a590d012..ee16b511bcfc 100644 --- a/core/auth-crt/pom.xml +++ b/core/auth-crt/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.2-SNAPSHOT + 2.28.2 auth-crt diff --git a/core/auth/pom.xml b/core/auth/pom.xml index d11c91547b04..9825acc4b935 100644 --- a/core/auth/pom.xml +++ b/core/auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.2-SNAPSHOT + 2.28.2 auth diff --git a/core/aws-core/pom.xml b/core/aws-core/pom.xml index 3d3addee86f4..94f744211447 100644 --- a/core/aws-core/pom.xml +++ b/core/aws-core/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.2-SNAPSHOT + 2.28.2 aws-core diff --git a/core/checksums-spi/pom.xml b/core/checksums-spi/pom.xml index 104263c41a1f..062c8cb4247c 100644 --- a/core/checksums-spi/pom.xml +++ b/core/checksums-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.2-SNAPSHOT + 2.28.2 checksums-spi diff --git a/core/checksums/pom.xml b/core/checksums/pom.xml index 1ba713391ae1..3f0473b81612 100644 --- a/core/checksums/pom.xml +++ b/core/checksums/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.2-SNAPSHOT + 2.28.2 checksums diff --git a/core/crt-core/pom.xml b/core/crt-core/pom.xml index 02a94c0ca3f6..11a46b895456 100644 --- a/core/crt-core/pom.xml +++ b/core/crt-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.28.2-SNAPSHOT + 2.28.2 crt-core diff --git a/core/endpoints-spi/pom.xml b/core/endpoints-spi/pom.xml index dbeaba638e06..dacfc6ff887e 100644 --- a/core/endpoints-spi/pom.xml +++ b/core/endpoints-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.2-SNAPSHOT + 2.28.2 4.0.0 diff --git a/core/http-auth-aws-crt/pom.xml b/core/http-auth-aws-crt/pom.xml index 940ed2e59e11..17b0f923ec2c 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.2-SNAPSHOT + 2.28.2 http-auth-aws-crt diff --git a/core/http-auth-aws-eventstream/pom.xml b/core/http-auth-aws-eventstream/pom.xml index 4044e2b531dc..c1a1ccc7eef3 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.2-SNAPSHOT + 2.28.2 http-auth-aws-eventstream diff --git a/core/http-auth-aws/pom.xml b/core/http-auth-aws/pom.xml index 20c8eea9f515..eb99477b3932 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.2-SNAPSHOT + 2.28.2 http-auth-aws diff --git a/core/http-auth-spi/pom.xml b/core/http-auth-spi/pom.xml index 6d86d2bafc66..2b12503b2526 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.2-SNAPSHOT + 2.28.2 http-auth-spi diff --git a/core/http-auth/pom.xml b/core/http-auth/pom.xml index 29bd68d032c2..82430f1a8aa9 100644 --- a/core/http-auth/pom.xml +++ b/core/http-auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.2-SNAPSHOT + 2.28.2 http-auth diff --git a/core/identity-spi/pom.xml b/core/identity-spi/pom.xml index f11a0c4e477e..88f16fb32264 100644 --- a/core/identity-spi/pom.xml +++ b/core/identity-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.2-SNAPSHOT + 2.28.2 identity-spi diff --git a/core/imds/pom.xml b/core/imds/pom.xml index 148a622a3ba6..53cb65f18bd9 100644 --- a/core/imds/pom.xml +++ b/core/imds/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.2-SNAPSHOT + 2.28.2 4.0.0 imds diff --git a/core/json-utils/pom.xml b/core/json-utils/pom.xml index 7a83dd352bf0..b396d84fdcbc 100644 --- a/core/json-utils/pom.xml +++ b/core/json-utils/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.2-SNAPSHOT + 2.28.2 4.0.0 diff --git a/core/metrics-spi/pom.xml b/core/metrics-spi/pom.xml index 9d1e7a86f97e..06a2c9b4e238 100644 --- a/core/metrics-spi/pom.xml +++ b/core/metrics-spi/pom.xml @@ -5,7 +5,7 @@ core software.amazon.awssdk - 2.28.2-SNAPSHOT + 2.28.2 4.0.0 diff --git a/core/pom.xml b/core/pom.xml index 7e3307f55f7e..b2456b5963d3 100644 --- a/core/pom.xml +++ b/core/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.2-SNAPSHOT + 2.28.2 core diff --git a/core/profiles/pom.xml b/core/profiles/pom.xml index 0cd1cd99d640..0d3b01144c1e 100644 --- a/core/profiles/pom.xml +++ b/core/profiles/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.2-SNAPSHOT + 2.28.2 profiles diff --git a/core/protocols/aws-cbor-protocol/pom.xml b/core/protocols/aws-cbor-protocol/pom.xml index 19c9a5b0705f..a83c2d2c8858 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.2-SNAPSHOT + 2.28.2 4.0.0 diff --git a/core/protocols/aws-json-protocol/pom.xml b/core/protocols/aws-json-protocol/pom.xml index 7cd7190c8f39..1c6bcda5fdc6 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.2-SNAPSHOT + 2.28.2 4.0.0 diff --git a/core/protocols/aws-query-protocol/pom.xml b/core/protocols/aws-query-protocol/pom.xml index 45770d5e6285..6151c7101a14 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.2-SNAPSHOT + 2.28.2 4.0.0 diff --git a/core/protocols/aws-xml-protocol/pom.xml b/core/protocols/aws-xml-protocol/pom.xml index ee4e6a66425b..56d2937f92dd 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.2-SNAPSHOT + 2.28.2 4.0.0 diff --git a/core/protocols/pom.xml b/core/protocols/pom.xml index 3e387b30420d..47fc93682b56 100644 --- a/core/protocols/pom.xml +++ b/core/protocols/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.2-SNAPSHOT + 2.28.2 4.0.0 diff --git a/core/protocols/protocol-core/pom.xml b/core/protocols/protocol-core/pom.xml index 23b6ee1b4743..3fab64e5f980 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.2-SNAPSHOT + 2.28.2 4.0.0 diff --git a/core/regions/pom.xml b/core/regions/pom.xml index d44d84803c58..f869da3e01ca 100644 --- a/core/regions/pom.xml +++ b/core/regions/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.2-SNAPSHOT + 2.28.2 regions diff --git a/core/retries-spi/pom.xml b/core/retries-spi/pom.xml index 0d3b823b0a65..30b1886847f8 100644 --- a/core/retries-spi/pom.xml +++ b/core/retries-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.2-SNAPSHOT + 2.28.2 4.0.0 diff --git a/core/retries/pom.xml b/core/retries/pom.xml index 1ee00e1418bd..0cc15126d1ab 100644 --- a/core/retries/pom.xml +++ b/core/retries/pom.xml @@ -21,7 +21,7 @@ core software.amazon.awssdk - 2.28.2-SNAPSHOT + 2.28.2 4.0.0 diff --git a/core/sdk-core/pom.xml b/core/sdk-core/pom.xml index 4d15b8b29684..66df23526bff 100644 --- a/core/sdk-core/pom.xml +++ b/core/sdk-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.28.2-SNAPSHOT + 2.28.2 sdk-core AWS Java SDK :: SDK Core diff --git a/http-client-spi/pom.xml b/http-client-spi/pom.xml index e91ec4f998b1..29fee9824eaa 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.2-SNAPSHOT + 2.28.2 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 df08927146e4..e8cb9b3f1c46 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.2-SNAPSHOT + 2.28.2 apache-client diff --git a/http-clients/aws-crt-client/pom.xml b/http-clients/aws-crt-client/pom.xml index 47419583e9d8..c067c7d30b9b 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.2-SNAPSHOT + 2.28.2 4.0.0 diff --git a/http-clients/netty-nio-client/pom.xml b/http-clients/netty-nio-client/pom.xml index b15a326304b4..1be812e388bd 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.2-SNAPSHOT + 2.28.2 4.0.0 diff --git a/http-clients/pom.xml b/http-clients/pom.xml index deb8cba3051b..76c157c2c0b5 100644 --- a/http-clients/pom.xml +++ b/http-clients/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.2-SNAPSHOT + 2.28.2 4.0.0 diff --git a/http-clients/url-connection-client/pom.xml b/http-clients/url-connection-client/pom.xml index 6465822788c8..92e7f500894f 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.2-SNAPSHOT + 2.28.2 4.0.0 diff --git a/metric-publishers/cloudwatch-metric-publisher/pom.xml b/metric-publishers/cloudwatch-metric-publisher/pom.xml index 30f5f32f44c1..2084971bc309 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.2-SNAPSHOT + 2.28.2 cloudwatch-metric-publisher diff --git a/metric-publishers/pom.xml b/metric-publishers/pom.xml index d40272d39974..96eeb3191dbb 100644 --- a/metric-publishers/pom.xml +++ b/metric-publishers/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.2-SNAPSHOT + 2.28.2 metric-publishers diff --git a/pom.xml b/pom.xml index 9d3689e460e3..bb449849ebc8 100644 --- a/pom.xml +++ b/pom.xml @@ -20,7 +20,7 @@ 4.0.0 software.amazon.awssdk aws-sdk-java-pom - 2.28.2-SNAPSHOT + 2.28.2 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 56ea7be10faa..ab09e598efed 100644 --- a/release-scripts/pom.xml +++ b/release-scripts/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.2-SNAPSHOT + 2.28.2 ../pom.xml release-scripts diff --git a/services-custom/dynamodb-enhanced/pom.xml b/services-custom/dynamodb-enhanced/pom.xml index 68a26354bdbb..b3ed4acd3f4c 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.2-SNAPSHOT + 2.28.2 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 6a029555a75d..b9be001747ec 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.2-SNAPSHOT + 2.28.2 ../../pom.xml iam-policy-builder diff --git a/services-custom/pom.xml b/services-custom/pom.xml index 3766dde4fd84..49e17596b46a 100644 --- a/services-custom/pom.xml +++ b/services-custom/pom.xml @@ -19,7 +19,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.2-SNAPSHOT + 2.28.2 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 6eceda8eaff7..e59c7c09e9b0 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.2-SNAPSHOT + 2.28.2 ../../pom.xml s3-event-notifications diff --git a/services-custom/s3-transfer-manager/pom.xml b/services-custom/s3-transfer-manager/pom.xml index a93c647e06ff..6c6413d120a4 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.2-SNAPSHOT + 2.28.2 ../../pom.xml s3-transfer-manager diff --git a/services/accessanalyzer/pom.xml b/services/accessanalyzer/pom.xml index 3039d43c5584..59e719780b57 100644 --- a/services/accessanalyzer/pom.xml +++ b/services/accessanalyzer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 accessanalyzer AWS Java SDK :: Services :: AccessAnalyzer diff --git a/services/account/pom.xml b/services/account/pom.xml index dd8247c18b1e..99fe518f82b9 100644 --- a/services/account/pom.xml +++ b/services/account/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 account AWS Java SDK :: Services :: Account diff --git a/services/acm/pom.xml b/services/acm/pom.xml index 0278f833c3fc..cb69ef7ab66f 100644 --- a/services/acm/pom.xml +++ b/services/acm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 acm AWS Java SDK :: Services :: AWS Certificate Manager diff --git a/services/acmpca/pom.xml b/services/acmpca/pom.xml index 2caddf1f2b3e..496b46fbbc87 100644 --- a/services/acmpca/pom.xml +++ b/services/acmpca/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 acmpca AWS Java SDK :: Services :: ACM PCA diff --git a/services/amp/pom.xml b/services/amp/pom.xml index 105fe347bd99..1963ab151b05 100644 --- a/services/amp/pom.xml +++ b/services/amp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 amp AWS Java SDK :: Services :: Amp diff --git a/services/amplify/pom.xml b/services/amplify/pom.xml index cb0410ba4806..f30b954ac63f 100644 --- a/services/amplify/pom.xml +++ b/services/amplify/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 amplify AWS Java SDK :: Services :: Amplify diff --git a/services/amplifybackend/pom.xml b/services/amplifybackend/pom.xml index f8058b1a1e37..87afd53a880f 100644 --- a/services/amplifybackend/pom.xml +++ b/services/amplifybackend/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 amplifybackend AWS Java SDK :: Services :: Amplify Backend diff --git a/services/amplifyuibuilder/pom.xml b/services/amplifyuibuilder/pom.xml index 544f74dcf5e8..42555fbe035f 100644 --- a/services/amplifyuibuilder/pom.xml +++ b/services/amplifyuibuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 amplifyuibuilder AWS Java SDK :: Services :: Amplify UI Builder diff --git a/services/apigateway/pom.xml b/services/apigateway/pom.xml index 7ca4637b9747..115c98ac0b15 100644 --- a/services/apigateway/pom.xml +++ b/services/apigateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 apigateway AWS Java SDK :: Services :: Amazon API Gateway diff --git a/services/apigatewaymanagementapi/pom.xml b/services/apigatewaymanagementapi/pom.xml index b139b62ed23a..6b7c7b5a60c7 100644 --- a/services/apigatewaymanagementapi/pom.xml +++ b/services/apigatewaymanagementapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 apigatewaymanagementapi AWS Java SDK :: Services :: ApiGatewayManagementApi diff --git a/services/apigatewayv2/pom.xml b/services/apigatewayv2/pom.xml index 3b7a0f981cc4..e7d60a35ef2b 100644 --- a/services/apigatewayv2/pom.xml +++ b/services/apigatewayv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 apigatewayv2 AWS Java SDK :: Services :: ApiGatewayV2 diff --git a/services/appconfig/pom.xml b/services/appconfig/pom.xml index 750553559d0a..5549fe70942e 100644 --- a/services/appconfig/pom.xml +++ b/services/appconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 appconfig AWS Java SDK :: Services :: AppConfig diff --git a/services/appconfigdata/pom.xml b/services/appconfigdata/pom.xml index aeb17c158989..f666fe5f5510 100644 --- a/services/appconfigdata/pom.xml +++ b/services/appconfigdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 appconfigdata AWS Java SDK :: Services :: App Config Data diff --git a/services/appfabric/pom.xml b/services/appfabric/pom.xml index 64461719d036..d6c469437416 100644 --- a/services/appfabric/pom.xml +++ b/services/appfabric/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 appfabric AWS Java SDK :: Services :: App Fabric diff --git a/services/appflow/pom.xml b/services/appflow/pom.xml index a578efa695c5..19ba90ea4a79 100644 --- a/services/appflow/pom.xml +++ b/services/appflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 appflow AWS Java SDK :: Services :: Appflow diff --git a/services/appintegrations/pom.xml b/services/appintegrations/pom.xml index 69bef8eefa70..be4b4ebd111d 100644 --- a/services/appintegrations/pom.xml +++ b/services/appintegrations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 appintegrations AWS Java SDK :: Services :: App Integrations diff --git a/services/applicationautoscaling/pom.xml b/services/applicationautoscaling/pom.xml index 3bd1b84dc3c1..43892f66e6e2 100644 --- a/services/applicationautoscaling/pom.xml +++ b/services/applicationautoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 applicationautoscaling AWS Java SDK :: Services :: AWS Application Auto Scaling diff --git a/services/applicationcostprofiler/pom.xml b/services/applicationcostprofiler/pom.xml index badf36bf58c7..c0d2d71a9358 100644 --- a/services/applicationcostprofiler/pom.xml +++ b/services/applicationcostprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 applicationcostprofiler AWS Java SDK :: Services :: Application Cost Profiler diff --git a/services/applicationdiscovery/pom.xml b/services/applicationdiscovery/pom.xml index eb8164481427..113540b025d7 100644 --- a/services/applicationdiscovery/pom.xml +++ b/services/applicationdiscovery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 applicationdiscovery AWS Java SDK :: Services :: AWS Application Discovery Service diff --git a/services/applicationinsights/pom.xml b/services/applicationinsights/pom.xml index f0f9704fc134..d0560eb6e20d 100644 --- a/services/applicationinsights/pom.xml +++ b/services/applicationinsights/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 applicationinsights AWS Java SDK :: Services :: Application Insights diff --git a/services/applicationsignals/pom.xml b/services/applicationsignals/pom.xml index 65a4b387dee8..b0fdc5d502ba 100644 --- a/services/applicationsignals/pom.xml +++ b/services/applicationsignals/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 applicationsignals AWS Java SDK :: Services :: Application Signals diff --git a/services/appmesh/pom.xml b/services/appmesh/pom.xml index 593170faf929..f4568104c552 100644 --- a/services/appmesh/pom.xml +++ b/services/appmesh/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 appmesh AWS Java SDK :: Services :: App Mesh diff --git a/services/apprunner/pom.xml b/services/apprunner/pom.xml index 1cb96c15c97e..d19be4039ad7 100644 --- a/services/apprunner/pom.xml +++ b/services/apprunner/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 apprunner AWS Java SDK :: Services :: App Runner diff --git a/services/appstream/pom.xml b/services/appstream/pom.xml index 74fb2c60fc60..915f98b490ff 100644 --- a/services/appstream/pom.xml +++ b/services/appstream/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 appstream AWS Java SDK :: Services :: Amazon AppStream diff --git a/services/appsync/pom.xml b/services/appsync/pom.xml index 7e1d8762393a..615a914b3f4c 100644 --- a/services/appsync/pom.xml +++ b/services/appsync/pom.xml @@ -21,7 +21,7 @@ services software.amazon.awssdk - 2.28.2-SNAPSHOT + 2.28.2 appsync diff --git a/services/apptest/pom.xml b/services/apptest/pom.xml index e019d25b3546..e994a4dbfb2b 100644 --- a/services/apptest/pom.xml +++ b/services/apptest/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 apptest AWS Java SDK :: Services :: App Test diff --git a/services/arczonalshift/pom.xml b/services/arczonalshift/pom.xml index e4aae53eb3cd..9c6b6a0f67a3 100644 --- a/services/arczonalshift/pom.xml +++ b/services/arczonalshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 arczonalshift AWS Java SDK :: Services :: ARC Zonal Shift diff --git a/services/artifact/pom.xml b/services/artifact/pom.xml index f45e8cdb0086..619852751254 100644 --- a/services/artifact/pom.xml +++ b/services/artifact/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 artifact AWS Java SDK :: Services :: Artifact diff --git a/services/athena/pom.xml b/services/athena/pom.xml index b3ae1db70de5..25d500a226c2 100644 --- a/services/athena/pom.xml +++ b/services/athena/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 athena AWS Java SDK :: Services :: Amazon Athena diff --git a/services/auditmanager/pom.xml b/services/auditmanager/pom.xml index fa33807d4a69..a255901bde18 100644 --- a/services/auditmanager/pom.xml +++ b/services/auditmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 auditmanager AWS Java SDK :: Services :: Audit Manager diff --git a/services/autoscaling/pom.xml b/services/autoscaling/pom.xml index 07c66ab0e82d..74e01358d05a 100644 --- a/services/autoscaling/pom.xml +++ b/services/autoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 autoscaling AWS Java SDK :: Services :: Auto Scaling diff --git a/services/autoscalingplans/pom.xml b/services/autoscalingplans/pom.xml index 7233fba00154..e95aa5a2834d 100644 --- a/services/autoscalingplans/pom.xml +++ b/services/autoscalingplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 autoscalingplans AWS Java SDK :: Services :: Auto Scaling Plans diff --git a/services/b2bi/pom.xml b/services/b2bi/pom.xml index d448dc2b04b2..38a744bcef95 100644 --- a/services/b2bi/pom.xml +++ b/services/b2bi/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 b2bi AWS Java SDK :: Services :: B2 Bi diff --git a/services/backup/pom.xml b/services/backup/pom.xml index 33c3def5f4c1..8a8acc7c0ab7 100644 --- a/services/backup/pom.xml +++ b/services/backup/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 backup AWS Java SDK :: Services :: Backup diff --git a/services/backupgateway/pom.xml b/services/backupgateway/pom.xml index 1e4212b3375c..8b7567231abf 100644 --- a/services/backupgateway/pom.xml +++ b/services/backupgateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 backupgateway AWS Java SDK :: Services :: Backup Gateway diff --git a/services/batch/pom.xml b/services/batch/pom.xml index 37fb627aee0d..0ed18f925bed 100644 --- a/services/batch/pom.xml +++ b/services/batch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 batch AWS Java SDK :: Services :: AWS Batch diff --git a/services/bcmdataexports/pom.xml b/services/bcmdataexports/pom.xml index e938bc4ff14d..ee8766be0ab6 100644 --- a/services/bcmdataexports/pom.xml +++ b/services/bcmdataexports/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 bcmdataexports AWS Java SDK :: Services :: BCM Data Exports diff --git a/services/bedrock/pom.xml b/services/bedrock/pom.xml index 0c85ccf6f200..8de9c9e9c65f 100644 --- a/services/bedrock/pom.xml +++ b/services/bedrock/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 bedrock AWS Java SDK :: Services :: Bedrock diff --git a/services/bedrockagent/pom.xml b/services/bedrockagent/pom.xml index ecc92a175934..2242fcff6947 100644 --- a/services/bedrockagent/pom.xml +++ b/services/bedrockagent/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 bedrockagent AWS Java SDK :: Services :: Bedrock Agent diff --git a/services/bedrockagentruntime/pom.xml b/services/bedrockagentruntime/pom.xml index 9e0fa8a333b8..a07a1a5ee57a 100644 --- a/services/bedrockagentruntime/pom.xml +++ b/services/bedrockagentruntime/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 bedrockagentruntime AWS Java SDK :: Services :: Bedrock Agent Runtime diff --git a/services/bedrockruntime/pom.xml b/services/bedrockruntime/pom.xml index 7d5b8b65ab73..1651262f73d1 100644 --- a/services/bedrockruntime/pom.xml +++ b/services/bedrockruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 bedrockruntime AWS Java SDK :: Services :: Bedrock Runtime diff --git a/services/billingconductor/pom.xml b/services/billingconductor/pom.xml index 2543d3c45400..ffc77e00e2ae 100644 --- a/services/billingconductor/pom.xml +++ b/services/billingconductor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 billingconductor AWS Java SDK :: Services :: Billingconductor diff --git a/services/braket/pom.xml b/services/braket/pom.xml index 6ff6eeb5c1ca..326a0bd26e02 100644 --- a/services/braket/pom.xml +++ b/services/braket/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 braket AWS Java SDK :: Services :: Braket diff --git a/services/budgets/pom.xml b/services/budgets/pom.xml index 439f942eca51..7d670cfab7e2 100644 --- a/services/budgets/pom.xml +++ b/services/budgets/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 budgets AWS Java SDK :: Services :: AWS Budgets diff --git a/services/chatbot/pom.xml b/services/chatbot/pom.xml index 554e9e24b55d..207e8c6bbb81 100644 --- a/services/chatbot/pom.xml +++ b/services/chatbot/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 chatbot AWS Java SDK :: Services :: Chatbot diff --git a/services/chime/pom.xml b/services/chime/pom.xml index 7e482583f28d..807a70bb2fd1 100644 --- a/services/chime/pom.xml +++ b/services/chime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 chime AWS Java SDK :: Services :: Chime diff --git a/services/chimesdkidentity/pom.xml b/services/chimesdkidentity/pom.xml index d0d0ecb542f2..6c245c141c4e 100644 --- a/services/chimesdkidentity/pom.xml +++ b/services/chimesdkidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 chimesdkidentity AWS Java SDK :: Services :: Chime SDK Identity diff --git a/services/chimesdkmediapipelines/pom.xml b/services/chimesdkmediapipelines/pom.xml index 20063a0cdb2c..5bdd3811c5f9 100644 --- a/services/chimesdkmediapipelines/pom.xml +++ b/services/chimesdkmediapipelines/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 chimesdkmediapipelines AWS Java SDK :: Services :: Chime SDK Media Pipelines diff --git a/services/chimesdkmeetings/pom.xml b/services/chimesdkmeetings/pom.xml index d8fbee8f47b7..d55a6d5ca457 100644 --- a/services/chimesdkmeetings/pom.xml +++ b/services/chimesdkmeetings/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 chimesdkmeetings AWS Java SDK :: Services :: Chime SDK Meetings diff --git a/services/chimesdkmessaging/pom.xml b/services/chimesdkmessaging/pom.xml index 2fa51fa4aad9..bf12ad041bbd 100644 --- a/services/chimesdkmessaging/pom.xml +++ b/services/chimesdkmessaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 chimesdkmessaging AWS Java SDK :: Services :: Chime SDK Messaging diff --git a/services/chimesdkvoice/pom.xml b/services/chimesdkvoice/pom.xml index 7186dbeec338..ac21bb949071 100644 --- a/services/chimesdkvoice/pom.xml +++ b/services/chimesdkvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 chimesdkvoice AWS Java SDK :: Services :: Chime SDK Voice diff --git a/services/cleanrooms/pom.xml b/services/cleanrooms/pom.xml index 04baaaeaf340..2aca70419921 100644 --- a/services/cleanrooms/pom.xml +++ b/services/cleanrooms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 cleanrooms AWS Java SDK :: Services :: Clean Rooms diff --git a/services/cleanroomsml/pom.xml b/services/cleanroomsml/pom.xml index c19fe50d7b01..62edacebfb60 100644 --- a/services/cleanroomsml/pom.xml +++ b/services/cleanroomsml/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 cleanroomsml AWS Java SDK :: Services :: Clean Rooms ML diff --git a/services/cloud9/pom.xml b/services/cloud9/pom.xml index 2a629c479506..f6c822f39bbf 100644 --- a/services/cloud9/pom.xml +++ b/services/cloud9/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2-SNAPSHOT + 2.28.2 4.0.0 cloud9 diff --git a/services/cloudcontrol/pom.xml b/services/cloudcontrol/pom.xml index 0d59b30c65c9..ea60e9b07355 100644 --- a/services/cloudcontrol/pom.xml +++ b/services/cloudcontrol/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 cloudcontrol AWS Java SDK :: Services :: Cloud Control diff --git a/services/clouddirectory/pom.xml b/services/clouddirectory/pom.xml index 12a6e629847b..00833553e341 100644 --- a/services/clouddirectory/pom.xml +++ b/services/clouddirectory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 clouddirectory AWS Java SDK :: Services :: Amazon CloudDirectory diff --git a/services/cloudformation/pom.xml b/services/cloudformation/pom.xml index a39234864008..2a563de89742 100644 --- a/services/cloudformation/pom.xml +++ b/services/cloudformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 cloudformation AWS Java SDK :: Services :: AWS CloudFormation diff --git a/services/cloudfront/pom.xml b/services/cloudfront/pom.xml index 2035a6128cb5..b0a9839566ff 100644 --- a/services/cloudfront/pom.xml +++ b/services/cloudfront/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 cloudfront AWS Java SDK :: Services :: Amazon CloudFront diff --git a/services/cloudfrontkeyvaluestore/pom.xml b/services/cloudfrontkeyvaluestore/pom.xml index dc47ddff51b7..f0ddeac6b4bc 100644 --- a/services/cloudfrontkeyvaluestore/pom.xml +++ b/services/cloudfrontkeyvaluestore/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 cloudfrontkeyvaluestore AWS Java SDK :: Services :: Cloud Front Key Value Store diff --git a/services/cloudhsm/pom.xml b/services/cloudhsm/pom.xml index cf9c7e61a28b..d0f8373cd8a9 100644 --- a/services/cloudhsm/pom.xml +++ b/services/cloudhsm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 cloudhsm AWS Java SDK :: Services :: AWS CloudHSM diff --git a/services/cloudhsmv2/pom.xml b/services/cloudhsmv2/pom.xml index e42b887fb671..6486f8169ffc 100644 --- a/services/cloudhsmv2/pom.xml +++ b/services/cloudhsmv2/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2-SNAPSHOT + 2.28.2 4.0.0 cloudhsmv2 diff --git a/services/cloudsearch/pom.xml b/services/cloudsearch/pom.xml index fd8be186151f..48d1dcd1d817 100644 --- a/services/cloudsearch/pom.xml +++ b/services/cloudsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 cloudsearch AWS Java SDK :: Services :: Amazon CloudSearch diff --git a/services/cloudsearchdomain/pom.xml b/services/cloudsearchdomain/pom.xml index 8578fa5965c0..3a6d76e79477 100644 --- a/services/cloudsearchdomain/pom.xml +++ b/services/cloudsearchdomain/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 cloudsearchdomain AWS Java SDK :: Services :: Amazon CloudSearch Domain diff --git a/services/cloudtrail/pom.xml b/services/cloudtrail/pom.xml index a372aede960c..fef2fecf27b1 100644 --- a/services/cloudtrail/pom.xml +++ b/services/cloudtrail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 cloudtrail AWS Java SDK :: Services :: AWS CloudTrail diff --git a/services/cloudtraildata/pom.xml b/services/cloudtraildata/pom.xml index 05673d720e17..ea357661c4bc 100644 --- a/services/cloudtraildata/pom.xml +++ b/services/cloudtraildata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 cloudtraildata AWS Java SDK :: Services :: Cloud Trail Data diff --git a/services/cloudwatch/pom.xml b/services/cloudwatch/pom.xml index 5ecefb923b93..5b46cee649f3 100644 --- a/services/cloudwatch/pom.xml +++ b/services/cloudwatch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 cloudwatch AWS Java SDK :: Services :: Amazon CloudWatch diff --git a/services/cloudwatchevents/pom.xml b/services/cloudwatchevents/pom.xml index 728b5fb1e4f0..b96d3b24dc36 100644 --- a/services/cloudwatchevents/pom.xml +++ b/services/cloudwatchevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 cloudwatchevents AWS Java SDK :: Services :: Amazon CloudWatch Events diff --git a/services/cloudwatchlogs/pom.xml b/services/cloudwatchlogs/pom.xml index d29360e2e76f..c5bd4377cbf9 100644 --- a/services/cloudwatchlogs/pom.xml +++ b/services/cloudwatchlogs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 cloudwatchlogs AWS Java SDK :: Services :: Amazon CloudWatch Logs diff --git a/services/codeartifact/pom.xml b/services/codeartifact/pom.xml index ee91de2f807d..bd2ae9b2fd5c 100644 --- a/services/codeartifact/pom.xml +++ b/services/codeartifact/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 codeartifact AWS Java SDK :: Services :: Codeartifact diff --git a/services/codebuild/pom.xml b/services/codebuild/pom.xml index 2de7cf2c19b2..6184c6fcdbda 100644 --- a/services/codebuild/pom.xml +++ b/services/codebuild/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 codebuild AWS Java SDK :: Services :: AWS Code Build diff --git a/services/codecatalyst/pom.xml b/services/codecatalyst/pom.xml index 3fc5a0ae3b7d..4dff05c10457 100644 --- a/services/codecatalyst/pom.xml +++ b/services/codecatalyst/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 codecatalyst AWS Java SDK :: Services :: Code Catalyst diff --git a/services/codecommit/pom.xml b/services/codecommit/pom.xml index 42c8579d01e1..bcb9df4cee64 100644 --- a/services/codecommit/pom.xml +++ b/services/codecommit/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 codecommit AWS Java SDK :: Services :: AWS CodeCommit diff --git a/services/codeconnections/pom.xml b/services/codeconnections/pom.xml index bf2709463157..26736d3f8b5c 100644 --- a/services/codeconnections/pom.xml +++ b/services/codeconnections/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 codeconnections AWS Java SDK :: Services :: Code Connections diff --git a/services/codedeploy/pom.xml b/services/codedeploy/pom.xml index d78dbfe8cd0a..2f665fa45f2c 100644 --- a/services/codedeploy/pom.xml +++ b/services/codedeploy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 codedeploy AWS Java SDK :: Services :: AWS CodeDeploy diff --git a/services/codeguruprofiler/pom.xml b/services/codeguruprofiler/pom.xml index 7747ed1e7d28..d60428151b8b 100644 --- a/services/codeguruprofiler/pom.xml +++ b/services/codeguruprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 codeguruprofiler AWS Java SDK :: Services :: CodeGuruProfiler diff --git a/services/codegurureviewer/pom.xml b/services/codegurureviewer/pom.xml index cf3c88f17996..70e86e7e29b8 100644 --- a/services/codegurureviewer/pom.xml +++ b/services/codegurureviewer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 codegurureviewer AWS Java SDK :: Services :: CodeGuru Reviewer diff --git a/services/codegurusecurity/pom.xml b/services/codegurusecurity/pom.xml index 6cf11f65c9e2..7bf72ff8e1c1 100644 --- a/services/codegurusecurity/pom.xml +++ b/services/codegurusecurity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 codegurusecurity AWS Java SDK :: Services :: Code Guru Security diff --git a/services/codepipeline/pom.xml b/services/codepipeline/pom.xml index ecf62b0394c4..4473f557a373 100644 --- a/services/codepipeline/pom.xml +++ b/services/codepipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 codepipeline AWS Java SDK :: Services :: AWS CodePipeline diff --git a/services/codestarconnections/pom.xml b/services/codestarconnections/pom.xml index 7e88634d38cc..d3ccfc289d24 100644 --- a/services/codestarconnections/pom.xml +++ b/services/codestarconnections/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 codestarconnections AWS Java SDK :: Services :: CodeStar connections diff --git a/services/codestarnotifications/pom.xml b/services/codestarnotifications/pom.xml index b85fff5ef5f4..03bdb81b1e1d 100644 --- a/services/codestarnotifications/pom.xml +++ b/services/codestarnotifications/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 codestarnotifications AWS Java SDK :: Services :: Codestar Notifications diff --git a/services/cognitoidentity/pom.xml b/services/cognitoidentity/pom.xml index aaab7d5e2b11..d962ed0f37d8 100644 --- a/services/cognitoidentity/pom.xml +++ b/services/cognitoidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 cognitoidentity AWS Java SDK :: Services :: Amazon Cognito Identity diff --git a/services/cognitoidentityprovider/pom.xml b/services/cognitoidentityprovider/pom.xml index f3c5145723a2..b8772f62960d 100644 --- a/services/cognitoidentityprovider/pom.xml +++ b/services/cognitoidentityprovider/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 cognitoidentityprovider AWS Java SDK :: Services :: Amazon Cognito Identity Provider Service diff --git a/services/cognitosync/pom.xml b/services/cognitosync/pom.xml index e6e5a39208f6..eee38f9cdbc0 100644 --- a/services/cognitosync/pom.xml +++ b/services/cognitosync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 cognitosync AWS Java SDK :: Services :: Amazon Cognito Sync diff --git a/services/comprehend/pom.xml b/services/comprehend/pom.xml index 86be3b606037..2c47def571b2 100644 --- a/services/comprehend/pom.xml +++ b/services/comprehend/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2-SNAPSHOT + 2.28.2 4.0.0 comprehend diff --git a/services/comprehendmedical/pom.xml b/services/comprehendmedical/pom.xml index 172f83db96ab..3f59bb1cdc06 100644 --- a/services/comprehendmedical/pom.xml +++ b/services/comprehendmedical/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 comprehendmedical AWS Java SDK :: Services :: ComprehendMedical diff --git a/services/computeoptimizer/pom.xml b/services/computeoptimizer/pom.xml index 9042c06ee527..6415c4e264ad 100644 --- a/services/computeoptimizer/pom.xml +++ b/services/computeoptimizer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 computeoptimizer AWS Java SDK :: Services :: Compute Optimizer diff --git a/services/config/pom.xml b/services/config/pom.xml index eb92e5fb9766..a3aa0f50e6b0 100644 --- a/services/config/pom.xml +++ b/services/config/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 config AWS Java SDK :: Services :: AWS Config diff --git a/services/connect/pom.xml b/services/connect/pom.xml index 1c9c0ee86104..36a93c46b98a 100644 --- a/services/connect/pom.xml +++ b/services/connect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 connect AWS Java SDK :: Services :: Connect diff --git a/services/connectcampaigns/pom.xml b/services/connectcampaigns/pom.xml index 86a918544c38..63ed27767718 100644 --- a/services/connectcampaigns/pom.xml +++ b/services/connectcampaigns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 connectcampaigns AWS Java SDK :: Services :: Connect Campaigns diff --git a/services/connectcases/pom.xml b/services/connectcases/pom.xml index c92fa139aec4..195d634333c8 100644 --- a/services/connectcases/pom.xml +++ b/services/connectcases/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 connectcases AWS Java SDK :: Services :: Connect Cases diff --git a/services/connectcontactlens/pom.xml b/services/connectcontactlens/pom.xml index c83525264716..52cde64a35d7 100644 --- a/services/connectcontactlens/pom.xml +++ b/services/connectcontactlens/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 connectcontactlens AWS Java SDK :: Services :: Connect Contact Lens diff --git a/services/connectparticipant/pom.xml b/services/connectparticipant/pom.xml index af7fe3270460..52f85e6a5d98 100644 --- a/services/connectparticipant/pom.xml +++ b/services/connectparticipant/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 connectparticipant AWS Java SDK :: Services :: ConnectParticipant diff --git a/services/controlcatalog/pom.xml b/services/controlcatalog/pom.xml index c22c64ea4a49..c8f687858ba9 100644 --- a/services/controlcatalog/pom.xml +++ b/services/controlcatalog/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 controlcatalog AWS Java SDK :: Services :: Control Catalog diff --git a/services/controltower/pom.xml b/services/controltower/pom.xml index 5d0a29958aae..26f64eee34f1 100644 --- a/services/controltower/pom.xml +++ b/services/controltower/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 controltower AWS Java SDK :: Services :: Control Tower diff --git a/services/costandusagereport/pom.xml b/services/costandusagereport/pom.xml index 5ee3b633fbf3..86d588620ad6 100644 --- a/services/costandusagereport/pom.xml +++ b/services/costandusagereport/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 costandusagereport AWS Java SDK :: Services :: AWS Cost and Usage Report diff --git a/services/costexplorer/pom.xml b/services/costexplorer/pom.xml index 3349ef24c406..3b4df56e8ad8 100644 --- a/services/costexplorer/pom.xml +++ b/services/costexplorer/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2-SNAPSHOT + 2.28.2 4.0.0 costexplorer diff --git a/services/costoptimizationhub/pom.xml b/services/costoptimizationhub/pom.xml index feba29935f26..d97def4425bc 100644 --- a/services/costoptimizationhub/pom.xml +++ b/services/costoptimizationhub/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 costoptimizationhub AWS Java SDK :: Services :: Cost Optimization Hub diff --git a/services/customerprofiles/pom.xml b/services/customerprofiles/pom.xml index b81726ade8e4..6f3abf53a470 100644 --- a/services/customerprofiles/pom.xml +++ b/services/customerprofiles/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 customerprofiles AWS Java SDK :: Services :: Customer Profiles diff --git a/services/databasemigration/pom.xml b/services/databasemigration/pom.xml index 0c15ae1754d7..50807e91e1f9 100644 --- a/services/databasemigration/pom.xml +++ b/services/databasemigration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 databasemigration AWS Java SDK :: Services :: AWS Database Migration Service diff --git a/services/databrew/pom.xml b/services/databrew/pom.xml index b56b82306dce..7dffcc6d1c70 100644 --- a/services/databrew/pom.xml +++ b/services/databrew/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 databrew AWS Java SDK :: Services :: Data Brew diff --git a/services/dataexchange/pom.xml b/services/dataexchange/pom.xml index c1ad93fd53d0..60858204a4c3 100644 --- a/services/dataexchange/pom.xml +++ b/services/dataexchange/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 dataexchange AWS Java SDK :: Services :: DataExchange diff --git a/services/datapipeline/pom.xml b/services/datapipeline/pom.xml index b351291e2996..8b52cc2b714c 100644 --- a/services/datapipeline/pom.xml +++ b/services/datapipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 datapipeline AWS Java SDK :: Services :: AWS Data Pipeline diff --git a/services/datasync/pom.xml b/services/datasync/pom.xml index bdb5906713c2..5aa36d61f351 100644 --- a/services/datasync/pom.xml +++ b/services/datasync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 datasync AWS Java SDK :: Services :: DataSync diff --git a/services/datazone/pom.xml b/services/datazone/pom.xml index 1d6bb18c856d..1e5fcea87d44 100644 --- a/services/datazone/pom.xml +++ b/services/datazone/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 datazone AWS Java SDK :: Services :: Data Zone diff --git a/services/dax/pom.xml b/services/dax/pom.xml index dcda64339799..cbaa06936ede 100644 --- a/services/dax/pom.xml +++ b/services/dax/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 dax AWS Java SDK :: Services :: Amazon DynamoDB Accelerator (DAX) diff --git a/services/deadline/pom.xml b/services/deadline/pom.xml index cb88e3281b52..22e824dfa9cd 100644 --- a/services/deadline/pom.xml +++ b/services/deadline/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 deadline AWS Java SDK :: Services :: Deadline diff --git a/services/detective/pom.xml b/services/detective/pom.xml index 1a093d39e1d4..a0027b68f14d 100644 --- a/services/detective/pom.xml +++ b/services/detective/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 detective AWS Java SDK :: Services :: Detective diff --git a/services/devicefarm/pom.xml b/services/devicefarm/pom.xml index 1eff6f212528..e5a92001737a 100644 --- a/services/devicefarm/pom.xml +++ b/services/devicefarm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 devicefarm AWS Java SDK :: Services :: AWS Device Farm diff --git a/services/devopsguru/pom.xml b/services/devopsguru/pom.xml index fc26b234f570..ff6f47210d98 100644 --- a/services/devopsguru/pom.xml +++ b/services/devopsguru/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 devopsguru AWS Java SDK :: Services :: Dev Ops Guru diff --git a/services/directconnect/pom.xml b/services/directconnect/pom.xml index 7e382acb7060..2cb56bb4981e 100644 --- a/services/directconnect/pom.xml +++ b/services/directconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 directconnect AWS Java SDK :: Services :: AWS Direct Connect diff --git a/services/directory/pom.xml b/services/directory/pom.xml index 4444d05d4c47..6cdabde0f4e5 100644 --- a/services/directory/pom.xml +++ b/services/directory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 directory AWS Java SDK :: Services :: AWS Directory Service diff --git a/services/dlm/pom.xml b/services/dlm/pom.xml index ff040824b115..ec954af4d687 100644 --- a/services/dlm/pom.xml +++ b/services/dlm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 dlm AWS Java SDK :: Services :: DLM diff --git a/services/docdb/pom.xml b/services/docdb/pom.xml index e5887aeace86..a9cffc506ce9 100644 --- a/services/docdb/pom.xml +++ b/services/docdb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 docdb AWS Java SDK :: Services :: DocDB diff --git a/services/docdbelastic/pom.xml b/services/docdbelastic/pom.xml index ad8c36b9ebb2..e60fffeea588 100644 --- a/services/docdbelastic/pom.xml +++ b/services/docdbelastic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 docdbelastic AWS Java SDK :: Services :: Doc DB Elastic diff --git a/services/drs/pom.xml b/services/drs/pom.xml index 88720ea3b2c4..5cc1ce17a2ed 100644 --- a/services/drs/pom.xml +++ b/services/drs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 drs AWS Java SDK :: Services :: Drs diff --git a/services/dynamodb/pom.xml b/services/dynamodb/pom.xml index cd894a11716b..df9dee1f32d3 100644 --- a/services/dynamodb/pom.xml +++ b/services/dynamodb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 dynamodb AWS Java SDK :: Services :: Amazon DynamoDB diff --git a/services/ebs/pom.xml b/services/ebs/pom.xml index 5e527e9af5f0..56512ed3da26 100644 --- a/services/ebs/pom.xml +++ b/services/ebs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 ebs AWS Java SDK :: Services :: EBS diff --git a/services/ec2/pom.xml b/services/ec2/pom.xml index 5403779ddd41..b2caded5e216 100644 --- a/services/ec2/pom.xml +++ b/services/ec2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 ec2 AWS Java SDK :: Services :: Amazon EC2 diff --git a/services/ec2instanceconnect/pom.xml b/services/ec2instanceconnect/pom.xml index 8a437e96479c..ced0d4f8942f 100644 --- a/services/ec2instanceconnect/pom.xml +++ b/services/ec2instanceconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 ec2instanceconnect AWS Java SDK :: Services :: EC2 Instance Connect diff --git a/services/ecr/pom.xml b/services/ecr/pom.xml index 677b35169816..2985a639d25e 100644 --- a/services/ecr/pom.xml +++ b/services/ecr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 ecr AWS Java SDK :: Services :: Amazon EC2 Container Registry diff --git a/services/ecrpublic/pom.xml b/services/ecrpublic/pom.xml index 054339750345..e9c04ae36a2b 100644 --- a/services/ecrpublic/pom.xml +++ b/services/ecrpublic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 ecrpublic AWS Java SDK :: Services :: ECR PUBLIC diff --git a/services/ecs/pom.xml b/services/ecs/pom.xml index 0d51d3368626..ba54975d3023 100644 --- a/services/ecs/pom.xml +++ b/services/ecs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 ecs AWS Java SDK :: Services :: Amazon EC2 Container Service diff --git a/services/efs/pom.xml b/services/efs/pom.xml index 84cf0884f569..1e6257bd63fb 100644 --- a/services/efs/pom.xml +++ b/services/efs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 efs AWS Java SDK :: Services :: Amazon Elastic File System diff --git a/services/eks/pom.xml b/services/eks/pom.xml index b42dfd0d2a12..eadbbca20c00 100644 --- a/services/eks/pom.xml +++ b/services/eks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 eks AWS Java SDK :: Services :: EKS diff --git a/services/eksauth/pom.xml b/services/eksauth/pom.xml index dd639a688659..4023c697f9e5 100644 --- a/services/eksauth/pom.xml +++ b/services/eksauth/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 eksauth AWS Java SDK :: Services :: EKS Auth diff --git a/services/elasticache/pom.xml b/services/elasticache/pom.xml index 2724bae2310f..c075f53d1bb2 100644 --- a/services/elasticache/pom.xml +++ b/services/elasticache/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 elasticache AWS Java SDK :: Services :: Amazon ElastiCache diff --git a/services/elasticbeanstalk/pom.xml b/services/elasticbeanstalk/pom.xml index fb491799888c..ebd08b705e01 100644 --- a/services/elasticbeanstalk/pom.xml +++ b/services/elasticbeanstalk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 elasticbeanstalk AWS Java SDK :: Services :: AWS Elastic Beanstalk diff --git a/services/elasticinference/pom.xml b/services/elasticinference/pom.xml index 911af14fdf41..3e3fcf60195c 100644 --- a/services/elasticinference/pom.xml +++ b/services/elasticinference/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 elasticinference AWS Java SDK :: Services :: Elastic Inference diff --git a/services/elasticloadbalancing/pom.xml b/services/elasticloadbalancing/pom.xml index 5b9efb43e517..b128d9d5d9cd 100644 --- a/services/elasticloadbalancing/pom.xml +++ b/services/elasticloadbalancing/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 elasticloadbalancing AWS Java SDK :: Services :: Elastic Load Balancing diff --git a/services/elasticloadbalancingv2/pom.xml b/services/elasticloadbalancingv2/pom.xml index c6214fbe2d31..8208c9f76ed9 100644 --- a/services/elasticloadbalancingv2/pom.xml +++ b/services/elasticloadbalancingv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 elasticloadbalancingv2 AWS Java SDK :: Services :: Elastic Load Balancing V2 diff --git a/services/elasticsearch/pom.xml b/services/elasticsearch/pom.xml index 502bce6329ea..3bc720f83f93 100644 --- a/services/elasticsearch/pom.xml +++ b/services/elasticsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 elasticsearch AWS Java SDK :: Services :: Amazon Elasticsearch Service diff --git a/services/elastictranscoder/pom.xml b/services/elastictranscoder/pom.xml index 0a19152a0412..fccb23550d86 100644 --- a/services/elastictranscoder/pom.xml +++ b/services/elastictranscoder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 elastictranscoder AWS Java SDK :: Services :: Amazon Elastic Transcoder diff --git a/services/emr/pom.xml b/services/emr/pom.xml index 280135c9ac1c..4d35f6033f08 100644 --- a/services/emr/pom.xml +++ b/services/emr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 emr AWS Java SDK :: Services :: Amazon EMR diff --git a/services/emrcontainers/pom.xml b/services/emrcontainers/pom.xml index 236ea0e6db10..9e1b8d4b2a99 100644 --- a/services/emrcontainers/pom.xml +++ b/services/emrcontainers/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 emrcontainers AWS Java SDK :: Services :: EMR Containers diff --git a/services/emrserverless/pom.xml b/services/emrserverless/pom.xml index ee51be9d06a4..a287d186dc1d 100644 --- a/services/emrserverless/pom.xml +++ b/services/emrserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 emrserverless AWS Java SDK :: Services :: EMR Serverless diff --git a/services/entityresolution/pom.xml b/services/entityresolution/pom.xml index ebf3a1885df8..baaa92e17068 100644 --- a/services/entityresolution/pom.xml +++ b/services/entityresolution/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 entityresolution AWS Java SDK :: Services :: Entity Resolution diff --git a/services/eventbridge/pom.xml b/services/eventbridge/pom.xml index b807be8401b3..ae5c9644e852 100644 --- a/services/eventbridge/pom.xml +++ b/services/eventbridge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 eventbridge AWS Java SDK :: Services :: EventBridge diff --git a/services/evidently/pom.xml b/services/evidently/pom.xml index 4d82e19fb47a..e11fc7c402e0 100644 --- a/services/evidently/pom.xml +++ b/services/evidently/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 evidently AWS Java SDK :: Services :: Evidently diff --git a/services/finspace/pom.xml b/services/finspace/pom.xml index 7b0ef515b2b0..e508ec099123 100644 --- a/services/finspace/pom.xml +++ b/services/finspace/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 finspace AWS Java SDK :: Services :: Finspace diff --git a/services/finspacedata/pom.xml b/services/finspacedata/pom.xml index b87db4e9bccc..f57d811b923b 100644 --- a/services/finspacedata/pom.xml +++ b/services/finspacedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 finspacedata AWS Java SDK :: Services :: Finspace Data diff --git a/services/firehose/pom.xml b/services/firehose/pom.xml index e0ef82ff8b98..ca8c51476505 100644 --- a/services/firehose/pom.xml +++ b/services/firehose/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 firehose AWS Java SDK :: Services :: Amazon Kinesis Firehose diff --git a/services/fis/pom.xml b/services/fis/pom.xml index c36f3ef9d068..54b0da889726 100644 --- a/services/fis/pom.xml +++ b/services/fis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 fis AWS Java SDK :: Services :: Fis diff --git a/services/fms/pom.xml b/services/fms/pom.xml index 6acf0ebec251..4439f99c4626 100644 --- a/services/fms/pom.xml +++ b/services/fms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 fms AWS Java SDK :: Services :: FMS diff --git a/services/forecast/pom.xml b/services/forecast/pom.xml index 7f3e408c14d0..6d166a363532 100644 --- a/services/forecast/pom.xml +++ b/services/forecast/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 forecast AWS Java SDK :: Services :: Forecast diff --git a/services/forecastquery/pom.xml b/services/forecastquery/pom.xml index cbded6af8f5c..0f81b1a74617 100644 --- a/services/forecastquery/pom.xml +++ b/services/forecastquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 forecastquery AWS Java SDK :: Services :: Forecastquery diff --git a/services/frauddetector/pom.xml b/services/frauddetector/pom.xml index abe9bbed0428..6cc2e88b87af 100644 --- a/services/frauddetector/pom.xml +++ b/services/frauddetector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 frauddetector AWS Java SDK :: Services :: FraudDetector diff --git a/services/freetier/pom.xml b/services/freetier/pom.xml index cb1594daf1d9..7e189995d9e0 100644 --- a/services/freetier/pom.xml +++ b/services/freetier/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 freetier AWS Java SDK :: Services :: Free Tier diff --git a/services/fsx/pom.xml b/services/fsx/pom.xml index 51a65ead0900..573d14241093 100644 --- a/services/fsx/pom.xml +++ b/services/fsx/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 fsx AWS Java SDK :: Services :: FSx diff --git a/services/gamelift/pom.xml b/services/gamelift/pom.xml index 211bbf756809..2f137d7100f6 100644 --- a/services/gamelift/pom.xml +++ b/services/gamelift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 gamelift AWS Java SDK :: Services :: AWS GameLift diff --git a/services/glacier/pom.xml b/services/glacier/pom.xml index c6a71f95df5d..15fcfc1ca102 100644 --- a/services/glacier/pom.xml +++ b/services/glacier/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 glacier AWS Java SDK :: Services :: Amazon Glacier diff --git a/services/globalaccelerator/pom.xml b/services/globalaccelerator/pom.xml index 5c4c7bbb6144..a42fc198f620 100644 --- a/services/globalaccelerator/pom.xml +++ b/services/globalaccelerator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 globalaccelerator AWS Java SDK :: Services :: Global Accelerator diff --git a/services/glue/pom.xml b/services/glue/pom.xml index 038773faec40..5f45a4ca6dd9 100644 --- a/services/glue/pom.xml +++ b/services/glue/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2-SNAPSHOT + 2.28.2 4.0.0 glue diff --git a/services/grafana/pom.xml b/services/grafana/pom.xml index 24e8364a8a8d..42daab4c4b71 100644 --- a/services/grafana/pom.xml +++ b/services/grafana/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 grafana AWS Java SDK :: Services :: Grafana diff --git a/services/greengrass/pom.xml b/services/greengrass/pom.xml index 6ec122e4d73a..8d48283cc46f 100644 --- a/services/greengrass/pom.xml +++ b/services/greengrass/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 greengrass AWS Java SDK :: Services :: AWS Greengrass diff --git a/services/greengrassv2/pom.xml b/services/greengrassv2/pom.xml index 6c84bffa474e..5d53c6934134 100644 --- a/services/greengrassv2/pom.xml +++ b/services/greengrassv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 greengrassv2 AWS Java SDK :: Services :: Greengrass V2 diff --git a/services/groundstation/pom.xml b/services/groundstation/pom.xml index 8e95752f4efe..ece14bfd1dc5 100644 --- a/services/groundstation/pom.xml +++ b/services/groundstation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 groundstation AWS Java SDK :: Services :: GroundStation diff --git a/services/guardduty/pom.xml b/services/guardduty/pom.xml index be8a8110147f..020455c03476 100644 --- a/services/guardduty/pom.xml +++ b/services/guardduty/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2-SNAPSHOT + 2.28.2 4.0.0 guardduty diff --git a/services/health/pom.xml b/services/health/pom.xml index ea531846ecec..1df6f16fd1d7 100644 --- a/services/health/pom.xml +++ b/services/health/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 health AWS Java SDK :: Services :: AWS Health APIs and Notifications diff --git a/services/healthlake/pom.xml b/services/healthlake/pom.xml index 11fa28217a08..fde880302d4b 100644 --- a/services/healthlake/pom.xml +++ b/services/healthlake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 healthlake AWS Java SDK :: Services :: Health Lake diff --git a/services/iam/pom.xml b/services/iam/pom.xml index a3edfc9d4e74..e2c21d2cf904 100644 --- a/services/iam/pom.xml +++ b/services/iam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 iam AWS Java SDK :: Services :: AWS IAM diff --git a/services/identitystore/pom.xml b/services/identitystore/pom.xml index 3e258396b28a..586396f06296 100644 --- a/services/identitystore/pom.xml +++ b/services/identitystore/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 identitystore AWS Java SDK :: Services :: Identitystore diff --git a/services/imagebuilder/pom.xml b/services/imagebuilder/pom.xml index 2e1e1d96c9df..6069a43df0e5 100644 --- a/services/imagebuilder/pom.xml +++ b/services/imagebuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 imagebuilder AWS Java SDK :: Services :: Imagebuilder diff --git a/services/inspector/pom.xml b/services/inspector/pom.xml index 943bee8f6a43..defefe9cf045 100644 --- a/services/inspector/pom.xml +++ b/services/inspector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 inspector AWS Java SDK :: Services :: Amazon Inspector Service diff --git a/services/inspector2/pom.xml b/services/inspector2/pom.xml index cf5bedbe32cb..b2480be563c1 100644 --- a/services/inspector2/pom.xml +++ b/services/inspector2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 inspector2 AWS Java SDK :: Services :: Inspector2 diff --git a/services/inspectorscan/pom.xml b/services/inspectorscan/pom.xml index 1ff89092fbb8..4b61ff4da4ee 100644 --- a/services/inspectorscan/pom.xml +++ b/services/inspectorscan/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 inspectorscan AWS Java SDK :: Services :: Inspector Scan diff --git a/services/internetmonitor/pom.xml b/services/internetmonitor/pom.xml index 12733277b675..7fe4c918d257 100644 --- a/services/internetmonitor/pom.xml +++ b/services/internetmonitor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 internetmonitor AWS Java SDK :: Services :: Internet Monitor diff --git a/services/iot/pom.xml b/services/iot/pom.xml index d09d3e6fa003..462d39cc4381 100644 --- a/services/iot/pom.xml +++ b/services/iot/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 iot AWS Java SDK :: Services :: AWS IoT diff --git a/services/iot1clickdevices/pom.xml b/services/iot1clickdevices/pom.xml index 1ed340de66ce..9ea2cbf83679 100644 --- a/services/iot1clickdevices/pom.xml +++ b/services/iot1clickdevices/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 iot1clickdevices AWS Java SDK :: Services :: IoT 1Click Devices Service diff --git a/services/iot1clickprojects/pom.xml b/services/iot1clickprojects/pom.xml index b240b8a56efb..95e1234b596c 100644 --- a/services/iot1clickprojects/pom.xml +++ b/services/iot1clickprojects/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 iot1clickprojects AWS Java SDK :: Services :: IoT 1Click Projects diff --git a/services/iotanalytics/pom.xml b/services/iotanalytics/pom.xml index b426d192b3dd..e75233d1ff76 100644 --- a/services/iotanalytics/pom.xml +++ b/services/iotanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 iotanalytics AWS Java SDK :: Services :: IoTAnalytics diff --git a/services/iotdataplane/pom.xml b/services/iotdataplane/pom.xml index 8563034e5116..29491dc0ee54 100644 --- a/services/iotdataplane/pom.xml +++ b/services/iotdataplane/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 iotdataplane AWS Java SDK :: Services :: AWS IoT Data Plane diff --git a/services/iotdeviceadvisor/pom.xml b/services/iotdeviceadvisor/pom.xml index 2ec65e5c2114..a4be2319588f 100644 --- a/services/iotdeviceadvisor/pom.xml +++ b/services/iotdeviceadvisor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 iotdeviceadvisor AWS Java SDK :: Services :: Iot Device Advisor diff --git a/services/iotevents/pom.xml b/services/iotevents/pom.xml index ef0290c8c2d1..b6c48758272e 100644 --- a/services/iotevents/pom.xml +++ b/services/iotevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 iotevents AWS Java SDK :: Services :: IoT Events diff --git a/services/ioteventsdata/pom.xml b/services/ioteventsdata/pom.xml index 23a9580b6614..230f32c9a1e4 100644 --- a/services/ioteventsdata/pom.xml +++ b/services/ioteventsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 ioteventsdata AWS Java SDK :: Services :: IoT Events Data diff --git a/services/iotfleethub/pom.xml b/services/iotfleethub/pom.xml index 22902ad72727..88c4d135ac76 100644 --- a/services/iotfleethub/pom.xml +++ b/services/iotfleethub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 iotfleethub AWS Java SDK :: Services :: Io T Fleet Hub diff --git a/services/iotfleetwise/pom.xml b/services/iotfleetwise/pom.xml index 109c8eb1a297..3222a111b4a9 100644 --- a/services/iotfleetwise/pom.xml +++ b/services/iotfleetwise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 iotfleetwise AWS Java SDK :: Services :: Io T Fleet Wise diff --git a/services/iotjobsdataplane/pom.xml b/services/iotjobsdataplane/pom.xml index 0a649590c49c..e46f50b15676 100644 --- a/services/iotjobsdataplane/pom.xml +++ b/services/iotjobsdataplane/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 iotjobsdataplane AWS Java SDK :: Services :: IoT Jobs Data Plane diff --git a/services/iotsecuretunneling/pom.xml b/services/iotsecuretunneling/pom.xml index d1fa208a81a6..3ecb3f31adfc 100644 --- a/services/iotsecuretunneling/pom.xml +++ b/services/iotsecuretunneling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 iotsecuretunneling AWS Java SDK :: Services :: IoTSecureTunneling diff --git a/services/iotsitewise/pom.xml b/services/iotsitewise/pom.xml index 67ba6e9d3f9f..2ef822ea5217 100644 --- a/services/iotsitewise/pom.xml +++ b/services/iotsitewise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 iotsitewise AWS Java SDK :: Services :: Io T Site Wise diff --git a/services/iotthingsgraph/pom.xml b/services/iotthingsgraph/pom.xml index 2622203272dd..80b1353dd565 100644 --- a/services/iotthingsgraph/pom.xml +++ b/services/iotthingsgraph/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 iotthingsgraph AWS Java SDK :: Services :: IoTThingsGraph diff --git a/services/iottwinmaker/pom.xml b/services/iottwinmaker/pom.xml index f147219ff8a4..694009d0df55 100644 --- a/services/iottwinmaker/pom.xml +++ b/services/iottwinmaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 iottwinmaker AWS Java SDK :: Services :: Io T Twin Maker diff --git a/services/iotwireless/pom.xml b/services/iotwireless/pom.xml index ba9eeeff4887..a1ca513b2ad8 100644 --- a/services/iotwireless/pom.xml +++ b/services/iotwireless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 iotwireless AWS Java SDK :: Services :: IoT Wireless diff --git a/services/ivs/pom.xml b/services/ivs/pom.xml index 9db8385a8a08..cf5d86d13e0e 100644 --- a/services/ivs/pom.xml +++ b/services/ivs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 ivs AWS Java SDK :: Services :: Ivs diff --git a/services/ivschat/pom.xml b/services/ivschat/pom.xml index cb91f116e31a..bf8f47403a1c 100644 --- a/services/ivschat/pom.xml +++ b/services/ivschat/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 ivschat AWS Java SDK :: Services :: Ivschat diff --git a/services/ivsrealtime/pom.xml b/services/ivsrealtime/pom.xml index 9a501db1b4e8..5b4e97c21a53 100644 --- a/services/ivsrealtime/pom.xml +++ b/services/ivsrealtime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 ivsrealtime AWS Java SDK :: Services :: IVS Real Time diff --git a/services/kafka/pom.xml b/services/kafka/pom.xml index ca2b39b73a25..1d4939bb4978 100644 --- a/services/kafka/pom.xml +++ b/services/kafka/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 kafka AWS Java SDK :: Services :: Kafka diff --git a/services/kafkaconnect/pom.xml b/services/kafkaconnect/pom.xml index 317c6f8ff99d..dd4cf5222ab5 100644 --- a/services/kafkaconnect/pom.xml +++ b/services/kafkaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 kafkaconnect AWS Java SDK :: Services :: Kafka Connect diff --git a/services/kendra/pom.xml b/services/kendra/pom.xml index e306956cb2a8..41e6171f9097 100644 --- a/services/kendra/pom.xml +++ b/services/kendra/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 kendra AWS Java SDK :: Services :: Kendra diff --git a/services/kendraranking/pom.xml b/services/kendraranking/pom.xml index e1a988236d76..7391fff9fce1 100644 --- a/services/kendraranking/pom.xml +++ b/services/kendraranking/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 kendraranking AWS Java SDK :: Services :: Kendra Ranking diff --git a/services/keyspaces/pom.xml b/services/keyspaces/pom.xml index a2b548fd8bcb..d03878a03ed2 100644 --- a/services/keyspaces/pom.xml +++ b/services/keyspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 keyspaces AWS Java SDK :: Services :: Keyspaces diff --git a/services/kinesis/pom.xml b/services/kinesis/pom.xml index cc8d0f5d5c93..5eb2ebac7714 100644 --- a/services/kinesis/pom.xml +++ b/services/kinesis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 kinesis AWS Java SDK :: Services :: Amazon Kinesis diff --git a/services/kinesisanalytics/pom.xml b/services/kinesisanalytics/pom.xml index 3b15886809b6..20f19cc72e1e 100644 --- a/services/kinesisanalytics/pom.xml +++ b/services/kinesisanalytics/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 kinesisanalytics AWS Java SDK :: Services :: Amazon Kinesis Analytics diff --git a/services/kinesisanalyticsv2/pom.xml b/services/kinesisanalyticsv2/pom.xml index b2e2c1896dff..17634dd111ab 100644 --- a/services/kinesisanalyticsv2/pom.xml +++ b/services/kinesisanalyticsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 kinesisanalyticsv2 AWS Java SDK :: Services :: Kinesis Analytics V2 diff --git a/services/kinesisvideo/pom.xml b/services/kinesisvideo/pom.xml index ef1f5444a339..15e417548845 100644 --- a/services/kinesisvideo/pom.xml +++ b/services/kinesisvideo/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2-SNAPSHOT + 2.28.2 4.0.0 kinesisvideo diff --git a/services/kinesisvideoarchivedmedia/pom.xml b/services/kinesisvideoarchivedmedia/pom.xml index 403685479e0d..17d2c758edf5 100644 --- a/services/kinesisvideoarchivedmedia/pom.xml +++ b/services/kinesisvideoarchivedmedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 kinesisvideoarchivedmedia AWS Java SDK :: Services :: Kinesis Video Archived Media diff --git a/services/kinesisvideomedia/pom.xml b/services/kinesisvideomedia/pom.xml index 841fb9515cce..dbfe02758119 100644 --- a/services/kinesisvideomedia/pom.xml +++ b/services/kinesisvideomedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 kinesisvideomedia AWS Java SDK :: Services :: Kinesis Video Media diff --git a/services/kinesisvideosignaling/pom.xml b/services/kinesisvideosignaling/pom.xml index cf2f549b4d8d..b9090037418e 100644 --- a/services/kinesisvideosignaling/pom.xml +++ b/services/kinesisvideosignaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 kinesisvideosignaling AWS Java SDK :: Services :: Kinesis Video Signaling diff --git a/services/kinesisvideowebrtcstorage/pom.xml b/services/kinesisvideowebrtcstorage/pom.xml index b9619da39271..a6fb16c4833c 100644 --- a/services/kinesisvideowebrtcstorage/pom.xml +++ b/services/kinesisvideowebrtcstorage/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 kinesisvideowebrtcstorage AWS Java SDK :: Services :: Kinesis Video Web RTC Storage diff --git a/services/kms/pom.xml b/services/kms/pom.xml index 3bb4e5c0e162..84b086004743 100644 --- a/services/kms/pom.xml +++ b/services/kms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 kms AWS Java SDK :: Services :: AWS KMS diff --git a/services/lakeformation/pom.xml b/services/lakeformation/pom.xml index 8cd4cff03e92..1e3cb0b2a757 100644 --- a/services/lakeformation/pom.xml +++ b/services/lakeformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 lakeformation AWS Java SDK :: Services :: LakeFormation diff --git a/services/lambda/pom.xml b/services/lambda/pom.xml index b6d453a67e41..fcff698df445 100644 --- a/services/lambda/pom.xml +++ b/services/lambda/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 lambda AWS Java SDK :: Services :: AWS Lambda diff --git a/services/launchwizard/pom.xml b/services/launchwizard/pom.xml index d69decd282f3..33b3096f5883 100644 --- a/services/launchwizard/pom.xml +++ b/services/launchwizard/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 launchwizard AWS Java SDK :: Services :: Launch Wizard diff --git a/services/lexmodelbuilding/pom.xml b/services/lexmodelbuilding/pom.xml index 9e221e19e82b..a48c2857aade 100644 --- a/services/lexmodelbuilding/pom.xml +++ b/services/lexmodelbuilding/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 lexmodelbuilding AWS Java SDK :: Services :: Amazon Lex Model Building diff --git a/services/lexmodelsv2/pom.xml b/services/lexmodelsv2/pom.xml index 319f8d99eef6..563e1cac1032 100644 --- a/services/lexmodelsv2/pom.xml +++ b/services/lexmodelsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 lexmodelsv2 AWS Java SDK :: Services :: Lex Models V2 diff --git a/services/lexruntime/pom.xml b/services/lexruntime/pom.xml index 3cb26e7c5650..b28db46e6784 100644 --- a/services/lexruntime/pom.xml +++ b/services/lexruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 lexruntime AWS Java SDK :: Services :: Amazon Lex Runtime diff --git a/services/lexruntimev2/pom.xml b/services/lexruntimev2/pom.xml index a1d79cea47dd..e212fdd32553 100644 --- a/services/lexruntimev2/pom.xml +++ b/services/lexruntimev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 lexruntimev2 AWS Java SDK :: Services :: Lex Runtime V2 diff --git a/services/licensemanager/pom.xml b/services/licensemanager/pom.xml index e9e9748ff287..ee08707e3a8e 100644 --- a/services/licensemanager/pom.xml +++ b/services/licensemanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 licensemanager AWS Java SDK :: Services :: License Manager diff --git a/services/licensemanagerlinuxsubscriptions/pom.xml b/services/licensemanagerlinuxsubscriptions/pom.xml index 6593dad548ff..859b707ac410 100644 --- a/services/licensemanagerlinuxsubscriptions/pom.xml +++ b/services/licensemanagerlinuxsubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 licensemanagerlinuxsubscriptions AWS Java SDK :: Services :: License Manager Linux Subscriptions diff --git a/services/licensemanagerusersubscriptions/pom.xml b/services/licensemanagerusersubscriptions/pom.xml index 40bceb7dad9a..48e3e052455d 100644 --- a/services/licensemanagerusersubscriptions/pom.xml +++ b/services/licensemanagerusersubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 licensemanagerusersubscriptions AWS Java SDK :: Services :: License Manager User Subscriptions diff --git a/services/lightsail/pom.xml b/services/lightsail/pom.xml index 6194dc7f7a65..fc0269166d91 100644 --- a/services/lightsail/pom.xml +++ b/services/lightsail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 lightsail AWS Java SDK :: Services :: Amazon Lightsail diff --git a/services/location/pom.xml b/services/location/pom.xml index d4b63c86c613..59e7c8b34959 100644 --- a/services/location/pom.xml +++ b/services/location/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 location AWS Java SDK :: Services :: Location diff --git a/services/lookoutequipment/pom.xml b/services/lookoutequipment/pom.xml index 132845057e99..86605f03f56b 100644 --- a/services/lookoutequipment/pom.xml +++ b/services/lookoutequipment/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 lookoutequipment AWS Java SDK :: Services :: Lookout Equipment diff --git a/services/lookoutmetrics/pom.xml b/services/lookoutmetrics/pom.xml index b3501d3825f1..ac7862f85b4b 100644 --- a/services/lookoutmetrics/pom.xml +++ b/services/lookoutmetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 lookoutmetrics AWS Java SDK :: Services :: Lookout Metrics diff --git a/services/lookoutvision/pom.xml b/services/lookoutvision/pom.xml index 6f5bf8515b10..968021c78517 100644 --- a/services/lookoutvision/pom.xml +++ b/services/lookoutvision/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 lookoutvision AWS Java SDK :: Services :: Lookout Vision diff --git a/services/m2/pom.xml b/services/m2/pom.xml index dc9c1d4db001..993ca8489daf 100644 --- a/services/m2/pom.xml +++ b/services/m2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 m2 AWS Java SDK :: Services :: M2 diff --git a/services/machinelearning/pom.xml b/services/machinelearning/pom.xml index a8473f6fef08..b46051ad7bb5 100644 --- a/services/machinelearning/pom.xml +++ b/services/machinelearning/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 machinelearning AWS Java SDK :: Services :: Amazon Machine Learning diff --git a/services/macie2/pom.xml b/services/macie2/pom.xml index 57f034e8cd9c..fd908b8c8338 100644 --- a/services/macie2/pom.xml +++ b/services/macie2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 macie2 AWS Java SDK :: Services :: Macie2 diff --git a/services/mailmanager/pom.xml b/services/mailmanager/pom.xml index 70755eeeea4e..4f1730439ba2 100644 --- a/services/mailmanager/pom.xml +++ b/services/mailmanager/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 mailmanager AWS Java SDK :: Services :: Mail Manager diff --git a/services/managedblockchain/pom.xml b/services/managedblockchain/pom.xml index 33eee61258d6..3deea4b5c6a4 100644 --- a/services/managedblockchain/pom.xml +++ b/services/managedblockchain/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 managedblockchain AWS Java SDK :: Services :: ManagedBlockchain diff --git a/services/managedblockchainquery/pom.xml b/services/managedblockchainquery/pom.xml index 4b8506389248..b65131b53903 100644 --- a/services/managedblockchainquery/pom.xml +++ b/services/managedblockchainquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 managedblockchainquery AWS Java SDK :: Services :: Managed Blockchain Query diff --git a/services/marketplaceagreement/pom.xml b/services/marketplaceagreement/pom.xml index b94c95d9f84d..676d1f2e1d65 100644 --- a/services/marketplaceagreement/pom.xml +++ b/services/marketplaceagreement/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 marketplaceagreement AWS Java SDK :: Services :: Marketplace Agreement diff --git a/services/marketplacecatalog/pom.xml b/services/marketplacecatalog/pom.xml index af507c3dbf3e..0d7317a42dba 100644 --- a/services/marketplacecatalog/pom.xml +++ b/services/marketplacecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 marketplacecatalog AWS Java SDK :: Services :: Marketplace Catalog diff --git a/services/marketplacecommerceanalytics/pom.xml b/services/marketplacecommerceanalytics/pom.xml index d8cb283f411d..c9cb3830d30c 100644 --- a/services/marketplacecommerceanalytics/pom.xml +++ b/services/marketplacecommerceanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 marketplacecommerceanalytics AWS Java SDK :: Services :: AWS Marketplace Commerce Analytics diff --git a/services/marketplacedeployment/pom.xml b/services/marketplacedeployment/pom.xml index 98e49e18e791..ad6bcf19960e 100644 --- a/services/marketplacedeployment/pom.xml +++ b/services/marketplacedeployment/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 marketplacedeployment AWS Java SDK :: Services :: Marketplace Deployment diff --git a/services/marketplaceentitlement/pom.xml b/services/marketplaceentitlement/pom.xml index ac1bccd65196..d650a51e7280 100644 --- a/services/marketplaceentitlement/pom.xml +++ b/services/marketplaceentitlement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 marketplaceentitlement AWS Java SDK :: Services :: AWS Marketplace Entitlement diff --git a/services/marketplacemetering/pom.xml b/services/marketplacemetering/pom.xml index 48bc98cf81c0..4e2256659719 100644 --- a/services/marketplacemetering/pom.xml +++ b/services/marketplacemetering/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 marketplacemetering AWS Java SDK :: Services :: AWS Marketplace Metering Service diff --git a/services/mediaconnect/pom.xml b/services/mediaconnect/pom.xml index 411fb75d787e..81252cf39dc4 100644 --- a/services/mediaconnect/pom.xml +++ b/services/mediaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 mediaconnect AWS Java SDK :: Services :: MediaConnect diff --git a/services/mediaconvert/pom.xml b/services/mediaconvert/pom.xml index 8172ef5f15dc..1808cd92239a 100644 --- a/services/mediaconvert/pom.xml +++ b/services/mediaconvert/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2-SNAPSHOT + 2.28.2 4.0.0 mediaconvert diff --git a/services/medialive/pom.xml b/services/medialive/pom.xml index 5693f85cd899..35d0f0c7982d 100644 --- a/services/medialive/pom.xml +++ b/services/medialive/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2-SNAPSHOT + 2.28.2 4.0.0 medialive diff --git a/services/mediapackage/pom.xml b/services/mediapackage/pom.xml index 565072e17de8..23a8e4290bd1 100644 --- a/services/mediapackage/pom.xml +++ b/services/mediapackage/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2-SNAPSHOT + 2.28.2 4.0.0 mediapackage diff --git a/services/mediapackagev2/pom.xml b/services/mediapackagev2/pom.xml index e7a92fce1750..9ae49bf6aa7a 100644 --- a/services/mediapackagev2/pom.xml +++ b/services/mediapackagev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 mediapackagev2 AWS Java SDK :: Services :: Media Package V2 diff --git a/services/mediapackagevod/pom.xml b/services/mediapackagevod/pom.xml index 7e38f96f8df1..ca39bc3536bc 100644 --- a/services/mediapackagevod/pom.xml +++ b/services/mediapackagevod/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 mediapackagevod AWS Java SDK :: Services :: MediaPackage Vod diff --git a/services/mediastore/pom.xml b/services/mediastore/pom.xml index 36f4f15d4daf..5509743d9ada 100644 --- a/services/mediastore/pom.xml +++ b/services/mediastore/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2-SNAPSHOT + 2.28.2 4.0.0 mediastore diff --git a/services/mediastoredata/pom.xml b/services/mediastoredata/pom.xml index 978a1a1901a0..515c808f544f 100644 --- a/services/mediastoredata/pom.xml +++ b/services/mediastoredata/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2-SNAPSHOT + 2.28.2 4.0.0 mediastoredata diff --git a/services/mediatailor/pom.xml b/services/mediatailor/pom.xml index 236a977df378..c1685d26fd0a 100644 --- a/services/mediatailor/pom.xml +++ b/services/mediatailor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 mediatailor AWS Java SDK :: Services :: MediaTailor diff --git a/services/medicalimaging/pom.xml b/services/medicalimaging/pom.xml index eeae74a987e6..d7e2bd189a06 100644 --- a/services/medicalimaging/pom.xml +++ b/services/medicalimaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 medicalimaging AWS Java SDK :: Services :: Medical Imaging diff --git a/services/memorydb/pom.xml b/services/memorydb/pom.xml index 8494d5113048..77b90267305a 100644 --- a/services/memorydb/pom.xml +++ b/services/memorydb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 memorydb AWS Java SDK :: Services :: Memory DB diff --git a/services/mgn/pom.xml b/services/mgn/pom.xml index 67b2418f3f99..872b7d7feefe 100644 --- a/services/mgn/pom.xml +++ b/services/mgn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 mgn AWS Java SDK :: Services :: Mgn diff --git a/services/migrationhub/pom.xml b/services/migrationhub/pom.xml index 7f461000dc7f..b87358820ea0 100644 --- a/services/migrationhub/pom.xml +++ b/services/migrationhub/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2-SNAPSHOT + 2.28.2 4.0.0 migrationhub diff --git a/services/migrationhubconfig/pom.xml b/services/migrationhubconfig/pom.xml index 79ad74ccd083..47685cd4f308 100644 --- a/services/migrationhubconfig/pom.xml +++ b/services/migrationhubconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 migrationhubconfig AWS Java SDK :: Services :: MigrationHub Config diff --git a/services/migrationhuborchestrator/pom.xml b/services/migrationhuborchestrator/pom.xml index 76fc4ac9db5f..25161f50d49c 100644 --- a/services/migrationhuborchestrator/pom.xml +++ b/services/migrationhuborchestrator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 migrationhuborchestrator AWS Java SDK :: Services :: Migration Hub Orchestrator diff --git a/services/migrationhubrefactorspaces/pom.xml b/services/migrationhubrefactorspaces/pom.xml index 66880cdfbd93..8ed38c25f4f6 100644 --- a/services/migrationhubrefactorspaces/pom.xml +++ b/services/migrationhubrefactorspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 migrationhubrefactorspaces AWS Java SDK :: Services :: Migration Hub Refactor Spaces diff --git a/services/migrationhubstrategy/pom.xml b/services/migrationhubstrategy/pom.xml index 32517c2a8c91..7515b70f6aee 100644 --- a/services/migrationhubstrategy/pom.xml +++ b/services/migrationhubstrategy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 migrationhubstrategy AWS Java SDK :: Services :: Migration Hub Strategy diff --git a/services/mq/pom.xml b/services/mq/pom.xml index fe048f20ae43..7f83cb80ae1a 100644 --- a/services/mq/pom.xml +++ b/services/mq/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2-SNAPSHOT + 2.28.2 4.0.0 mq diff --git a/services/mturk/pom.xml b/services/mturk/pom.xml index 3dc103fa4d37..611a317921aa 100644 --- a/services/mturk/pom.xml +++ b/services/mturk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 mturk AWS Java SDK :: Services :: Amazon Mechanical Turk Requester diff --git a/services/mwaa/pom.xml b/services/mwaa/pom.xml index 81616e8cc592..6a0175ba5fc3 100644 --- a/services/mwaa/pom.xml +++ b/services/mwaa/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 mwaa AWS Java SDK :: Services :: MWAA diff --git a/services/neptune/pom.xml b/services/neptune/pom.xml index fc6a40773dce..50fae7921e09 100644 --- a/services/neptune/pom.xml +++ b/services/neptune/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 neptune AWS Java SDK :: Services :: Neptune diff --git a/services/neptunedata/pom.xml b/services/neptunedata/pom.xml index fcc10846baf6..e818cefbb1bd 100644 --- a/services/neptunedata/pom.xml +++ b/services/neptunedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 neptunedata AWS Java SDK :: Services :: Neptunedata diff --git a/services/neptunegraph/pom.xml b/services/neptunegraph/pom.xml index a0ee39e25a9a..b2cde2958082 100644 --- a/services/neptunegraph/pom.xml +++ b/services/neptunegraph/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 neptunegraph AWS Java SDK :: Services :: Neptune Graph diff --git a/services/networkfirewall/pom.xml b/services/networkfirewall/pom.xml index 90f1d862e256..818e4100ec70 100644 --- a/services/networkfirewall/pom.xml +++ b/services/networkfirewall/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 networkfirewall AWS Java SDK :: Services :: Network Firewall diff --git a/services/networkmanager/pom.xml b/services/networkmanager/pom.xml index 5c918b5dc479..e57275d8e2f4 100644 --- a/services/networkmanager/pom.xml +++ b/services/networkmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 networkmanager AWS Java SDK :: Services :: NetworkManager diff --git a/services/networkmonitor/pom.xml b/services/networkmonitor/pom.xml index 16fee04e929d..8829b0d0b42e 100644 --- a/services/networkmonitor/pom.xml +++ b/services/networkmonitor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 networkmonitor AWS Java SDK :: Services :: Network Monitor diff --git a/services/nimble/pom.xml b/services/nimble/pom.xml index 7e463a947179..d8637501329c 100644 --- a/services/nimble/pom.xml +++ b/services/nimble/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 nimble AWS Java SDK :: Services :: Nimble diff --git a/services/oam/pom.xml b/services/oam/pom.xml index c38c5b63bbde..eb3ad5579498 100644 --- a/services/oam/pom.xml +++ b/services/oam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 oam AWS Java SDK :: Services :: OAM diff --git a/services/omics/pom.xml b/services/omics/pom.xml index bda69536f95c..d32ce608d858 100644 --- a/services/omics/pom.xml +++ b/services/omics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 omics AWS Java SDK :: Services :: Omics diff --git a/services/opensearch/pom.xml b/services/opensearch/pom.xml index b87d1627db1a..d2882dafa937 100644 --- a/services/opensearch/pom.xml +++ b/services/opensearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 opensearch AWS Java SDK :: Services :: Open Search diff --git a/services/opensearchserverless/pom.xml b/services/opensearchserverless/pom.xml index 10f2a9ec6b52..4bba5bd795be 100644 --- a/services/opensearchserverless/pom.xml +++ b/services/opensearchserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 opensearchserverless AWS Java SDK :: Services :: Open Search Serverless diff --git a/services/opsworks/pom.xml b/services/opsworks/pom.xml index efd30a57b95e..c1656a91f57d 100644 --- a/services/opsworks/pom.xml +++ b/services/opsworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 opsworks AWS Java SDK :: Services :: AWS OpsWorks diff --git a/services/opsworkscm/pom.xml b/services/opsworkscm/pom.xml index ab3a6fd4be2e..0cd88d33a860 100644 --- a/services/opsworkscm/pom.xml +++ b/services/opsworkscm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 opsworkscm AWS Java SDK :: Services :: AWS OpsWorks for Chef Automate diff --git a/services/organizations/pom.xml b/services/organizations/pom.xml index 2f5c11ce2b4e..571829dbbe24 100644 --- a/services/organizations/pom.xml +++ b/services/organizations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 organizations AWS Java SDK :: Services :: AWS Organizations diff --git a/services/osis/pom.xml b/services/osis/pom.xml index 9bc8db33ec59..4e331821f177 100644 --- a/services/osis/pom.xml +++ b/services/osis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 osis AWS Java SDK :: Services :: OSIS diff --git a/services/outposts/pom.xml b/services/outposts/pom.xml index e63ac99fc961..a6e108c615f6 100644 --- a/services/outposts/pom.xml +++ b/services/outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 outposts AWS Java SDK :: Services :: Outposts diff --git a/services/panorama/pom.xml b/services/panorama/pom.xml index a99a0ead8cbd..30ea8077d0f7 100644 --- a/services/panorama/pom.xml +++ b/services/panorama/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 panorama AWS Java SDK :: Services :: Panorama diff --git a/services/paymentcryptography/pom.xml b/services/paymentcryptography/pom.xml index e942e270b3ba..fb178e817956 100644 --- a/services/paymentcryptography/pom.xml +++ b/services/paymentcryptography/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 paymentcryptography AWS Java SDK :: Services :: Payment Cryptography diff --git a/services/paymentcryptographydata/pom.xml b/services/paymentcryptographydata/pom.xml index 6659d54efda0..184675bf958b 100644 --- a/services/paymentcryptographydata/pom.xml +++ b/services/paymentcryptographydata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 paymentcryptographydata AWS Java SDK :: Services :: Payment Cryptography Data diff --git a/services/pcaconnectorad/pom.xml b/services/pcaconnectorad/pom.xml index c1613b60ab1b..484abee4e55e 100644 --- a/services/pcaconnectorad/pom.xml +++ b/services/pcaconnectorad/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 pcaconnectorad AWS Java SDK :: Services :: Pca Connector Ad diff --git a/services/pcaconnectorscep/pom.xml b/services/pcaconnectorscep/pom.xml index 4ab4f728f7d2..867dc29a1c24 100644 --- a/services/pcaconnectorscep/pom.xml +++ b/services/pcaconnectorscep/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 pcaconnectorscep AWS Java SDK :: Services :: Pca Connector Scep diff --git a/services/pcs/pom.xml b/services/pcs/pom.xml index 054e810acc18..6e05ad874fc4 100644 --- a/services/pcs/pom.xml +++ b/services/pcs/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 pcs AWS Java SDK :: Services :: PCS diff --git a/services/personalize/pom.xml b/services/personalize/pom.xml index ec6bea0f1a1e..589a9605fb04 100644 --- a/services/personalize/pom.xml +++ b/services/personalize/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 personalize AWS Java SDK :: Services :: Personalize diff --git a/services/personalizeevents/pom.xml b/services/personalizeevents/pom.xml index 372a65323c09..c72bae4ebc22 100644 --- a/services/personalizeevents/pom.xml +++ b/services/personalizeevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 personalizeevents AWS Java SDK :: Services :: Personalize Events diff --git a/services/personalizeruntime/pom.xml b/services/personalizeruntime/pom.xml index abc0a2322f8b..a92bb89cd572 100644 --- a/services/personalizeruntime/pom.xml +++ b/services/personalizeruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 personalizeruntime AWS Java SDK :: Services :: Personalize Runtime diff --git a/services/pi/pom.xml b/services/pi/pom.xml index e5d58d95849e..462d4250d3d9 100644 --- a/services/pi/pom.xml +++ b/services/pi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 pi AWS Java SDK :: Services :: PI diff --git a/services/pinpoint/pom.xml b/services/pinpoint/pom.xml index 0504725574b5..677dd814c94d 100644 --- a/services/pinpoint/pom.xml +++ b/services/pinpoint/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 pinpoint AWS Java SDK :: Services :: Amazon Pinpoint diff --git a/services/pinpointemail/pom.xml b/services/pinpointemail/pom.xml index c3ad5137eebd..d098dd164e68 100644 --- a/services/pinpointemail/pom.xml +++ b/services/pinpointemail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 pinpointemail AWS Java SDK :: Services :: Pinpoint Email diff --git a/services/pinpointsmsvoice/pom.xml b/services/pinpointsmsvoice/pom.xml index 56ee4d1f5840..942554d3df00 100644 --- a/services/pinpointsmsvoice/pom.xml +++ b/services/pinpointsmsvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 pinpointsmsvoice AWS Java SDK :: Services :: Pinpoint SMS Voice diff --git a/services/pinpointsmsvoicev2/pom.xml b/services/pinpointsmsvoicev2/pom.xml index e778f97bf463..accbbf0fa1aa 100644 --- a/services/pinpointsmsvoicev2/pom.xml +++ b/services/pinpointsmsvoicev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 pinpointsmsvoicev2 AWS Java SDK :: Services :: Pinpoint SMS Voice V2 diff --git a/services/pipes/pom.xml b/services/pipes/pom.xml index e9432c3abefb..c8237dbb28e9 100644 --- a/services/pipes/pom.xml +++ b/services/pipes/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 pipes AWS Java SDK :: Services :: Pipes diff --git a/services/polly/pom.xml b/services/polly/pom.xml index 5c4fdcd19aec..708c6dc34b95 100644 --- a/services/polly/pom.xml +++ b/services/polly/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 polly AWS Java SDK :: Services :: Amazon Polly diff --git a/services/pom.xml b/services/pom.xml index c5772096dc1e..7fda38faf512 100644 --- a/services/pom.xml +++ b/services/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.2-SNAPSHOT + 2.28.2 services AWS Java SDK :: Services diff --git a/services/pricing/pom.xml b/services/pricing/pom.xml index 1a4d293e29d8..c1785c8ae54e 100644 --- a/services/pricing/pom.xml +++ b/services/pricing/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2-SNAPSHOT + 2.28.2 4.0.0 pricing diff --git a/services/privatenetworks/pom.xml b/services/privatenetworks/pom.xml index 61a37defdb77..8818b6afc79a 100644 --- a/services/privatenetworks/pom.xml +++ b/services/privatenetworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 privatenetworks AWS Java SDK :: Services :: Private Networks diff --git a/services/proton/pom.xml b/services/proton/pom.xml index c8c9664a9334..09c548d17bdb 100644 --- a/services/proton/pom.xml +++ b/services/proton/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 proton AWS Java SDK :: Services :: Proton diff --git a/services/qapps/pom.xml b/services/qapps/pom.xml index f978996f5c63..4a82c6882209 100644 --- a/services/qapps/pom.xml +++ b/services/qapps/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 qapps AWS Java SDK :: Services :: Q Apps diff --git a/services/qbusiness/pom.xml b/services/qbusiness/pom.xml index 33bb101e91dd..dd652c32132b 100644 --- a/services/qbusiness/pom.xml +++ b/services/qbusiness/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 qbusiness AWS Java SDK :: Services :: Q Business diff --git a/services/qconnect/pom.xml b/services/qconnect/pom.xml index 223b5827f25f..f0e1d15c42b6 100644 --- a/services/qconnect/pom.xml +++ b/services/qconnect/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 qconnect AWS Java SDK :: Services :: Q Connect diff --git a/services/qldb/pom.xml b/services/qldb/pom.xml index ffd288e942e0..1a0b0d126b79 100644 --- a/services/qldb/pom.xml +++ b/services/qldb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 qldb AWS Java SDK :: Services :: QLDB diff --git a/services/qldbsession/pom.xml b/services/qldbsession/pom.xml index 0a37cd547f5b..4b6da88691b9 100644 --- a/services/qldbsession/pom.xml +++ b/services/qldbsession/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 qldbsession AWS Java SDK :: Services :: QLDB Session diff --git a/services/quicksight/pom.xml b/services/quicksight/pom.xml index 02dc038ee5f5..b4666acd9ac9 100644 --- a/services/quicksight/pom.xml +++ b/services/quicksight/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 quicksight AWS Java SDK :: Services :: QuickSight diff --git a/services/ram/pom.xml b/services/ram/pom.xml index 4f601b47cf6e..23cb2a248971 100644 --- a/services/ram/pom.xml +++ b/services/ram/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 ram AWS Java SDK :: Services :: RAM diff --git a/services/rbin/pom.xml b/services/rbin/pom.xml index 37c00e07c94a..b6d3b946681d 100644 --- a/services/rbin/pom.xml +++ b/services/rbin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 rbin AWS Java SDK :: Services :: Rbin diff --git a/services/rds/pom.xml b/services/rds/pom.xml index a6fe42001b92..c3fe0813630d 100644 --- a/services/rds/pom.xml +++ b/services/rds/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 rds AWS Java SDK :: Services :: Amazon RDS diff --git a/services/rdsdata/pom.xml b/services/rdsdata/pom.xml index 962812817fd2..ec254af898a7 100644 --- a/services/rdsdata/pom.xml +++ b/services/rdsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 rdsdata AWS Java SDK :: Services :: RDS Data diff --git a/services/redshift/pom.xml b/services/redshift/pom.xml index 484203ac469c..fa56338519bf 100644 --- a/services/redshift/pom.xml +++ b/services/redshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 redshift AWS Java SDK :: Services :: Amazon Redshift diff --git a/services/redshiftdata/pom.xml b/services/redshiftdata/pom.xml index 613c5e81c8fb..ef4514a788dc 100644 --- a/services/redshiftdata/pom.xml +++ b/services/redshiftdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 redshiftdata AWS Java SDK :: Services :: Redshift Data diff --git a/services/redshiftserverless/pom.xml b/services/redshiftserverless/pom.xml index 2c164c35b1fe..a6395772ed5a 100644 --- a/services/redshiftserverless/pom.xml +++ b/services/redshiftserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 redshiftserverless AWS Java SDK :: Services :: Redshift Serverless diff --git a/services/rekognition/pom.xml b/services/rekognition/pom.xml index b08b490ee5a2..c862b35a37be 100644 --- a/services/rekognition/pom.xml +++ b/services/rekognition/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 rekognition AWS Java SDK :: Services :: Amazon Rekognition diff --git a/services/repostspace/pom.xml b/services/repostspace/pom.xml index dafba3cb08c3..11ac85945d44 100644 --- a/services/repostspace/pom.xml +++ b/services/repostspace/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 repostspace AWS Java SDK :: Services :: Repostspace diff --git a/services/resiliencehub/pom.xml b/services/resiliencehub/pom.xml index a2a6098e1fbd..64242b946f50 100644 --- a/services/resiliencehub/pom.xml +++ b/services/resiliencehub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 resiliencehub AWS Java SDK :: Services :: Resiliencehub diff --git a/services/resourceexplorer2/pom.xml b/services/resourceexplorer2/pom.xml index 1dbb83217a31..83e2035a4582 100644 --- a/services/resourceexplorer2/pom.xml +++ b/services/resourceexplorer2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 resourceexplorer2 AWS Java SDK :: Services :: Resource Explorer 2 diff --git a/services/resourcegroups/pom.xml b/services/resourcegroups/pom.xml index bc2a79668b94..2fe6dec7f1e7 100644 --- a/services/resourcegroups/pom.xml +++ b/services/resourcegroups/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2-SNAPSHOT + 2.28.2 4.0.0 resourcegroups diff --git a/services/resourcegroupstaggingapi/pom.xml b/services/resourcegroupstaggingapi/pom.xml index cbffb550ae0d..554988946327 100644 --- a/services/resourcegroupstaggingapi/pom.xml +++ b/services/resourcegroupstaggingapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 resourcegroupstaggingapi AWS Java SDK :: Services :: AWS Resource Groups Tagging API diff --git a/services/robomaker/pom.xml b/services/robomaker/pom.xml index 817172648b2f..d9cba1c5a6ea 100644 --- a/services/robomaker/pom.xml +++ b/services/robomaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 robomaker AWS Java SDK :: Services :: RoboMaker diff --git a/services/rolesanywhere/pom.xml b/services/rolesanywhere/pom.xml index e78a27d6bba3..75906f461d49 100644 --- a/services/rolesanywhere/pom.xml +++ b/services/rolesanywhere/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 rolesanywhere AWS Java SDK :: Services :: Roles Anywhere diff --git a/services/route53/pom.xml b/services/route53/pom.xml index fba848006c57..53bf059c77f8 100644 --- a/services/route53/pom.xml +++ b/services/route53/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 route53 AWS Java SDK :: Services :: Amazon Route53 diff --git a/services/route53domains/pom.xml b/services/route53domains/pom.xml index 02ad8a2f9024..41be38405c9e 100644 --- a/services/route53domains/pom.xml +++ b/services/route53domains/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 route53domains AWS Java SDK :: Services :: Amazon Route53 Domains diff --git a/services/route53profiles/pom.xml b/services/route53profiles/pom.xml index 1478ba6ee03c..911685a8ab14 100644 --- a/services/route53profiles/pom.xml +++ b/services/route53profiles/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 route53profiles AWS Java SDK :: Services :: Route53 Profiles diff --git a/services/route53recoverycluster/pom.xml b/services/route53recoverycluster/pom.xml index 5c87ec18d037..14babb61654b 100644 --- a/services/route53recoverycluster/pom.xml +++ b/services/route53recoverycluster/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 route53recoverycluster AWS Java SDK :: Services :: Route53 Recovery Cluster diff --git a/services/route53recoverycontrolconfig/pom.xml b/services/route53recoverycontrolconfig/pom.xml index 3cb9a64127d2..1bf1aa2ce414 100644 --- a/services/route53recoverycontrolconfig/pom.xml +++ b/services/route53recoverycontrolconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 route53recoverycontrolconfig AWS Java SDK :: Services :: Route53 Recovery Control Config diff --git a/services/route53recoveryreadiness/pom.xml b/services/route53recoveryreadiness/pom.xml index 571f0b73a047..cc7921448995 100644 --- a/services/route53recoveryreadiness/pom.xml +++ b/services/route53recoveryreadiness/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 route53recoveryreadiness AWS Java SDK :: Services :: Route53 Recovery Readiness diff --git a/services/route53resolver/pom.xml b/services/route53resolver/pom.xml index 4cd288a09fc0..53ed266b9014 100644 --- a/services/route53resolver/pom.xml +++ b/services/route53resolver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 route53resolver AWS Java SDK :: Services :: Route53Resolver diff --git a/services/rum/pom.xml b/services/rum/pom.xml index 1e35fce76b14..84379662a023 100644 --- a/services/rum/pom.xml +++ b/services/rum/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 rum AWS Java SDK :: Services :: RUM diff --git a/services/s3/pom.xml b/services/s3/pom.xml index 25527304c376..a154499b6bb8 100644 --- a/services/s3/pom.xml +++ b/services/s3/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 s3 AWS Java SDK :: Services :: Amazon S3 diff --git a/services/s3control/pom.xml b/services/s3control/pom.xml index b16cd0f750c5..b70bdf90df4d 100644 --- a/services/s3control/pom.xml +++ b/services/s3control/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 s3control AWS Java SDK :: Services :: Amazon S3 Control diff --git a/services/s3outposts/pom.xml b/services/s3outposts/pom.xml index deb7493b4610..6615711644cd 100644 --- a/services/s3outposts/pom.xml +++ b/services/s3outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 s3outposts AWS Java SDK :: Services :: S3 Outposts diff --git a/services/sagemaker/pom.xml b/services/sagemaker/pom.xml index cd0e51a3d499..558d728b8249 100644 --- a/services/sagemaker/pom.xml +++ b/services/sagemaker/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2-SNAPSHOT + 2.28.2 4.0.0 sagemaker diff --git a/services/sagemakera2iruntime/pom.xml b/services/sagemakera2iruntime/pom.xml index 403ad457c274..f411b1f013e8 100644 --- a/services/sagemakera2iruntime/pom.xml +++ b/services/sagemakera2iruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 sagemakera2iruntime AWS Java SDK :: Services :: SageMaker A2I Runtime diff --git a/services/sagemakeredge/pom.xml b/services/sagemakeredge/pom.xml index c4bb02686767..448bf4ce7a99 100644 --- a/services/sagemakeredge/pom.xml +++ b/services/sagemakeredge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 sagemakeredge AWS Java SDK :: Services :: Sagemaker Edge diff --git a/services/sagemakerfeaturestoreruntime/pom.xml b/services/sagemakerfeaturestoreruntime/pom.xml index bc83245c19ad..d620677f48a6 100644 --- a/services/sagemakerfeaturestoreruntime/pom.xml +++ b/services/sagemakerfeaturestoreruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 sagemakerfeaturestoreruntime AWS Java SDK :: Services :: Sage Maker Feature Store Runtime diff --git a/services/sagemakergeospatial/pom.xml b/services/sagemakergeospatial/pom.xml index d143ebd392d5..7d1e6027458f 100644 --- a/services/sagemakergeospatial/pom.xml +++ b/services/sagemakergeospatial/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 sagemakergeospatial AWS Java SDK :: Services :: Sage Maker Geospatial diff --git a/services/sagemakermetrics/pom.xml b/services/sagemakermetrics/pom.xml index 6465b63a5d94..b6e1278f2c29 100644 --- a/services/sagemakermetrics/pom.xml +++ b/services/sagemakermetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 sagemakermetrics AWS Java SDK :: Services :: Sage Maker Metrics diff --git a/services/sagemakerruntime/pom.xml b/services/sagemakerruntime/pom.xml index 75999df886d5..ea8c9356166f 100644 --- a/services/sagemakerruntime/pom.xml +++ b/services/sagemakerruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 sagemakerruntime AWS Java SDK :: Services :: SageMaker Runtime diff --git a/services/savingsplans/pom.xml b/services/savingsplans/pom.xml index c78f31d37e43..cadbcff84953 100644 --- a/services/savingsplans/pom.xml +++ b/services/savingsplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 savingsplans AWS Java SDK :: Services :: Savingsplans diff --git a/services/scheduler/pom.xml b/services/scheduler/pom.xml index a32a4509edca..264a1b05acd1 100644 --- a/services/scheduler/pom.xml +++ b/services/scheduler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 scheduler AWS Java SDK :: Services :: Scheduler diff --git a/services/schemas/pom.xml b/services/schemas/pom.xml index c8a8eed1de2c..1b584f24f5c6 100644 --- a/services/schemas/pom.xml +++ b/services/schemas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 schemas AWS Java SDK :: Services :: Schemas diff --git a/services/secretsmanager/pom.xml b/services/secretsmanager/pom.xml index 27c28b80f535..7300f2330144 100644 --- a/services/secretsmanager/pom.xml +++ b/services/secretsmanager/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 secretsmanager AWS Java SDK :: Services :: AWS Secrets Manager diff --git a/services/securityhub/pom.xml b/services/securityhub/pom.xml index 420127669712..dc72c5e15ed5 100644 --- a/services/securityhub/pom.xml +++ b/services/securityhub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 securityhub AWS Java SDK :: Services :: SecurityHub diff --git a/services/securitylake/pom.xml b/services/securitylake/pom.xml index 9f60cf092c36..fb94d7de6567 100644 --- a/services/securitylake/pom.xml +++ b/services/securitylake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 securitylake AWS Java SDK :: Services :: Security Lake diff --git a/services/serverlessapplicationrepository/pom.xml b/services/serverlessapplicationrepository/pom.xml index 6c2f86366b48..28505012d249 100644 --- a/services/serverlessapplicationrepository/pom.xml +++ b/services/serverlessapplicationrepository/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2-SNAPSHOT + 2.28.2 4.0.0 serverlessapplicationrepository diff --git a/services/servicecatalog/pom.xml b/services/servicecatalog/pom.xml index 13cef8a7fb46..f7538b0ebff3 100644 --- a/services/servicecatalog/pom.xml +++ b/services/servicecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 servicecatalog AWS Java SDK :: Services :: AWS Service Catalog diff --git a/services/servicecatalogappregistry/pom.xml b/services/servicecatalogappregistry/pom.xml index ce6ad2cd6073..0b353b0277e9 100644 --- a/services/servicecatalogappregistry/pom.xml +++ b/services/servicecatalogappregistry/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 servicecatalogappregistry AWS Java SDK :: Services :: Service Catalog App Registry diff --git a/services/servicediscovery/pom.xml b/services/servicediscovery/pom.xml index da6b2349f338..6a6620917548 100644 --- a/services/servicediscovery/pom.xml +++ b/services/servicediscovery/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2-SNAPSHOT + 2.28.2 4.0.0 servicediscovery diff --git a/services/servicequotas/pom.xml b/services/servicequotas/pom.xml index ad64f06b0455..6a99a5a9e7b3 100644 --- a/services/servicequotas/pom.xml +++ b/services/servicequotas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 servicequotas AWS Java SDK :: Services :: Service Quotas diff --git a/services/ses/pom.xml b/services/ses/pom.xml index 0f31a395b6b4..b59af0db4331 100644 --- a/services/ses/pom.xml +++ b/services/ses/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 ses AWS Java SDK :: Services :: Amazon SES diff --git a/services/sesv2/pom.xml b/services/sesv2/pom.xml index 0ed04d5ba3fe..313f0a8665e3 100644 --- a/services/sesv2/pom.xml +++ b/services/sesv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 sesv2 AWS Java SDK :: Services :: SESv2 diff --git a/services/sfn/pom.xml b/services/sfn/pom.xml index 1bd1308da751..74e60117e23a 100644 --- a/services/sfn/pom.xml +++ b/services/sfn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 sfn AWS Java SDK :: Services :: AWS Step Functions diff --git a/services/shield/pom.xml b/services/shield/pom.xml index f74d15405911..5116b92bcb80 100644 --- a/services/shield/pom.xml +++ b/services/shield/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 shield AWS Java SDK :: Services :: AWS Shield diff --git a/services/signer/pom.xml b/services/signer/pom.xml index cc5ea37bf294..1edeb2fbcbf8 100644 --- a/services/signer/pom.xml +++ b/services/signer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 signer AWS Java SDK :: Services :: Signer diff --git a/services/simspaceweaver/pom.xml b/services/simspaceweaver/pom.xml index 7f7cafbb1763..f82cd50fb07e 100644 --- a/services/simspaceweaver/pom.xml +++ b/services/simspaceweaver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 simspaceweaver AWS Java SDK :: Services :: Sim Space Weaver diff --git a/services/sms/pom.xml b/services/sms/pom.xml index cc00e90f66f5..a5e724e99357 100644 --- a/services/sms/pom.xml +++ b/services/sms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 sms AWS Java SDK :: Services :: AWS Server Migration diff --git a/services/snowball/pom.xml b/services/snowball/pom.xml index 87c7fd5db65c..a5ad23586a30 100644 --- a/services/snowball/pom.xml +++ b/services/snowball/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 snowball AWS Java SDK :: Services :: Amazon Snowball diff --git a/services/snowdevicemanagement/pom.xml b/services/snowdevicemanagement/pom.xml index f92457f0409f..8599d2243321 100644 --- a/services/snowdevicemanagement/pom.xml +++ b/services/snowdevicemanagement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 snowdevicemanagement AWS Java SDK :: Services :: Snow Device Management diff --git a/services/sns/pom.xml b/services/sns/pom.xml index 3c6bc4c8d1c2..346cf01d941b 100644 --- a/services/sns/pom.xml +++ b/services/sns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 sns AWS Java SDK :: Services :: Amazon SNS diff --git a/services/sqs/pom.xml b/services/sqs/pom.xml index 48603554ffed..284b16a36026 100644 --- a/services/sqs/pom.xml +++ b/services/sqs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 sqs AWS Java SDK :: Services :: Amazon SQS diff --git a/services/ssm/pom.xml b/services/ssm/pom.xml index c6fee8fb2c07..465bd8885f64 100644 --- a/services/ssm/pom.xml +++ b/services/ssm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 ssm AWS Java SDK :: Services :: AWS Simple Systems Management (SSM) diff --git a/services/ssmcontacts/pom.xml b/services/ssmcontacts/pom.xml index fe9fa59baaa0..f9977f7a47d2 100644 --- a/services/ssmcontacts/pom.xml +++ b/services/ssmcontacts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 ssmcontacts AWS Java SDK :: Services :: SSM Contacts diff --git a/services/ssmincidents/pom.xml b/services/ssmincidents/pom.xml index c9b681184e12..7fda229d7181 100644 --- a/services/ssmincidents/pom.xml +++ b/services/ssmincidents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 ssmincidents AWS Java SDK :: Services :: SSM Incidents diff --git a/services/ssmquicksetup/pom.xml b/services/ssmquicksetup/pom.xml index 421a383be117..6215de1c5e09 100644 --- a/services/ssmquicksetup/pom.xml +++ b/services/ssmquicksetup/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 ssmquicksetup AWS Java SDK :: Services :: SSM Quick Setup diff --git a/services/ssmsap/pom.xml b/services/ssmsap/pom.xml index 075aaaa5f477..ddbca1698fb8 100644 --- a/services/ssmsap/pom.xml +++ b/services/ssmsap/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 ssmsap AWS Java SDK :: Services :: Ssm Sap diff --git a/services/sso/pom.xml b/services/sso/pom.xml index a36ff9e3653e..f571863ade33 100644 --- a/services/sso/pom.xml +++ b/services/sso/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 sso AWS Java SDK :: Services :: SSO diff --git a/services/ssoadmin/pom.xml b/services/ssoadmin/pom.xml index 2b1f13bc0fe2..c42166e10361 100644 --- a/services/ssoadmin/pom.xml +++ b/services/ssoadmin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 ssoadmin AWS Java SDK :: Services :: SSO Admin diff --git a/services/ssooidc/pom.xml b/services/ssooidc/pom.xml index 9d3094af4425..006794871aa2 100644 --- a/services/ssooidc/pom.xml +++ b/services/ssooidc/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 ssooidc AWS Java SDK :: Services :: SSO OIDC diff --git a/services/storagegateway/pom.xml b/services/storagegateway/pom.xml index f9c77786b791..e0eb642183b7 100644 --- a/services/storagegateway/pom.xml +++ b/services/storagegateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 storagegateway AWS Java SDK :: Services :: AWS Storage Gateway diff --git a/services/sts/pom.xml b/services/sts/pom.xml index 69a6adf008f5..571a78d7e316 100644 --- a/services/sts/pom.xml +++ b/services/sts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 sts AWS Java SDK :: Services :: AWS STS diff --git a/services/supplychain/pom.xml b/services/supplychain/pom.xml index 77b168b2c634..5fe3a38bb46f 100644 --- a/services/supplychain/pom.xml +++ b/services/supplychain/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 supplychain AWS Java SDK :: Services :: Supply Chain diff --git a/services/support/pom.xml b/services/support/pom.xml index bc1976d790c3..5f1a47a4884c 100644 --- a/services/support/pom.xml +++ b/services/support/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 support AWS Java SDK :: Services :: AWS Support diff --git a/services/supportapp/pom.xml b/services/supportapp/pom.xml index 6831e4d95227..2f2f3bdacfd7 100644 --- a/services/supportapp/pom.xml +++ b/services/supportapp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 supportapp AWS Java SDK :: Services :: Support App diff --git a/services/swf/pom.xml b/services/swf/pom.xml index d4ec4873e144..c75942e2a840 100644 --- a/services/swf/pom.xml +++ b/services/swf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 swf AWS Java SDK :: Services :: Amazon SWF diff --git a/services/synthetics/pom.xml b/services/synthetics/pom.xml index 5b22d6eb9ad1..4e720f8b3c39 100644 --- a/services/synthetics/pom.xml +++ b/services/synthetics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 synthetics AWS Java SDK :: Services :: Synthetics diff --git a/services/taxsettings/pom.xml b/services/taxsettings/pom.xml index 213da5c8fe41..44c420b6538c 100644 --- a/services/taxsettings/pom.xml +++ b/services/taxsettings/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 taxsettings AWS Java SDK :: Services :: Tax Settings diff --git a/services/textract/pom.xml b/services/textract/pom.xml index 53eaa36c6db6..a2a9f6cc74ee 100644 --- a/services/textract/pom.xml +++ b/services/textract/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 textract AWS Java SDK :: Services :: Textract diff --git a/services/timestreaminfluxdb/pom.xml b/services/timestreaminfluxdb/pom.xml index 83f5ee7a01df..6d13561e96e4 100644 --- a/services/timestreaminfluxdb/pom.xml +++ b/services/timestreaminfluxdb/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 timestreaminfluxdb AWS Java SDK :: Services :: Timestream Influx DB diff --git a/services/timestreamquery/pom.xml b/services/timestreamquery/pom.xml index 90be3a591369..c5cb0c5307b2 100644 --- a/services/timestreamquery/pom.xml +++ b/services/timestreamquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 timestreamquery AWS Java SDK :: Services :: Timestream Query diff --git a/services/timestreamwrite/pom.xml b/services/timestreamwrite/pom.xml index ef2416b457ee..4dcde7cfb7c1 100644 --- a/services/timestreamwrite/pom.xml +++ b/services/timestreamwrite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 timestreamwrite AWS Java SDK :: Services :: Timestream Write diff --git a/services/tnb/pom.xml b/services/tnb/pom.xml index e3f58d9b7cd8..839f80b74517 100644 --- a/services/tnb/pom.xml +++ b/services/tnb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 tnb AWS Java SDK :: Services :: Tnb diff --git a/services/transcribe/pom.xml b/services/transcribe/pom.xml index 438426a9db83..5c8bfa552be7 100644 --- a/services/transcribe/pom.xml +++ b/services/transcribe/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 transcribe AWS Java SDK :: Services :: Transcribe diff --git a/services/transcribestreaming/pom.xml b/services/transcribestreaming/pom.xml index 75b55787ef80..7bc172581d7c 100644 --- a/services/transcribestreaming/pom.xml +++ b/services/transcribestreaming/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 transcribestreaming AWS Java SDK :: Services :: AWS Transcribe Streaming diff --git a/services/transfer/pom.xml b/services/transfer/pom.xml index 2be4baefd51e..6281ee02eda8 100644 --- a/services/transfer/pom.xml +++ b/services/transfer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 transfer AWS Java SDK :: Services :: Transfer diff --git a/services/translate/pom.xml b/services/translate/pom.xml index df40db803433..94fefda9c494 100644 --- a/services/translate/pom.xml +++ b/services/translate/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2-SNAPSHOT + 2.28.2 4.0.0 translate diff --git a/services/trustedadvisor/pom.xml b/services/trustedadvisor/pom.xml index cbe51b270c7f..c0fe08bd53d1 100644 --- a/services/trustedadvisor/pom.xml +++ b/services/trustedadvisor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 trustedadvisor AWS Java SDK :: Services :: Trusted Advisor diff --git a/services/verifiedpermissions/pom.xml b/services/verifiedpermissions/pom.xml index 962a8b84b5d0..a507a368a2f6 100644 --- a/services/verifiedpermissions/pom.xml +++ b/services/verifiedpermissions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 verifiedpermissions AWS Java SDK :: Services :: Verified Permissions diff --git a/services/voiceid/pom.xml b/services/voiceid/pom.xml index 462811a0e19b..36b8b382c42c 100644 --- a/services/voiceid/pom.xml +++ b/services/voiceid/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 voiceid AWS Java SDK :: Services :: Voice ID diff --git a/services/vpclattice/pom.xml b/services/vpclattice/pom.xml index ea29ff18589f..d0fb858411d7 100644 --- a/services/vpclattice/pom.xml +++ b/services/vpclattice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 vpclattice AWS Java SDK :: Services :: VPC Lattice diff --git a/services/waf/pom.xml b/services/waf/pom.xml index e9d1491ca4b8..06073bd30e36 100644 --- a/services/waf/pom.xml +++ b/services/waf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 waf AWS Java SDK :: Services :: AWS WAF diff --git a/services/wafv2/pom.xml b/services/wafv2/pom.xml index f2b9aded271a..a3429e7acc81 100644 --- a/services/wafv2/pom.xml +++ b/services/wafv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 wafv2 AWS Java SDK :: Services :: WAFV2 diff --git a/services/wellarchitected/pom.xml b/services/wellarchitected/pom.xml index 51a7fc1722b8..dad65a474900 100644 --- a/services/wellarchitected/pom.xml +++ b/services/wellarchitected/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 wellarchitected AWS Java SDK :: Services :: Well Architected diff --git a/services/wisdom/pom.xml b/services/wisdom/pom.xml index 29ce118822f3..3fd40a960ffa 100644 --- a/services/wisdom/pom.xml +++ b/services/wisdom/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 wisdom AWS Java SDK :: Services :: Wisdom diff --git a/services/workdocs/pom.xml b/services/workdocs/pom.xml index c18ba98968fb..7edd562af0b2 100644 --- a/services/workdocs/pom.xml +++ b/services/workdocs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 workdocs AWS Java SDK :: Services :: Amazon WorkDocs diff --git a/services/worklink/pom.xml b/services/worklink/pom.xml index 1568012743c7..4d19700492f0 100644 --- a/services/worklink/pom.xml +++ b/services/worklink/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 worklink AWS Java SDK :: Services :: WorkLink diff --git a/services/workmail/pom.xml b/services/workmail/pom.xml index be655ccbd093..aa1e55665e98 100644 --- a/services/workmail/pom.xml +++ b/services/workmail/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2-SNAPSHOT + 2.28.2 4.0.0 workmail diff --git a/services/workmailmessageflow/pom.xml b/services/workmailmessageflow/pom.xml index b99a0f119086..9a65b9ef20d2 100644 --- a/services/workmailmessageflow/pom.xml +++ b/services/workmailmessageflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 workmailmessageflow AWS Java SDK :: Services :: WorkMailMessageFlow diff --git a/services/workspaces/pom.xml b/services/workspaces/pom.xml index 7f9219f8a13c..9f5a4a292a8b 100644 --- a/services/workspaces/pom.xml +++ b/services/workspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 workspaces AWS Java SDK :: Services :: Amazon WorkSpaces diff --git a/services/workspacesthinclient/pom.xml b/services/workspacesthinclient/pom.xml index 58b1a9898758..65659443a05c 100644 --- a/services/workspacesthinclient/pom.xml +++ b/services/workspacesthinclient/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 workspacesthinclient AWS Java SDK :: Services :: Work Spaces Thin Client diff --git a/services/workspacesweb/pom.xml b/services/workspacesweb/pom.xml index e5da0d4dc66d..5ea821e4dea2 100644 --- a/services/workspacesweb/pom.xml +++ b/services/workspacesweb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 workspacesweb AWS Java SDK :: Services :: Work Spaces Web diff --git a/services/xray/pom.xml b/services/xray/pom.xml index b6e0d3ca07e8..c17188949918 100644 --- a/services/xray/pom.xml +++ b/services/xray/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2-SNAPSHOT + 2.28.2 xray AWS Java SDK :: Services :: AWS X-Ray diff --git a/test/auth-tests/pom.xml b/test/auth-tests/pom.xml index 07d5c8a5b50e..843af780c0ea 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.2-SNAPSHOT + 2.28.2 ../../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 dd7ed423b3d4..cdfd44abd0a8 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.2-SNAPSHOT + 2.28.2 ../../pom.xml 4.0.0 diff --git a/test/bundle-shading-tests/pom.xml b/test/bundle-shading-tests/pom.xml index 398f8b88caec..1dddaf6353a0 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.2-SNAPSHOT + 2.28.2 ../../pom.xml 4.0.0 diff --git a/test/codegen-generated-classes-test/pom.xml b/test/codegen-generated-classes-test/pom.xml index b05b4892a988..c518641f66ce 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.2-SNAPSHOT + 2.28.2 ../../pom.xml diff --git a/test/crt-unavailable-tests/pom.xml b/test/crt-unavailable-tests/pom.xml index 2741da116778..4fb933742087 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.2-SNAPSHOT + 2.28.2 ../../pom.xml 4.0.0 diff --git a/test/http-client-tests/pom.xml b/test/http-client-tests/pom.xml index 8191a238e3d4..d1e0fcc0ae7d 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.2-SNAPSHOT + 2.28.2 ../../pom.xml http-client-tests diff --git a/test/module-path-tests/pom.xml b/test/module-path-tests/pom.xml index ebf661aecd00..a24dbd58645a 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.2-SNAPSHOT + 2.28.2 ../../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 e262c046ea6d..dc7c51927672 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.2-SNAPSHOT + 2.28.2 ../../pom.xml diff --git a/test/protocol-tests-core/pom.xml b/test/protocol-tests-core/pom.xml index 20ab18071af3..29ac3efbb385 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.2-SNAPSHOT + 2.28.2 ../../pom.xml 4.0.0 diff --git a/test/protocol-tests/pom.xml b/test/protocol-tests/pom.xml index 8b1c60e5bb9c..6a9513ca3457 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.2-SNAPSHOT + 2.28.2 ../../pom.xml 4.0.0 diff --git a/test/region-testing/pom.xml b/test/region-testing/pom.xml index 12f671b345c4..27530ff90ea7 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.2-SNAPSHOT + 2.28.2 ../../pom.xml 4.0.0 diff --git a/test/ruleset-testing-core/pom.xml b/test/ruleset-testing-core/pom.xml index 9b402133b626..830d7975fe1a 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.2-SNAPSHOT + 2.28.2 ../../pom.xml 4.0.0 diff --git a/test/s3-benchmarks/pom.xml b/test/s3-benchmarks/pom.xml index 1e0596a7e08b..d0d74966ca78 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.2-SNAPSHOT + 2.28.2 ../../pom.xml 4.0.0 diff --git a/test/sdk-benchmarks/pom.xml b/test/sdk-benchmarks/pom.xml index 5d736a9807d8..b3d696a0c352 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.2-SNAPSHOT + 2.28.2 ../../pom.xml diff --git a/test/sdk-native-image-test/pom.xml b/test/sdk-native-image-test/pom.xml index 4249cf9148b4..68a2cebaef92 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.2-SNAPSHOT + 2.28.2 ../../pom.xml 4.0.0 diff --git a/test/service-test-utils/pom.xml b/test/service-test-utils/pom.xml index 0c3165761605..d60a08132109 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.2-SNAPSHOT + 2.28.2 ../../pom.xml service-test-utils diff --git a/test/stability-tests/pom.xml b/test/stability-tests/pom.xml index da624f639c36..4a36bc3b2f76 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.2-SNAPSHOT + 2.28.2 ../../pom.xml 4.0.0 diff --git a/test/test-utils/pom.xml b/test/test-utils/pom.xml index e9a15dce9327..572adb23c728 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.2-SNAPSHOT + 2.28.2 ../../pom.xml test-utils diff --git a/test/tests-coverage-reporting/pom.xml b/test/tests-coverage-reporting/pom.xml index bd3643557e06..a4151926e3ff 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.2-SNAPSHOT + 2.28.2 ../../pom.xml 4.0.0 diff --git a/test/v2-migration-tests/pom.xml b/test/v2-migration-tests/pom.xml index f2910acbfa44..a8fa61345690 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.2-SNAPSHOT + 2.28.2 ../.. diff --git a/third-party/pom.xml b/third-party/pom.xml index 6045975ed7e3..7f1085e2d040 100644 --- a/third-party/pom.xml +++ b/third-party/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.2-SNAPSHOT + 2.28.2 third-party diff --git a/third-party/third-party-jackson-core/pom.xml b/third-party/third-party-jackson-core/pom.xml index dc6de53d3764..248d5d5b6d2c 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.2-SNAPSHOT + 2.28.2 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 79c9b384fc41..2af2eb8fe22a 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.2-SNAPSHOT + 2.28.2 4.0.0 diff --git a/third-party/third-party-slf4j-api/pom.xml b/third-party/third-party-slf4j-api/pom.xml index 847833de7efb..b67ebd234b66 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.2-SNAPSHOT + 2.28.2 4.0.0 diff --git a/utils/pom.xml b/utils/pom.xml index 02c10d7aabe8..2e445f145888 100644 --- a/utils/pom.xml +++ b/utils/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.2-SNAPSHOT + 2.28.2 4.0.0 diff --git a/v2-migration/pom.xml b/v2-migration/pom.xml index 556ec9a6e862..b93b268ef3e2 100644 --- a/v2-migration/pom.xml +++ b/v2-migration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.2-SNAPSHOT + 2.28.2 ../pom.xml From f9372b5ffec4c23a8d748d71b70129800c55102b Mon Sep 17 00:00:00 2001 From: AWS <> Date: Mon, 16 Sep 2024 19:01:31 +0000 Subject: [PATCH 098/108] Update to next snapshot version: 2.28.3-SNAPSHOT --- 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/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 +- metric-publishers/cloudwatch-metric-publisher/pom.xml | 2 +- metric-publishers/pom.xml | 2 +- pom.xml | 4 ++-- 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 +- services-custom/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/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 +- services/licensemanagerlinuxsubscriptions/pom.xml | 2 +- services/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/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 +- services/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/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/worklink/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 +- test/bundle-logging-bridge-binding-test/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 +- test/old-client-version-compatibility-test/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 +- third-party/third-party-jackson-dataformat-cbor/pom.xml | 2 +- third-party/third-party-slf4j-api/pom.xml | 2 +- utils/pom.xml | 2 +- v2-migration/pom.xml | 2 +- 469 files changed, 470 insertions(+), 470 deletions(-) diff --git a/archetypes/archetype-app-quickstart/pom.xml b/archetypes/archetype-app-quickstart/pom.xml index efd29c115dc0..c90e8bb71eaf 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.2 + 2.28.3-SNAPSHOT 4.0.0 diff --git a/archetypes/archetype-lambda/pom.xml b/archetypes/archetype-lambda/pom.xml index 4694dc4654a4..9d9bc243a648 100644 --- a/archetypes/archetype-lambda/pom.xml +++ b/archetypes/archetype-lambda/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.28.2 + 2.28.3-SNAPSHOT 4.0.0 archetype-lambda diff --git a/archetypes/archetype-tools/pom.xml b/archetypes/archetype-tools/pom.xml index 7d4c13b58014..196ea7e5688f 100644 --- a/archetypes/archetype-tools/pom.xml +++ b/archetypes/archetype-tools/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.28.2 + 2.28.3-SNAPSHOT 4.0.0 diff --git a/archetypes/pom.xml b/archetypes/pom.xml index 73aa8b1d7ca4..04b226642118 100644 --- a/archetypes/pom.xml +++ b/archetypes/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.2 + 2.28.3-SNAPSHOT 4.0.0 archetypes diff --git a/aws-sdk-java/pom.xml b/aws-sdk-java/pom.xml index 89420cf239f2..2360c0c2bf84 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.2 + 2.28.3-SNAPSHOT ../pom.xml aws-sdk-java diff --git a/bom-internal/pom.xml b/bom-internal/pom.xml index 0dc28a224447..255532bd04e5 100644 --- a/bom-internal/pom.xml +++ b/bom-internal/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.2 + 2.28.3-SNAPSHOT 4.0.0 diff --git a/bom/pom.xml b/bom/pom.xml index 997f91afadbb..63769f86a0dd 100644 --- a/bom/pom.xml +++ b/bom/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.2 + 2.28.3-SNAPSHOT ../pom.xml bom diff --git a/bundle-logging-bridge/pom.xml b/bundle-logging-bridge/pom.xml index 1ca23e64b861..a2b2485df790 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.2 + 2.28.3-SNAPSHOT bundle-logging-bridge jar diff --git a/bundle-sdk/pom.xml b/bundle-sdk/pom.xml index 64d94c20e432..32d0828bc1c4 100644 --- a/bundle-sdk/pom.xml +++ b/bundle-sdk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.2 + 2.28.3-SNAPSHOT bundle-sdk jar diff --git a/bundle/pom.xml b/bundle/pom.xml index 2a584315fb8e..b838c20decbd 100644 --- a/bundle/pom.xml +++ b/bundle/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.2 + 2.28.3-SNAPSHOT bundle jar diff --git a/codegen-lite-maven-plugin/pom.xml b/codegen-lite-maven-plugin/pom.xml index b0d02e7fd0a8..796505764c55 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.2 + 2.28.3-SNAPSHOT ../pom.xml codegen-lite-maven-plugin diff --git a/codegen-lite/pom.xml b/codegen-lite/pom.xml index 8cdbf6de7bcd..5bd7072b4146 100644 --- a/codegen-lite/pom.xml +++ b/codegen-lite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.2 + 2.28.3-SNAPSHOT codegen-lite AWS Java SDK :: Code Generator Lite diff --git a/codegen-maven-plugin/pom.xml b/codegen-maven-plugin/pom.xml index 36d6a0f4af06..2a0f97f3e182 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.2 + 2.28.3-SNAPSHOT ../pom.xml codegen-maven-plugin diff --git a/codegen/pom.xml b/codegen/pom.xml index 5eb74963ccfe..82d317dd42dd 100644 --- a/codegen/pom.xml +++ b/codegen/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.2 + 2.28.3-SNAPSHOT codegen AWS Java SDK :: Code Generator diff --git a/core/annotations/pom.xml b/core/annotations/pom.xml index 83c8e264a195..ee59d6061534 100644 --- a/core/annotations/pom.xml +++ b/core/annotations/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.2 + 2.28.3-SNAPSHOT 4.0.0 diff --git a/core/arns/pom.xml b/core/arns/pom.xml index 9ffc209c3678..b85eda9c78a5 100644 --- a/core/arns/pom.xml +++ b/core/arns/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.2 + 2.28.3-SNAPSHOT 4.0.0 diff --git a/core/auth-crt/pom.xml b/core/auth-crt/pom.xml index ee16b511bcfc..396df1f592e1 100644 --- a/core/auth-crt/pom.xml +++ b/core/auth-crt/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.2 + 2.28.3-SNAPSHOT auth-crt diff --git a/core/auth/pom.xml b/core/auth/pom.xml index 9825acc4b935..02ee1856c3b0 100644 --- a/core/auth/pom.xml +++ b/core/auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.2 + 2.28.3-SNAPSHOT auth diff --git a/core/aws-core/pom.xml b/core/aws-core/pom.xml index 94f744211447..903e3d130d1b 100644 --- a/core/aws-core/pom.xml +++ b/core/aws-core/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.2 + 2.28.3-SNAPSHOT aws-core diff --git a/core/checksums-spi/pom.xml b/core/checksums-spi/pom.xml index 062c8cb4247c..80e719316cca 100644 --- a/core/checksums-spi/pom.xml +++ b/core/checksums-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.2 + 2.28.3-SNAPSHOT checksums-spi diff --git a/core/checksums/pom.xml b/core/checksums/pom.xml index 3f0473b81612..ec68164df342 100644 --- a/core/checksums/pom.xml +++ b/core/checksums/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.2 + 2.28.3-SNAPSHOT checksums diff --git a/core/crt-core/pom.xml b/core/crt-core/pom.xml index 11a46b895456..a3b65e45cd57 100644 --- a/core/crt-core/pom.xml +++ b/core/crt-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.28.2 + 2.28.3-SNAPSHOT crt-core diff --git a/core/endpoints-spi/pom.xml b/core/endpoints-spi/pom.xml index dacfc6ff887e..6f475509b96c 100644 --- a/core/endpoints-spi/pom.xml +++ b/core/endpoints-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.2 + 2.28.3-SNAPSHOT 4.0.0 diff --git a/core/http-auth-aws-crt/pom.xml b/core/http-auth-aws-crt/pom.xml index 17b0f923ec2c..5c2e4b4798a3 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.2 + 2.28.3-SNAPSHOT http-auth-aws-crt diff --git a/core/http-auth-aws-eventstream/pom.xml b/core/http-auth-aws-eventstream/pom.xml index c1a1ccc7eef3..d984d17eb233 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.2 + 2.28.3-SNAPSHOT http-auth-aws-eventstream diff --git a/core/http-auth-aws/pom.xml b/core/http-auth-aws/pom.xml index eb99477b3932..7f571d46a684 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.2 + 2.28.3-SNAPSHOT http-auth-aws diff --git a/core/http-auth-spi/pom.xml b/core/http-auth-spi/pom.xml index 2b12503b2526..f57e85d48c3e 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.2 + 2.28.3-SNAPSHOT http-auth-spi diff --git a/core/http-auth/pom.xml b/core/http-auth/pom.xml index 82430f1a8aa9..c9d1cd2d8339 100644 --- a/core/http-auth/pom.xml +++ b/core/http-auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.2 + 2.28.3-SNAPSHOT http-auth diff --git a/core/identity-spi/pom.xml b/core/identity-spi/pom.xml index 88f16fb32264..83dfbb305b7b 100644 --- a/core/identity-spi/pom.xml +++ b/core/identity-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.2 + 2.28.3-SNAPSHOT identity-spi diff --git a/core/imds/pom.xml b/core/imds/pom.xml index 53cb65f18bd9..f03fcdfc6358 100644 --- a/core/imds/pom.xml +++ b/core/imds/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.2 + 2.28.3-SNAPSHOT 4.0.0 imds diff --git a/core/json-utils/pom.xml b/core/json-utils/pom.xml index b396d84fdcbc..4683b0cc8094 100644 --- a/core/json-utils/pom.xml +++ b/core/json-utils/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.2 + 2.28.3-SNAPSHOT 4.0.0 diff --git a/core/metrics-spi/pom.xml b/core/metrics-spi/pom.xml index 06a2c9b4e238..e14cb186f7ae 100644 --- a/core/metrics-spi/pom.xml +++ b/core/metrics-spi/pom.xml @@ -5,7 +5,7 @@ core software.amazon.awssdk - 2.28.2 + 2.28.3-SNAPSHOT 4.0.0 diff --git a/core/pom.xml b/core/pom.xml index b2456b5963d3..a9ad45306cee 100644 --- a/core/pom.xml +++ b/core/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.2 + 2.28.3-SNAPSHOT core diff --git a/core/profiles/pom.xml b/core/profiles/pom.xml index 0d3b01144c1e..69ca25639a83 100644 --- a/core/profiles/pom.xml +++ b/core/profiles/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.2 + 2.28.3-SNAPSHOT profiles diff --git a/core/protocols/aws-cbor-protocol/pom.xml b/core/protocols/aws-cbor-protocol/pom.xml index a83c2d2c8858..9b4d198a3762 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.2 + 2.28.3-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-json-protocol/pom.xml b/core/protocols/aws-json-protocol/pom.xml index 1c6bcda5fdc6..0744f1fab197 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.2 + 2.28.3-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-query-protocol/pom.xml b/core/protocols/aws-query-protocol/pom.xml index 6151c7101a14..9a84b88cabe0 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.2 + 2.28.3-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-xml-protocol/pom.xml b/core/protocols/aws-xml-protocol/pom.xml index 56d2937f92dd..91f4d25cba28 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.2 + 2.28.3-SNAPSHOT 4.0.0 diff --git a/core/protocols/pom.xml b/core/protocols/pom.xml index 47fc93682b56..f29813eef894 100644 --- a/core/protocols/pom.xml +++ b/core/protocols/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.2 + 2.28.3-SNAPSHOT 4.0.0 diff --git a/core/protocols/protocol-core/pom.xml b/core/protocols/protocol-core/pom.xml index 3fab64e5f980..70f3681f9148 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.2 + 2.28.3-SNAPSHOT 4.0.0 diff --git a/core/regions/pom.xml b/core/regions/pom.xml index f869da3e01ca..57907e38321f 100644 --- a/core/regions/pom.xml +++ b/core/regions/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.2 + 2.28.3-SNAPSHOT regions diff --git a/core/retries-spi/pom.xml b/core/retries-spi/pom.xml index 30b1886847f8..42f7eea9ccee 100644 --- a/core/retries-spi/pom.xml +++ b/core/retries-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.2 + 2.28.3-SNAPSHOT 4.0.0 diff --git a/core/retries/pom.xml b/core/retries/pom.xml index 0cc15126d1ab..c11245e1fba2 100644 --- a/core/retries/pom.xml +++ b/core/retries/pom.xml @@ -21,7 +21,7 @@ core software.amazon.awssdk - 2.28.2 + 2.28.3-SNAPSHOT 4.0.0 diff --git a/core/sdk-core/pom.xml b/core/sdk-core/pom.xml index 66df23526bff..dcd521a0a1a2 100644 --- a/core/sdk-core/pom.xml +++ b/core/sdk-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.28.2 + 2.28.3-SNAPSHOT sdk-core AWS Java SDK :: SDK Core diff --git a/http-client-spi/pom.xml b/http-client-spi/pom.xml index 29fee9824eaa..41693cc98da5 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.2 + 2.28.3-SNAPSHOT http-client-spi AWS Java SDK :: HTTP Client Interface diff --git a/http-clients/apache-client/pom.xml b/http-clients/apache-client/pom.xml index e8cb9b3f1c46..b97f0c0cba9e 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.2 + 2.28.3-SNAPSHOT apache-client diff --git a/http-clients/aws-crt-client/pom.xml b/http-clients/aws-crt-client/pom.xml index c067c7d30b9b..f935c1bf48e1 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.2 + 2.28.3-SNAPSHOT 4.0.0 diff --git a/http-clients/netty-nio-client/pom.xml b/http-clients/netty-nio-client/pom.xml index 1be812e388bd..4a722c8889b4 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.2 + 2.28.3-SNAPSHOT 4.0.0 diff --git a/http-clients/pom.xml b/http-clients/pom.xml index 76c157c2c0b5..9cf9e344e955 100644 --- a/http-clients/pom.xml +++ b/http-clients/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.2 + 2.28.3-SNAPSHOT 4.0.0 diff --git a/http-clients/url-connection-client/pom.xml b/http-clients/url-connection-client/pom.xml index 92e7f500894f..f79555929634 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.2 + 2.28.3-SNAPSHOT 4.0.0 diff --git a/metric-publishers/cloudwatch-metric-publisher/pom.xml b/metric-publishers/cloudwatch-metric-publisher/pom.xml index 2084971bc309..7faab316baca 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.2 + 2.28.3-SNAPSHOT cloudwatch-metric-publisher diff --git a/metric-publishers/pom.xml b/metric-publishers/pom.xml index 96eeb3191dbb..b0110f79cf96 100644 --- a/metric-publishers/pom.xml +++ b/metric-publishers/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.2 + 2.28.3-SNAPSHOT metric-publishers diff --git a/pom.xml b/pom.xml index bb449849ebc8..4d8f6b50e6a9 100644 --- a/pom.xml +++ b/pom.xml @@ -20,7 +20,7 @@ 4.0.0 software.amazon.awssdk aws-sdk-java-pom - 2.28.2 + 2.28.3-SNAPSHOT pom AWS Java SDK :: Parent The Amazon Web Services SDK for Java provides Java APIs @@ -99,7 +99,7 @@ ${project.version} - 2.28.1 + 2.28.2 2.15.2 2.15.2 2.13.2 diff --git a/release-scripts/pom.xml b/release-scripts/pom.xml index ab09e598efed..004b6cf974cc 100644 --- a/release-scripts/pom.xml +++ b/release-scripts/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.2 + 2.28.3-SNAPSHOT ../pom.xml release-scripts diff --git a/services-custom/dynamodb-enhanced/pom.xml b/services-custom/dynamodb-enhanced/pom.xml index b3ed4acd3f4c..8bfe729cd766 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.2 + 2.28.3-SNAPSHOT dynamodb-enhanced AWS Java SDK :: DynamoDB :: Enhanced Client diff --git a/services-custom/iam-policy-builder/pom.xml b/services-custom/iam-policy-builder/pom.xml index b9be001747ec..74954ca8f88a 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.2 + 2.28.3-SNAPSHOT ../../pom.xml iam-policy-builder diff --git a/services-custom/pom.xml b/services-custom/pom.xml index 49e17596b46a..98ea8e55affd 100644 --- a/services-custom/pom.xml +++ b/services-custom/pom.xml @@ -19,7 +19,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.2 + 2.28.3-SNAPSHOT services-custom AWS Java SDK :: Custom Services diff --git a/services-custom/s3-event-notifications/pom.xml b/services-custom/s3-event-notifications/pom.xml index e59c7c09e9b0..b2a14620f4f7 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.2 + 2.28.3-SNAPSHOT ../../pom.xml s3-event-notifications diff --git a/services-custom/s3-transfer-manager/pom.xml b/services-custom/s3-transfer-manager/pom.xml index 6c6413d120a4..e527f1d9bf98 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.2 + 2.28.3-SNAPSHOT ../../pom.xml s3-transfer-manager diff --git a/services/accessanalyzer/pom.xml b/services/accessanalyzer/pom.xml index 59e719780b57..ce609581ddb4 100644 --- a/services/accessanalyzer/pom.xml +++ b/services/accessanalyzer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT accessanalyzer AWS Java SDK :: Services :: AccessAnalyzer diff --git a/services/account/pom.xml b/services/account/pom.xml index 99fe518f82b9..b511ef3e4eec 100644 --- a/services/account/pom.xml +++ b/services/account/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT account AWS Java SDK :: Services :: Account diff --git a/services/acm/pom.xml b/services/acm/pom.xml index cb69ef7ab66f..106405f99c31 100644 --- a/services/acm/pom.xml +++ b/services/acm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT acm AWS Java SDK :: Services :: AWS Certificate Manager diff --git a/services/acmpca/pom.xml b/services/acmpca/pom.xml index 496b46fbbc87..2c478159dd43 100644 --- a/services/acmpca/pom.xml +++ b/services/acmpca/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT acmpca AWS Java SDK :: Services :: ACM PCA diff --git a/services/amp/pom.xml b/services/amp/pom.xml index 1963ab151b05..eeed6a49b66f 100644 --- a/services/amp/pom.xml +++ b/services/amp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT amp AWS Java SDK :: Services :: Amp diff --git a/services/amplify/pom.xml b/services/amplify/pom.xml index f30b954ac63f..1079f7b85a7c 100644 --- a/services/amplify/pom.xml +++ b/services/amplify/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT amplify AWS Java SDK :: Services :: Amplify diff --git a/services/amplifybackend/pom.xml b/services/amplifybackend/pom.xml index 87afd53a880f..955189b067b3 100644 --- a/services/amplifybackend/pom.xml +++ b/services/amplifybackend/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT amplifybackend AWS Java SDK :: Services :: Amplify Backend diff --git a/services/amplifyuibuilder/pom.xml b/services/amplifyuibuilder/pom.xml index 42555fbe035f..154f85edafc5 100644 --- a/services/amplifyuibuilder/pom.xml +++ b/services/amplifyuibuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT amplifyuibuilder AWS Java SDK :: Services :: Amplify UI Builder diff --git a/services/apigateway/pom.xml b/services/apigateway/pom.xml index 115c98ac0b15..e7fb2aa79729 100644 --- a/services/apigateway/pom.xml +++ b/services/apigateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT apigateway AWS Java SDK :: Services :: Amazon API Gateway diff --git a/services/apigatewaymanagementapi/pom.xml b/services/apigatewaymanagementapi/pom.xml index 6b7c7b5a60c7..6596a046e964 100644 --- a/services/apigatewaymanagementapi/pom.xml +++ b/services/apigatewaymanagementapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT apigatewaymanagementapi AWS Java SDK :: Services :: ApiGatewayManagementApi diff --git a/services/apigatewayv2/pom.xml b/services/apigatewayv2/pom.xml index e7d60a35ef2b..16e54d8a8cad 100644 --- a/services/apigatewayv2/pom.xml +++ b/services/apigatewayv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT apigatewayv2 AWS Java SDK :: Services :: ApiGatewayV2 diff --git a/services/appconfig/pom.xml b/services/appconfig/pom.xml index 5549fe70942e..586edec23fdd 100644 --- a/services/appconfig/pom.xml +++ b/services/appconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT appconfig AWS Java SDK :: Services :: AppConfig diff --git a/services/appconfigdata/pom.xml b/services/appconfigdata/pom.xml index f666fe5f5510..6aee929ee2db 100644 --- a/services/appconfigdata/pom.xml +++ b/services/appconfigdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT appconfigdata AWS Java SDK :: Services :: App Config Data diff --git a/services/appfabric/pom.xml b/services/appfabric/pom.xml index d6c469437416..76cef68d5e90 100644 --- a/services/appfabric/pom.xml +++ b/services/appfabric/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT appfabric AWS Java SDK :: Services :: App Fabric diff --git a/services/appflow/pom.xml b/services/appflow/pom.xml index 19ba90ea4a79..3f1b67309de9 100644 --- a/services/appflow/pom.xml +++ b/services/appflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT appflow AWS Java SDK :: Services :: Appflow diff --git a/services/appintegrations/pom.xml b/services/appintegrations/pom.xml index be4b4ebd111d..97025156a9a5 100644 --- a/services/appintegrations/pom.xml +++ b/services/appintegrations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT appintegrations AWS Java SDK :: Services :: App Integrations diff --git a/services/applicationautoscaling/pom.xml b/services/applicationautoscaling/pom.xml index 43892f66e6e2..b7bd3cd0b921 100644 --- a/services/applicationautoscaling/pom.xml +++ b/services/applicationautoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT applicationautoscaling AWS Java SDK :: Services :: AWS Application Auto Scaling diff --git a/services/applicationcostprofiler/pom.xml b/services/applicationcostprofiler/pom.xml index c0d2d71a9358..8cc8178a3938 100644 --- a/services/applicationcostprofiler/pom.xml +++ b/services/applicationcostprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT applicationcostprofiler AWS Java SDK :: Services :: Application Cost Profiler diff --git a/services/applicationdiscovery/pom.xml b/services/applicationdiscovery/pom.xml index 113540b025d7..8ecdc37d76d2 100644 --- a/services/applicationdiscovery/pom.xml +++ b/services/applicationdiscovery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT applicationdiscovery AWS Java SDK :: Services :: AWS Application Discovery Service diff --git a/services/applicationinsights/pom.xml b/services/applicationinsights/pom.xml index d0560eb6e20d..2769126a90ee 100644 --- a/services/applicationinsights/pom.xml +++ b/services/applicationinsights/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT applicationinsights AWS Java SDK :: Services :: Application Insights diff --git a/services/applicationsignals/pom.xml b/services/applicationsignals/pom.xml index b0fdc5d502ba..1d97c327e718 100644 --- a/services/applicationsignals/pom.xml +++ b/services/applicationsignals/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT applicationsignals AWS Java SDK :: Services :: Application Signals diff --git a/services/appmesh/pom.xml b/services/appmesh/pom.xml index f4568104c552..4e1568c6f2dc 100644 --- a/services/appmesh/pom.xml +++ b/services/appmesh/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT appmesh AWS Java SDK :: Services :: App Mesh diff --git a/services/apprunner/pom.xml b/services/apprunner/pom.xml index d19be4039ad7..8b38afe2dd35 100644 --- a/services/apprunner/pom.xml +++ b/services/apprunner/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT apprunner AWS Java SDK :: Services :: App Runner diff --git a/services/appstream/pom.xml b/services/appstream/pom.xml index 915f98b490ff..0957df5fc2f0 100644 --- a/services/appstream/pom.xml +++ b/services/appstream/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT appstream AWS Java SDK :: Services :: Amazon AppStream diff --git a/services/appsync/pom.xml b/services/appsync/pom.xml index 615a914b3f4c..9d975dd9b719 100644 --- a/services/appsync/pom.xml +++ b/services/appsync/pom.xml @@ -21,7 +21,7 @@ services software.amazon.awssdk - 2.28.2 + 2.28.3-SNAPSHOT appsync diff --git a/services/apptest/pom.xml b/services/apptest/pom.xml index e994a4dbfb2b..37cf15c666ef 100644 --- a/services/apptest/pom.xml +++ b/services/apptest/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT apptest AWS Java SDK :: Services :: App Test diff --git a/services/arczonalshift/pom.xml b/services/arczonalshift/pom.xml index 9c6b6a0f67a3..40ea4220b179 100644 --- a/services/arczonalshift/pom.xml +++ b/services/arczonalshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT arczonalshift AWS Java SDK :: Services :: ARC Zonal Shift diff --git a/services/artifact/pom.xml b/services/artifact/pom.xml index 619852751254..bf7f797801c0 100644 --- a/services/artifact/pom.xml +++ b/services/artifact/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT artifact AWS Java SDK :: Services :: Artifact diff --git a/services/athena/pom.xml b/services/athena/pom.xml index 25d500a226c2..b39c27bb405b 100644 --- a/services/athena/pom.xml +++ b/services/athena/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT athena AWS Java SDK :: Services :: Amazon Athena diff --git a/services/auditmanager/pom.xml b/services/auditmanager/pom.xml index a255901bde18..2227e1b8d076 100644 --- a/services/auditmanager/pom.xml +++ b/services/auditmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT auditmanager AWS Java SDK :: Services :: Audit Manager diff --git a/services/autoscaling/pom.xml b/services/autoscaling/pom.xml index 74e01358d05a..8caa5ee0c6ed 100644 --- a/services/autoscaling/pom.xml +++ b/services/autoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT autoscaling AWS Java SDK :: Services :: Auto Scaling diff --git a/services/autoscalingplans/pom.xml b/services/autoscalingplans/pom.xml index e95aa5a2834d..5b02b07ed618 100644 --- a/services/autoscalingplans/pom.xml +++ b/services/autoscalingplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT autoscalingplans AWS Java SDK :: Services :: Auto Scaling Plans diff --git a/services/b2bi/pom.xml b/services/b2bi/pom.xml index 38a744bcef95..6a64b4bbb72d 100644 --- a/services/b2bi/pom.xml +++ b/services/b2bi/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT b2bi AWS Java SDK :: Services :: B2 Bi diff --git a/services/backup/pom.xml b/services/backup/pom.xml index 8a8acc7c0ab7..d0177cf39bf6 100644 --- a/services/backup/pom.xml +++ b/services/backup/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT backup AWS Java SDK :: Services :: Backup diff --git a/services/backupgateway/pom.xml b/services/backupgateway/pom.xml index 8b7567231abf..adb73f27d6c5 100644 --- a/services/backupgateway/pom.xml +++ b/services/backupgateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT backupgateway AWS Java SDK :: Services :: Backup Gateway diff --git a/services/batch/pom.xml b/services/batch/pom.xml index 0ed18f925bed..4363ba800318 100644 --- a/services/batch/pom.xml +++ b/services/batch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT batch AWS Java SDK :: Services :: AWS Batch diff --git a/services/bcmdataexports/pom.xml b/services/bcmdataexports/pom.xml index ee8766be0ab6..fe6ecb90e18b 100644 --- a/services/bcmdataexports/pom.xml +++ b/services/bcmdataexports/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT bcmdataexports AWS Java SDK :: Services :: BCM Data Exports diff --git a/services/bedrock/pom.xml b/services/bedrock/pom.xml index 8de9c9e9c65f..40c3bde2be4b 100644 --- a/services/bedrock/pom.xml +++ b/services/bedrock/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT bedrock AWS Java SDK :: Services :: Bedrock diff --git a/services/bedrockagent/pom.xml b/services/bedrockagent/pom.xml index 2242fcff6947..1d0485c90faf 100644 --- a/services/bedrockagent/pom.xml +++ b/services/bedrockagent/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT bedrockagent AWS Java SDK :: Services :: Bedrock Agent diff --git a/services/bedrockagentruntime/pom.xml b/services/bedrockagentruntime/pom.xml index a07a1a5ee57a..4df016e76f66 100644 --- a/services/bedrockagentruntime/pom.xml +++ b/services/bedrockagentruntime/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT bedrockagentruntime AWS Java SDK :: Services :: Bedrock Agent Runtime diff --git a/services/bedrockruntime/pom.xml b/services/bedrockruntime/pom.xml index 1651262f73d1..db636e61ec40 100644 --- a/services/bedrockruntime/pom.xml +++ b/services/bedrockruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT bedrockruntime AWS Java SDK :: Services :: Bedrock Runtime diff --git a/services/billingconductor/pom.xml b/services/billingconductor/pom.xml index ffc77e00e2ae..0e50a4de84b0 100644 --- a/services/billingconductor/pom.xml +++ b/services/billingconductor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT billingconductor AWS Java SDK :: Services :: Billingconductor diff --git a/services/braket/pom.xml b/services/braket/pom.xml index 326a0bd26e02..1e895b28d368 100644 --- a/services/braket/pom.xml +++ b/services/braket/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT braket AWS Java SDK :: Services :: Braket diff --git a/services/budgets/pom.xml b/services/budgets/pom.xml index 7d670cfab7e2..705826a6bbe4 100644 --- a/services/budgets/pom.xml +++ b/services/budgets/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT budgets AWS Java SDK :: Services :: AWS Budgets diff --git a/services/chatbot/pom.xml b/services/chatbot/pom.xml index 207e8c6bbb81..96ce7c68d03c 100644 --- a/services/chatbot/pom.xml +++ b/services/chatbot/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT chatbot AWS Java SDK :: Services :: Chatbot diff --git a/services/chime/pom.xml b/services/chime/pom.xml index 807a70bb2fd1..7f1bd1e164c8 100644 --- a/services/chime/pom.xml +++ b/services/chime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT chime AWS Java SDK :: Services :: Chime diff --git a/services/chimesdkidentity/pom.xml b/services/chimesdkidentity/pom.xml index 6c245c141c4e..e348207b39a7 100644 --- a/services/chimesdkidentity/pom.xml +++ b/services/chimesdkidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT chimesdkidentity AWS Java SDK :: Services :: Chime SDK Identity diff --git a/services/chimesdkmediapipelines/pom.xml b/services/chimesdkmediapipelines/pom.xml index 5bdd3811c5f9..3a8fd77b43a1 100644 --- a/services/chimesdkmediapipelines/pom.xml +++ b/services/chimesdkmediapipelines/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT chimesdkmediapipelines AWS Java SDK :: Services :: Chime SDK Media Pipelines diff --git a/services/chimesdkmeetings/pom.xml b/services/chimesdkmeetings/pom.xml index d55a6d5ca457..69c111eb8c7d 100644 --- a/services/chimesdkmeetings/pom.xml +++ b/services/chimesdkmeetings/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT chimesdkmeetings AWS Java SDK :: Services :: Chime SDK Meetings diff --git a/services/chimesdkmessaging/pom.xml b/services/chimesdkmessaging/pom.xml index bf12ad041bbd..284e02b68751 100644 --- a/services/chimesdkmessaging/pom.xml +++ b/services/chimesdkmessaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT chimesdkmessaging AWS Java SDK :: Services :: Chime SDK Messaging diff --git a/services/chimesdkvoice/pom.xml b/services/chimesdkvoice/pom.xml index ac21bb949071..7e4144268c2a 100644 --- a/services/chimesdkvoice/pom.xml +++ b/services/chimesdkvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT chimesdkvoice AWS Java SDK :: Services :: Chime SDK Voice diff --git a/services/cleanrooms/pom.xml b/services/cleanrooms/pom.xml index 2aca70419921..84e448e856ce 100644 --- a/services/cleanrooms/pom.xml +++ b/services/cleanrooms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT cleanrooms AWS Java SDK :: Services :: Clean Rooms diff --git a/services/cleanroomsml/pom.xml b/services/cleanroomsml/pom.xml index 62edacebfb60..098ac57d69a2 100644 --- a/services/cleanroomsml/pom.xml +++ b/services/cleanroomsml/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT cleanroomsml AWS Java SDK :: Services :: Clean Rooms ML diff --git a/services/cloud9/pom.xml b/services/cloud9/pom.xml index f6c822f39bbf..8d0697f5ac44 100644 --- a/services/cloud9/pom.xml +++ b/services/cloud9/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2 + 2.28.3-SNAPSHOT 4.0.0 cloud9 diff --git a/services/cloudcontrol/pom.xml b/services/cloudcontrol/pom.xml index ea60e9b07355..c3e4f87e57b9 100644 --- a/services/cloudcontrol/pom.xml +++ b/services/cloudcontrol/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT cloudcontrol AWS Java SDK :: Services :: Cloud Control diff --git a/services/clouddirectory/pom.xml b/services/clouddirectory/pom.xml index 00833553e341..5a44507ededd 100644 --- a/services/clouddirectory/pom.xml +++ b/services/clouddirectory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT clouddirectory AWS Java SDK :: Services :: Amazon CloudDirectory diff --git a/services/cloudformation/pom.xml b/services/cloudformation/pom.xml index 2a563de89742..ed6ab7e9cd48 100644 --- a/services/cloudformation/pom.xml +++ b/services/cloudformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT cloudformation AWS Java SDK :: Services :: AWS CloudFormation diff --git a/services/cloudfront/pom.xml b/services/cloudfront/pom.xml index b0a9839566ff..bb7a15661829 100644 --- a/services/cloudfront/pom.xml +++ b/services/cloudfront/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT cloudfront AWS Java SDK :: Services :: Amazon CloudFront diff --git a/services/cloudfrontkeyvaluestore/pom.xml b/services/cloudfrontkeyvaluestore/pom.xml index f0ddeac6b4bc..cf4d22305362 100644 --- a/services/cloudfrontkeyvaluestore/pom.xml +++ b/services/cloudfrontkeyvaluestore/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT cloudfrontkeyvaluestore AWS Java SDK :: Services :: Cloud Front Key Value Store diff --git a/services/cloudhsm/pom.xml b/services/cloudhsm/pom.xml index d0f8373cd8a9..905fb10763fa 100644 --- a/services/cloudhsm/pom.xml +++ b/services/cloudhsm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT cloudhsm AWS Java SDK :: Services :: AWS CloudHSM diff --git a/services/cloudhsmv2/pom.xml b/services/cloudhsmv2/pom.xml index 6486f8169ffc..faf6acd2abc9 100644 --- a/services/cloudhsmv2/pom.xml +++ b/services/cloudhsmv2/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2 + 2.28.3-SNAPSHOT 4.0.0 cloudhsmv2 diff --git a/services/cloudsearch/pom.xml b/services/cloudsearch/pom.xml index 48d1dcd1d817..ee5c93e69691 100644 --- a/services/cloudsearch/pom.xml +++ b/services/cloudsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT cloudsearch AWS Java SDK :: Services :: Amazon CloudSearch diff --git a/services/cloudsearchdomain/pom.xml b/services/cloudsearchdomain/pom.xml index 3a6d76e79477..7c727a8d6918 100644 --- a/services/cloudsearchdomain/pom.xml +++ b/services/cloudsearchdomain/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT cloudsearchdomain AWS Java SDK :: Services :: Amazon CloudSearch Domain diff --git a/services/cloudtrail/pom.xml b/services/cloudtrail/pom.xml index fef2fecf27b1..fa13e8fd8987 100644 --- a/services/cloudtrail/pom.xml +++ b/services/cloudtrail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT cloudtrail AWS Java SDK :: Services :: AWS CloudTrail diff --git a/services/cloudtraildata/pom.xml b/services/cloudtraildata/pom.xml index ea357661c4bc..973439402da8 100644 --- a/services/cloudtraildata/pom.xml +++ b/services/cloudtraildata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT cloudtraildata AWS Java SDK :: Services :: Cloud Trail Data diff --git a/services/cloudwatch/pom.xml b/services/cloudwatch/pom.xml index 5b46cee649f3..02f868d35f37 100644 --- a/services/cloudwatch/pom.xml +++ b/services/cloudwatch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT cloudwatch AWS Java SDK :: Services :: Amazon CloudWatch diff --git a/services/cloudwatchevents/pom.xml b/services/cloudwatchevents/pom.xml index b96d3b24dc36..724d14b73ff6 100644 --- a/services/cloudwatchevents/pom.xml +++ b/services/cloudwatchevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT cloudwatchevents AWS Java SDK :: Services :: Amazon CloudWatch Events diff --git a/services/cloudwatchlogs/pom.xml b/services/cloudwatchlogs/pom.xml index c5bd4377cbf9..189e9e4e5c08 100644 --- a/services/cloudwatchlogs/pom.xml +++ b/services/cloudwatchlogs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT cloudwatchlogs AWS Java SDK :: Services :: Amazon CloudWatch Logs diff --git a/services/codeartifact/pom.xml b/services/codeartifact/pom.xml index bd2ae9b2fd5c..1062757bad72 100644 --- a/services/codeartifact/pom.xml +++ b/services/codeartifact/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT codeartifact AWS Java SDK :: Services :: Codeartifact diff --git a/services/codebuild/pom.xml b/services/codebuild/pom.xml index 6184c6fcdbda..88d0e37cc086 100644 --- a/services/codebuild/pom.xml +++ b/services/codebuild/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT codebuild AWS Java SDK :: Services :: AWS Code Build diff --git a/services/codecatalyst/pom.xml b/services/codecatalyst/pom.xml index 4dff05c10457..06984569e85e 100644 --- a/services/codecatalyst/pom.xml +++ b/services/codecatalyst/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT codecatalyst AWS Java SDK :: Services :: Code Catalyst diff --git a/services/codecommit/pom.xml b/services/codecommit/pom.xml index bcb9df4cee64..e9ad6db9a6d6 100644 --- a/services/codecommit/pom.xml +++ b/services/codecommit/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT codecommit AWS Java SDK :: Services :: AWS CodeCommit diff --git a/services/codeconnections/pom.xml b/services/codeconnections/pom.xml index 26736d3f8b5c..a9922be78405 100644 --- a/services/codeconnections/pom.xml +++ b/services/codeconnections/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT codeconnections AWS Java SDK :: Services :: Code Connections diff --git a/services/codedeploy/pom.xml b/services/codedeploy/pom.xml index 2f665fa45f2c..a20d9f74f273 100644 --- a/services/codedeploy/pom.xml +++ b/services/codedeploy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT codedeploy AWS Java SDK :: Services :: AWS CodeDeploy diff --git a/services/codeguruprofiler/pom.xml b/services/codeguruprofiler/pom.xml index d60428151b8b..bab83a1e0b1d 100644 --- a/services/codeguruprofiler/pom.xml +++ b/services/codeguruprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT codeguruprofiler AWS Java SDK :: Services :: CodeGuruProfiler diff --git a/services/codegurureviewer/pom.xml b/services/codegurureviewer/pom.xml index 70e86e7e29b8..e0cde6d7ce28 100644 --- a/services/codegurureviewer/pom.xml +++ b/services/codegurureviewer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT codegurureviewer AWS Java SDK :: Services :: CodeGuru Reviewer diff --git a/services/codegurusecurity/pom.xml b/services/codegurusecurity/pom.xml index 7bf72ff8e1c1..5e5a02d80043 100644 --- a/services/codegurusecurity/pom.xml +++ b/services/codegurusecurity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT codegurusecurity AWS Java SDK :: Services :: Code Guru Security diff --git a/services/codepipeline/pom.xml b/services/codepipeline/pom.xml index 4473f557a373..56e06970dc8d 100644 --- a/services/codepipeline/pom.xml +++ b/services/codepipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT codepipeline AWS Java SDK :: Services :: AWS CodePipeline diff --git a/services/codestarconnections/pom.xml b/services/codestarconnections/pom.xml index d3ccfc289d24..fce05446d075 100644 --- a/services/codestarconnections/pom.xml +++ b/services/codestarconnections/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT codestarconnections AWS Java SDK :: Services :: CodeStar connections diff --git a/services/codestarnotifications/pom.xml b/services/codestarnotifications/pom.xml index 03bdb81b1e1d..102478cb59f5 100644 --- a/services/codestarnotifications/pom.xml +++ b/services/codestarnotifications/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT codestarnotifications AWS Java SDK :: Services :: Codestar Notifications diff --git a/services/cognitoidentity/pom.xml b/services/cognitoidentity/pom.xml index d962ed0f37d8..6d34488c082e 100644 --- a/services/cognitoidentity/pom.xml +++ b/services/cognitoidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT cognitoidentity AWS Java SDK :: Services :: Amazon Cognito Identity diff --git a/services/cognitoidentityprovider/pom.xml b/services/cognitoidentityprovider/pom.xml index b8772f62960d..23556823f374 100644 --- a/services/cognitoidentityprovider/pom.xml +++ b/services/cognitoidentityprovider/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT cognitoidentityprovider AWS Java SDK :: Services :: Amazon Cognito Identity Provider Service diff --git a/services/cognitosync/pom.xml b/services/cognitosync/pom.xml index eee38f9cdbc0..425656031b50 100644 --- a/services/cognitosync/pom.xml +++ b/services/cognitosync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT cognitosync AWS Java SDK :: Services :: Amazon Cognito Sync diff --git a/services/comprehend/pom.xml b/services/comprehend/pom.xml index 2c47def571b2..391a5b6e0ab8 100644 --- a/services/comprehend/pom.xml +++ b/services/comprehend/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2 + 2.28.3-SNAPSHOT 4.0.0 comprehend diff --git a/services/comprehendmedical/pom.xml b/services/comprehendmedical/pom.xml index 3f59bb1cdc06..71004943d0e8 100644 --- a/services/comprehendmedical/pom.xml +++ b/services/comprehendmedical/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT comprehendmedical AWS Java SDK :: Services :: ComprehendMedical diff --git a/services/computeoptimizer/pom.xml b/services/computeoptimizer/pom.xml index 6415c4e264ad..0f9240425f2b 100644 --- a/services/computeoptimizer/pom.xml +++ b/services/computeoptimizer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT computeoptimizer AWS Java SDK :: Services :: Compute Optimizer diff --git a/services/config/pom.xml b/services/config/pom.xml index a3aa0f50e6b0..7baeb5253ee1 100644 --- a/services/config/pom.xml +++ b/services/config/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT config AWS Java SDK :: Services :: AWS Config diff --git a/services/connect/pom.xml b/services/connect/pom.xml index 36a93c46b98a..94663c9bd8bd 100644 --- a/services/connect/pom.xml +++ b/services/connect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT connect AWS Java SDK :: Services :: Connect diff --git a/services/connectcampaigns/pom.xml b/services/connectcampaigns/pom.xml index 63ed27767718..0c4077bf46d4 100644 --- a/services/connectcampaigns/pom.xml +++ b/services/connectcampaigns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT connectcampaigns AWS Java SDK :: Services :: Connect Campaigns diff --git a/services/connectcases/pom.xml b/services/connectcases/pom.xml index 195d634333c8..3cd7c1c3176b 100644 --- a/services/connectcases/pom.xml +++ b/services/connectcases/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT connectcases AWS Java SDK :: Services :: Connect Cases diff --git a/services/connectcontactlens/pom.xml b/services/connectcontactlens/pom.xml index 52cde64a35d7..0a56e80cafc2 100644 --- a/services/connectcontactlens/pom.xml +++ b/services/connectcontactlens/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT connectcontactlens AWS Java SDK :: Services :: Connect Contact Lens diff --git a/services/connectparticipant/pom.xml b/services/connectparticipant/pom.xml index 52f85e6a5d98..7265b44fa9e1 100644 --- a/services/connectparticipant/pom.xml +++ b/services/connectparticipant/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT connectparticipant AWS Java SDK :: Services :: ConnectParticipant diff --git a/services/controlcatalog/pom.xml b/services/controlcatalog/pom.xml index c8f687858ba9..1e3d7cc23ce2 100644 --- a/services/controlcatalog/pom.xml +++ b/services/controlcatalog/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT controlcatalog AWS Java SDK :: Services :: Control Catalog diff --git a/services/controltower/pom.xml b/services/controltower/pom.xml index 26f64eee34f1..497fca8433fd 100644 --- a/services/controltower/pom.xml +++ b/services/controltower/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT controltower AWS Java SDK :: Services :: Control Tower diff --git a/services/costandusagereport/pom.xml b/services/costandusagereport/pom.xml index 86d588620ad6..8d4c168c2e3f 100644 --- a/services/costandusagereport/pom.xml +++ b/services/costandusagereport/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT costandusagereport AWS Java SDK :: Services :: AWS Cost and Usage Report diff --git a/services/costexplorer/pom.xml b/services/costexplorer/pom.xml index 3b4df56e8ad8..cfb43576e256 100644 --- a/services/costexplorer/pom.xml +++ b/services/costexplorer/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2 + 2.28.3-SNAPSHOT 4.0.0 costexplorer diff --git a/services/costoptimizationhub/pom.xml b/services/costoptimizationhub/pom.xml index d97def4425bc..4feeb89ccd6c 100644 --- a/services/costoptimizationhub/pom.xml +++ b/services/costoptimizationhub/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT costoptimizationhub AWS Java SDK :: Services :: Cost Optimization Hub diff --git a/services/customerprofiles/pom.xml b/services/customerprofiles/pom.xml index 6f3abf53a470..c508ca0754b4 100644 --- a/services/customerprofiles/pom.xml +++ b/services/customerprofiles/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT customerprofiles AWS Java SDK :: Services :: Customer Profiles diff --git a/services/databasemigration/pom.xml b/services/databasemigration/pom.xml index 50807e91e1f9..31a5accd720c 100644 --- a/services/databasemigration/pom.xml +++ b/services/databasemigration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT databasemigration AWS Java SDK :: Services :: AWS Database Migration Service diff --git a/services/databrew/pom.xml b/services/databrew/pom.xml index 7dffcc6d1c70..85f54a851cdd 100644 --- a/services/databrew/pom.xml +++ b/services/databrew/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT databrew AWS Java SDK :: Services :: Data Brew diff --git a/services/dataexchange/pom.xml b/services/dataexchange/pom.xml index 60858204a4c3..4e7fcbd586b5 100644 --- a/services/dataexchange/pom.xml +++ b/services/dataexchange/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT dataexchange AWS Java SDK :: Services :: DataExchange diff --git a/services/datapipeline/pom.xml b/services/datapipeline/pom.xml index 8b52cc2b714c..b207aec61c44 100644 --- a/services/datapipeline/pom.xml +++ b/services/datapipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT datapipeline AWS Java SDK :: Services :: AWS Data Pipeline diff --git a/services/datasync/pom.xml b/services/datasync/pom.xml index 5aa36d61f351..ac8fd37bba55 100644 --- a/services/datasync/pom.xml +++ b/services/datasync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT datasync AWS Java SDK :: Services :: DataSync diff --git a/services/datazone/pom.xml b/services/datazone/pom.xml index 1e5fcea87d44..38719d8063de 100644 --- a/services/datazone/pom.xml +++ b/services/datazone/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT datazone AWS Java SDK :: Services :: Data Zone diff --git a/services/dax/pom.xml b/services/dax/pom.xml index cbaa06936ede..bc78ba914d46 100644 --- a/services/dax/pom.xml +++ b/services/dax/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT dax AWS Java SDK :: Services :: Amazon DynamoDB Accelerator (DAX) diff --git a/services/deadline/pom.xml b/services/deadline/pom.xml index 22e824dfa9cd..0fc909b5f0c4 100644 --- a/services/deadline/pom.xml +++ b/services/deadline/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT deadline AWS Java SDK :: Services :: Deadline diff --git a/services/detective/pom.xml b/services/detective/pom.xml index a0027b68f14d..5ebb4a64edc9 100644 --- a/services/detective/pom.xml +++ b/services/detective/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT detective AWS Java SDK :: Services :: Detective diff --git a/services/devicefarm/pom.xml b/services/devicefarm/pom.xml index e5a92001737a..6e8a81198a0c 100644 --- a/services/devicefarm/pom.xml +++ b/services/devicefarm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT devicefarm AWS Java SDK :: Services :: AWS Device Farm diff --git a/services/devopsguru/pom.xml b/services/devopsguru/pom.xml index ff6f47210d98..6a5193f9e3bb 100644 --- a/services/devopsguru/pom.xml +++ b/services/devopsguru/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT devopsguru AWS Java SDK :: Services :: Dev Ops Guru diff --git a/services/directconnect/pom.xml b/services/directconnect/pom.xml index 2cb56bb4981e..9f8ccbf4bd18 100644 --- a/services/directconnect/pom.xml +++ b/services/directconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT directconnect AWS Java SDK :: Services :: AWS Direct Connect diff --git a/services/directory/pom.xml b/services/directory/pom.xml index 6cdabde0f4e5..a025eef5e60f 100644 --- a/services/directory/pom.xml +++ b/services/directory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT directory AWS Java SDK :: Services :: AWS Directory Service diff --git a/services/dlm/pom.xml b/services/dlm/pom.xml index ec954af4d687..202c57da49b7 100644 --- a/services/dlm/pom.xml +++ b/services/dlm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT dlm AWS Java SDK :: Services :: DLM diff --git a/services/docdb/pom.xml b/services/docdb/pom.xml index a9cffc506ce9..f66d31a569ba 100644 --- a/services/docdb/pom.xml +++ b/services/docdb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT docdb AWS Java SDK :: Services :: DocDB diff --git a/services/docdbelastic/pom.xml b/services/docdbelastic/pom.xml index e60fffeea588..9b3dc73a6017 100644 --- a/services/docdbelastic/pom.xml +++ b/services/docdbelastic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT docdbelastic AWS Java SDK :: Services :: Doc DB Elastic diff --git a/services/drs/pom.xml b/services/drs/pom.xml index 5cc1ce17a2ed..fc13f0a4a87c 100644 --- a/services/drs/pom.xml +++ b/services/drs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT drs AWS Java SDK :: Services :: Drs diff --git a/services/dynamodb/pom.xml b/services/dynamodb/pom.xml index df9dee1f32d3..8b834a61b59b 100644 --- a/services/dynamodb/pom.xml +++ b/services/dynamodb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT dynamodb AWS Java SDK :: Services :: Amazon DynamoDB diff --git a/services/ebs/pom.xml b/services/ebs/pom.xml index 56512ed3da26..09dc3af0472e 100644 --- a/services/ebs/pom.xml +++ b/services/ebs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT ebs AWS Java SDK :: Services :: EBS diff --git a/services/ec2/pom.xml b/services/ec2/pom.xml index b2caded5e216..3dc0d2de4ad6 100644 --- a/services/ec2/pom.xml +++ b/services/ec2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT ec2 AWS Java SDK :: Services :: Amazon EC2 diff --git a/services/ec2instanceconnect/pom.xml b/services/ec2instanceconnect/pom.xml index ced0d4f8942f..07e862773280 100644 --- a/services/ec2instanceconnect/pom.xml +++ b/services/ec2instanceconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT ec2instanceconnect AWS Java SDK :: Services :: EC2 Instance Connect diff --git a/services/ecr/pom.xml b/services/ecr/pom.xml index 2985a639d25e..134966e2265b 100644 --- a/services/ecr/pom.xml +++ b/services/ecr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT ecr AWS Java SDK :: Services :: Amazon EC2 Container Registry diff --git a/services/ecrpublic/pom.xml b/services/ecrpublic/pom.xml index e9c04ae36a2b..958317c2fefa 100644 --- a/services/ecrpublic/pom.xml +++ b/services/ecrpublic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT ecrpublic AWS Java SDK :: Services :: ECR PUBLIC diff --git a/services/ecs/pom.xml b/services/ecs/pom.xml index ba54975d3023..e444b7e3e7a6 100644 --- a/services/ecs/pom.xml +++ b/services/ecs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT ecs AWS Java SDK :: Services :: Amazon EC2 Container Service diff --git a/services/efs/pom.xml b/services/efs/pom.xml index 1e6257bd63fb..d7ffdd9370b9 100644 --- a/services/efs/pom.xml +++ b/services/efs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT efs AWS Java SDK :: Services :: Amazon Elastic File System diff --git a/services/eks/pom.xml b/services/eks/pom.xml index eadbbca20c00..c3393564d659 100644 --- a/services/eks/pom.xml +++ b/services/eks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT eks AWS Java SDK :: Services :: EKS diff --git a/services/eksauth/pom.xml b/services/eksauth/pom.xml index 4023c697f9e5..22b5f96c24c9 100644 --- a/services/eksauth/pom.xml +++ b/services/eksauth/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT eksauth AWS Java SDK :: Services :: EKS Auth diff --git a/services/elasticache/pom.xml b/services/elasticache/pom.xml index c075f53d1bb2..d0ac7fbf568d 100644 --- a/services/elasticache/pom.xml +++ b/services/elasticache/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT elasticache AWS Java SDK :: Services :: Amazon ElastiCache diff --git a/services/elasticbeanstalk/pom.xml b/services/elasticbeanstalk/pom.xml index ebd08b705e01..aaf69c7431e7 100644 --- a/services/elasticbeanstalk/pom.xml +++ b/services/elasticbeanstalk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT elasticbeanstalk AWS Java SDK :: Services :: AWS Elastic Beanstalk diff --git a/services/elasticinference/pom.xml b/services/elasticinference/pom.xml index 3e3fcf60195c..6d6efc25529a 100644 --- a/services/elasticinference/pom.xml +++ b/services/elasticinference/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT elasticinference AWS Java SDK :: Services :: Elastic Inference diff --git a/services/elasticloadbalancing/pom.xml b/services/elasticloadbalancing/pom.xml index b128d9d5d9cd..7d89fc7ba8b5 100644 --- a/services/elasticloadbalancing/pom.xml +++ b/services/elasticloadbalancing/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT elasticloadbalancing AWS Java SDK :: Services :: Elastic Load Balancing diff --git a/services/elasticloadbalancingv2/pom.xml b/services/elasticloadbalancingv2/pom.xml index 8208c9f76ed9..f70e32e12cb7 100644 --- a/services/elasticloadbalancingv2/pom.xml +++ b/services/elasticloadbalancingv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT elasticloadbalancingv2 AWS Java SDK :: Services :: Elastic Load Balancing V2 diff --git a/services/elasticsearch/pom.xml b/services/elasticsearch/pom.xml index 3bc720f83f93..5667d203ef83 100644 --- a/services/elasticsearch/pom.xml +++ b/services/elasticsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT elasticsearch AWS Java SDK :: Services :: Amazon Elasticsearch Service diff --git a/services/elastictranscoder/pom.xml b/services/elastictranscoder/pom.xml index fccb23550d86..e7033e0797e6 100644 --- a/services/elastictranscoder/pom.xml +++ b/services/elastictranscoder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT elastictranscoder AWS Java SDK :: Services :: Amazon Elastic Transcoder diff --git a/services/emr/pom.xml b/services/emr/pom.xml index 4d35f6033f08..de36afea0e69 100644 --- a/services/emr/pom.xml +++ b/services/emr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT emr AWS Java SDK :: Services :: Amazon EMR diff --git a/services/emrcontainers/pom.xml b/services/emrcontainers/pom.xml index 9e1b8d4b2a99..dd27187124f4 100644 --- a/services/emrcontainers/pom.xml +++ b/services/emrcontainers/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT emrcontainers AWS Java SDK :: Services :: EMR Containers diff --git a/services/emrserverless/pom.xml b/services/emrserverless/pom.xml index a287d186dc1d..bb0926f6733b 100644 --- a/services/emrserverless/pom.xml +++ b/services/emrserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT emrserverless AWS Java SDK :: Services :: EMR Serverless diff --git a/services/entityresolution/pom.xml b/services/entityresolution/pom.xml index baaa92e17068..72c6b736870e 100644 --- a/services/entityresolution/pom.xml +++ b/services/entityresolution/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT entityresolution AWS Java SDK :: Services :: Entity Resolution diff --git a/services/eventbridge/pom.xml b/services/eventbridge/pom.xml index ae5c9644e852..fd29dc65c729 100644 --- a/services/eventbridge/pom.xml +++ b/services/eventbridge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT eventbridge AWS Java SDK :: Services :: EventBridge diff --git a/services/evidently/pom.xml b/services/evidently/pom.xml index e11fc7c402e0..3da742d31b79 100644 --- a/services/evidently/pom.xml +++ b/services/evidently/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT evidently AWS Java SDK :: Services :: Evidently diff --git a/services/finspace/pom.xml b/services/finspace/pom.xml index e508ec099123..33298edee759 100644 --- a/services/finspace/pom.xml +++ b/services/finspace/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT finspace AWS Java SDK :: Services :: Finspace diff --git a/services/finspacedata/pom.xml b/services/finspacedata/pom.xml index f57d811b923b..9e8a2bdd73f9 100644 --- a/services/finspacedata/pom.xml +++ b/services/finspacedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT finspacedata AWS Java SDK :: Services :: Finspace Data diff --git a/services/firehose/pom.xml b/services/firehose/pom.xml index ca8c51476505..030c7316e998 100644 --- a/services/firehose/pom.xml +++ b/services/firehose/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT firehose AWS Java SDK :: Services :: Amazon Kinesis Firehose diff --git a/services/fis/pom.xml b/services/fis/pom.xml index 54b0da889726..1376ed04bc88 100644 --- a/services/fis/pom.xml +++ b/services/fis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT fis AWS Java SDK :: Services :: Fis diff --git a/services/fms/pom.xml b/services/fms/pom.xml index 4439f99c4626..cdae179b2600 100644 --- a/services/fms/pom.xml +++ b/services/fms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT fms AWS Java SDK :: Services :: FMS diff --git a/services/forecast/pom.xml b/services/forecast/pom.xml index 6d166a363532..cb9838e10f67 100644 --- a/services/forecast/pom.xml +++ b/services/forecast/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT forecast AWS Java SDK :: Services :: Forecast diff --git a/services/forecastquery/pom.xml b/services/forecastquery/pom.xml index 0f81b1a74617..a5ee1daa000b 100644 --- a/services/forecastquery/pom.xml +++ b/services/forecastquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT forecastquery AWS Java SDK :: Services :: Forecastquery diff --git a/services/frauddetector/pom.xml b/services/frauddetector/pom.xml index 6cc2e88b87af..c45c968db873 100644 --- a/services/frauddetector/pom.xml +++ b/services/frauddetector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT frauddetector AWS Java SDK :: Services :: FraudDetector diff --git a/services/freetier/pom.xml b/services/freetier/pom.xml index 7e189995d9e0..c759c7c2930a 100644 --- a/services/freetier/pom.xml +++ b/services/freetier/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT freetier AWS Java SDK :: Services :: Free Tier diff --git a/services/fsx/pom.xml b/services/fsx/pom.xml index 573d14241093..6051bf85d8de 100644 --- a/services/fsx/pom.xml +++ b/services/fsx/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT fsx AWS Java SDK :: Services :: FSx diff --git a/services/gamelift/pom.xml b/services/gamelift/pom.xml index 2f137d7100f6..016e92183181 100644 --- a/services/gamelift/pom.xml +++ b/services/gamelift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT gamelift AWS Java SDK :: Services :: AWS GameLift diff --git a/services/glacier/pom.xml b/services/glacier/pom.xml index 15fcfc1ca102..e18ce377c31a 100644 --- a/services/glacier/pom.xml +++ b/services/glacier/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT glacier AWS Java SDK :: Services :: Amazon Glacier diff --git a/services/globalaccelerator/pom.xml b/services/globalaccelerator/pom.xml index a42fc198f620..93730b49439a 100644 --- a/services/globalaccelerator/pom.xml +++ b/services/globalaccelerator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT globalaccelerator AWS Java SDK :: Services :: Global Accelerator diff --git a/services/glue/pom.xml b/services/glue/pom.xml index 5f45a4ca6dd9..687f6b5666a3 100644 --- a/services/glue/pom.xml +++ b/services/glue/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2 + 2.28.3-SNAPSHOT 4.0.0 glue diff --git a/services/grafana/pom.xml b/services/grafana/pom.xml index 42daab4c4b71..2b23bf6fba0f 100644 --- a/services/grafana/pom.xml +++ b/services/grafana/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT grafana AWS Java SDK :: Services :: Grafana diff --git a/services/greengrass/pom.xml b/services/greengrass/pom.xml index 8d48283cc46f..ebf19c2de508 100644 --- a/services/greengrass/pom.xml +++ b/services/greengrass/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT greengrass AWS Java SDK :: Services :: AWS Greengrass diff --git a/services/greengrassv2/pom.xml b/services/greengrassv2/pom.xml index 5d53c6934134..720af10556d6 100644 --- a/services/greengrassv2/pom.xml +++ b/services/greengrassv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT greengrassv2 AWS Java SDK :: Services :: Greengrass V2 diff --git a/services/groundstation/pom.xml b/services/groundstation/pom.xml index ece14bfd1dc5..5f714ec7024a 100644 --- a/services/groundstation/pom.xml +++ b/services/groundstation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT groundstation AWS Java SDK :: Services :: GroundStation diff --git a/services/guardduty/pom.xml b/services/guardduty/pom.xml index 020455c03476..346a20c87cbd 100644 --- a/services/guardduty/pom.xml +++ b/services/guardduty/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2 + 2.28.3-SNAPSHOT 4.0.0 guardduty diff --git a/services/health/pom.xml b/services/health/pom.xml index 1df6f16fd1d7..71f082098bbe 100644 --- a/services/health/pom.xml +++ b/services/health/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT health AWS Java SDK :: Services :: AWS Health APIs and Notifications diff --git a/services/healthlake/pom.xml b/services/healthlake/pom.xml index fde880302d4b..0dac9194a215 100644 --- a/services/healthlake/pom.xml +++ b/services/healthlake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT healthlake AWS Java SDK :: Services :: Health Lake diff --git a/services/iam/pom.xml b/services/iam/pom.xml index e2c21d2cf904..087dc4b1352b 100644 --- a/services/iam/pom.xml +++ b/services/iam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT iam AWS Java SDK :: Services :: AWS IAM diff --git a/services/identitystore/pom.xml b/services/identitystore/pom.xml index 586396f06296..30f141b0ddd3 100644 --- a/services/identitystore/pom.xml +++ b/services/identitystore/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT identitystore AWS Java SDK :: Services :: Identitystore diff --git a/services/imagebuilder/pom.xml b/services/imagebuilder/pom.xml index 6069a43df0e5..c9121e9d122b 100644 --- a/services/imagebuilder/pom.xml +++ b/services/imagebuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT imagebuilder AWS Java SDK :: Services :: Imagebuilder diff --git a/services/inspector/pom.xml b/services/inspector/pom.xml index defefe9cf045..15dd05dc1703 100644 --- a/services/inspector/pom.xml +++ b/services/inspector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT inspector AWS Java SDK :: Services :: Amazon Inspector Service diff --git a/services/inspector2/pom.xml b/services/inspector2/pom.xml index b2480be563c1..2f632e859312 100644 --- a/services/inspector2/pom.xml +++ b/services/inspector2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT inspector2 AWS Java SDK :: Services :: Inspector2 diff --git a/services/inspectorscan/pom.xml b/services/inspectorscan/pom.xml index 4b61ff4da4ee..6ddbacc8d169 100644 --- a/services/inspectorscan/pom.xml +++ b/services/inspectorscan/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT inspectorscan AWS Java SDK :: Services :: Inspector Scan diff --git a/services/internetmonitor/pom.xml b/services/internetmonitor/pom.xml index 7fe4c918d257..675a28ffe814 100644 --- a/services/internetmonitor/pom.xml +++ b/services/internetmonitor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT internetmonitor AWS Java SDK :: Services :: Internet Monitor diff --git a/services/iot/pom.xml b/services/iot/pom.xml index 462d39cc4381..e6aa8ff209c9 100644 --- a/services/iot/pom.xml +++ b/services/iot/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT iot AWS Java SDK :: Services :: AWS IoT diff --git a/services/iot1clickdevices/pom.xml b/services/iot1clickdevices/pom.xml index 9ea2cbf83679..924e009f7f8e 100644 --- a/services/iot1clickdevices/pom.xml +++ b/services/iot1clickdevices/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT iot1clickdevices AWS Java SDK :: Services :: IoT 1Click Devices Service diff --git a/services/iot1clickprojects/pom.xml b/services/iot1clickprojects/pom.xml index 95e1234b596c..f5d43843513f 100644 --- a/services/iot1clickprojects/pom.xml +++ b/services/iot1clickprojects/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT iot1clickprojects AWS Java SDK :: Services :: IoT 1Click Projects diff --git a/services/iotanalytics/pom.xml b/services/iotanalytics/pom.xml index e75233d1ff76..e79b610fae73 100644 --- a/services/iotanalytics/pom.xml +++ b/services/iotanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT iotanalytics AWS Java SDK :: Services :: IoTAnalytics diff --git a/services/iotdataplane/pom.xml b/services/iotdataplane/pom.xml index 29491dc0ee54..416e28494662 100644 --- a/services/iotdataplane/pom.xml +++ b/services/iotdataplane/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT iotdataplane AWS Java SDK :: Services :: AWS IoT Data Plane diff --git a/services/iotdeviceadvisor/pom.xml b/services/iotdeviceadvisor/pom.xml index a4be2319588f..f5c4f9ff3845 100644 --- a/services/iotdeviceadvisor/pom.xml +++ b/services/iotdeviceadvisor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT iotdeviceadvisor AWS Java SDK :: Services :: Iot Device Advisor diff --git a/services/iotevents/pom.xml b/services/iotevents/pom.xml index b6c48758272e..a4a1ad5b7029 100644 --- a/services/iotevents/pom.xml +++ b/services/iotevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT iotevents AWS Java SDK :: Services :: IoT Events diff --git a/services/ioteventsdata/pom.xml b/services/ioteventsdata/pom.xml index 230f32c9a1e4..c3a643cf9a9f 100644 --- a/services/ioteventsdata/pom.xml +++ b/services/ioteventsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT ioteventsdata AWS Java SDK :: Services :: IoT Events Data diff --git a/services/iotfleethub/pom.xml b/services/iotfleethub/pom.xml index 88c4d135ac76..ea801cc37518 100644 --- a/services/iotfleethub/pom.xml +++ b/services/iotfleethub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT iotfleethub AWS Java SDK :: Services :: Io T Fleet Hub diff --git a/services/iotfleetwise/pom.xml b/services/iotfleetwise/pom.xml index 3222a111b4a9..054b66623190 100644 --- a/services/iotfleetwise/pom.xml +++ b/services/iotfleetwise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT iotfleetwise AWS Java SDK :: Services :: Io T Fleet Wise diff --git a/services/iotjobsdataplane/pom.xml b/services/iotjobsdataplane/pom.xml index e46f50b15676..c49dcfaac025 100644 --- a/services/iotjobsdataplane/pom.xml +++ b/services/iotjobsdataplane/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT iotjobsdataplane AWS Java SDK :: Services :: IoT Jobs Data Plane diff --git a/services/iotsecuretunneling/pom.xml b/services/iotsecuretunneling/pom.xml index 3ecb3f31adfc..9c560e2f3e0f 100644 --- a/services/iotsecuretunneling/pom.xml +++ b/services/iotsecuretunneling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT iotsecuretunneling AWS Java SDK :: Services :: IoTSecureTunneling diff --git a/services/iotsitewise/pom.xml b/services/iotsitewise/pom.xml index 2ef822ea5217..5716c06ca871 100644 --- a/services/iotsitewise/pom.xml +++ b/services/iotsitewise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT iotsitewise AWS Java SDK :: Services :: Io T Site Wise diff --git a/services/iotthingsgraph/pom.xml b/services/iotthingsgraph/pom.xml index 80b1353dd565..891e5c5398db 100644 --- a/services/iotthingsgraph/pom.xml +++ b/services/iotthingsgraph/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT iotthingsgraph AWS Java SDK :: Services :: IoTThingsGraph diff --git a/services/iottwinmaker/pom.xml b/services/iottwinmaker/pom.xml index 694009d0df55..a7f11dfdecdf 100644 --- a/services/iottwinmaker/pom.xml +++ b/services/iottwinmaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT iottwinmaker AWS Java SDK :: Services :: Io T Twin Maker diff --git a/services/iotwireless/pom.xml b/services/iotwireless/pom.xml index a1ca513b2ad8..1b4111615cfa 100644 --- a/services/iotwireless/pom.xml +++ b/services/iotwireless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT iotwireless AWS Java SDK :: Services :: IoT Wireless diff --git a/services/ivs/pom.xml b/services/ivs/pom.xml index cf5d86d13e0e..5d09f29aed9f 100644 --- a/services/ivs/pom.xml +++ b/services/ivs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT ivs AWS Java SDK :: Services :: Ivs diff --git a/services/ivschat/pom.xml b/services/ivschat/pom.xml index bf8f47403a1c..340fa03ef1d5 100644 --- a/services/ivschat/pom.xml +++ b/services/ivschat/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT ivschat AWS Java SDK :: Services :: Ivschat diff --git a/services/ivsrealtime/pom.xml b/services/ivsrealtime/pom.xml index 5b4e97c21a53..327e70cb1e15 100644 --- a/services/ivsrealtime/pom.xml +++ b/services/ivsrealtime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT ivsrealtime AWS Java SDK :: Services :: IVS Real Time diff --git a/services/kafka/pom.xml b/services/kafka/pom.xml index 1d4939bb4978..a25d7c1334f3 100644 --- a/services/kafka/pom.xml +++ b/services/kafka/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT kafka AWS Java SDK :: Services :: Kafka diff --git a/services/kafkaconnect/pom.xml b/services/kafkaconnect/pom.xml index dd4cf5222ab5..17f345c24693 100644 --- a/services/kafkaconnect/pom.xml +++ b/services/kafkaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT kafkaconnect AWS Java SDK :: Services :: Kafka Connect diff --git a/services/kendra/pom.xml b/services/kendra/pom.xml index 41e6171f9097..f0327612818c 100644 --- a/services/kendra/pom.xml +++ b/services/kendra/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT kendra AWS Java SDK :: Services :: Kendra diff --git a/services/kendraranking/pom.xml b/services/kendraranking/pom.xml index 7391fff9fce1..20e87d63af5a 100644 --- a/services/kendraranking/pom.xml +++ b/services/kendraranking/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT kendraranking AWS Java SDK :: Services :: Kendra Ranking diff --git a/services/keyspaces/pom.xml b/services/keyspaces/pom.xml index d03878a03ed2..2b686fed018d 100644 --- a/services/keyspaces/pom.xml +++ b/services/keyspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT keyspaces AWS Java SDK :: Services :: Keyspaces diff --git a/services/kinesis/pom.xml b/services/kinesis/pom.xml index 5eb2ebac7714..069d1dfe9b8b 100644 --- a/services/kinesis/pom.xml +++ b/services/kinesis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT kinesis AWS Java SDK :: Services :: Amazon Kinesis diff --git a/services/kinesisanalytics/pom.xml b/services/kinesisanalytics/pom.xml index 20f19cc72e1e..01eb9a511c86 100644 --- a/services/kinesisanalytics/pom.xml +++ b/services/kinesisanalytics/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT kinesisanalytics AWS Java SDK :: Services :: Amazon Kinesis Analytics diff --git a/services/kinesisanalyticsv2/pom.xml b/services/kinesisanalyticsv2/pom.xml index 17634dd111ab..717bea6e788c 100644 --- a/services/kinesisanalyticsv2/pom.xml +++ b/services/kinesisanalyticsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT kinesisanalyticsv2 AWS Java SDK :: Services :: Kinesis Analytics V2 diff --git a/services/kinesisvideo/pom.xml b/services/kinesisvideo/pom.xml index 15e417548845..04eebfa5896f 100644 --- a/services/kinesisvideo/pom.xml +++ b/services/kinesisvideo/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2 + 2.28.3-SNAPSHOT 4.0.0 kinesisvideo diff --git a/services/kinesisvideoarchivedmedia/pom.xml b/services/kinesisvideoarchivedmedia/pom.xml index 17d2c758edf5..da7c550fb8ff 100644 --- a/services/kinesisvideoarchivedmedia/pom.xml +++ b/services/kinesisvideoarchivedmedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT kinesisvideoarchivedmedia AWS Java SDK :: Services :: Kinesis Video Archived Media diff --git a/services/kinesisvideomedia/pom.xml b/services/kinesisvideomedia/pom.xml index dbfe02758119..3390fc6db3e4 100644 --- a/services/kinesisvideomedia/pom.xml +++ b/services/kinesisvideomedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT kinesisvideomedia AWS Java SDK :: Services :: Kinesis Video Media diff --git a/services/kinesisvideosignaling/pom.xml b/services/kinesisvideosignaling/pom.xml index b9090037418e..d609e46d1c89 100644 --- a/services/kinesisvideosignaling/pom.xml +++ b/services/kinesisvideosignaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT kinesisvideosignaling AWS Java SDK :: Services :: Kinesis Video Signaling diff --git a/services/kinesisvideowebrtcstorage/pom.xml b/services/kinesisvideowebrtcstorage/pom.xml index a6fb16c4833c..644644844dab 100644 --- a/services/kinesisvideowebrtcstorage/pom.xml +++ b/services/kinesisvideowebrtcstorage/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT kinesisvideowebrtcstorage AWS Java SDK :: Services :: Kinesis Video Web RTC Storage diff --git a/services/kms/pom.xml b/services/kms/pom.xml index 84b086004743..da8227e8e8e7 100644 --- a/services/kms/pom.xml +++ b/services/kms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT kms AWS Java SDK :: Services :: AWS KMS diff --git a/services/lakeformation/pom.xml b/services/lakeformation/pom.xml index 1e3cb0b2a757..bd1f1f0d5a70 100644 --- a/services/lakeformation/pom.xml +++ b/services/lakeformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT lakeformation AWS Java SDK :: Services :: LakeFormation diff --git a/services/lambda/pom.xml b/services/lambda/pom.xml index fcff698df445..8a5bfee56242 100644 --- a/services/lambda/pom.xml +++ b/services/lambda/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT lambda AWS Java SDK :: Services :: AWS Lambda diff --git a/services/launchwizard/pom.xml b/services/launchwizard/pom.xml index 33b3096f5883..db22f4cac430 100644 --- a/services/launchwizard/pom.xml +++ b/services/launchwizard/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT launchwizard AWS Java SDK :: Services :: Launch Wizard diff --git a/services/lexmodelbuilding/pom.xml b/services/lexmodelbuilding/pom.xml index a48c2857aade..a8edbda7af76 100644 --- a/services/lexmodelbuilding/pom.xml +++ b/services/lexmodelbuilding/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT lexmodelbuilding AWS Java SDK :: Services :: Amazon Lex Model Building diff --git a/services/lexmodelsv2/pom.xml b/services/lexmodelsv2/pom.xml index 563e1cac1032..9761a335b5d5 100644 --- a/services/lexmodelsv2/pom.xml +++ b/services/lexmodelsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT lexmodelsv2 AWS Java SDK :: Services :: Lex Models V2 diff --git a/services/lexruntime/pom.xml b/services/lexruntime/pom.xml index b28db46e6784..a2655b57b304 100644 --- a/services/lexruntime/pom.xml +++ b/services/lexruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT lexruntime AWS Java SDK :: Services :: Amazon Lex Runtime diff --git a/services/lexruntimev2/pom.xml b/services/lexruntimev2/pom.xml index e212fdd32553..783921c6da50 100644 --- a/services/lexruntimev2/pom.xml +++ b/services/lexruntimev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT lexruntimev2 AWS Java SDK :: Services :: Lex Runtime V2 diff --git a/services/licensemanager/pom.xml b/services/licensemanager/pom.xml index ee08707e3a8e..6147c841e14f 100644 --- a/services/licensemanager/pom.xml +++ b/services/licensemanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT licensemanager AWS Java SDK :: Services :: License Manager diff --git a/services/licensemanagerlinuxsubscriptions/pom.xml b/services/licensemanagerlinuxsubscriptions/pom.xml index 859b707ac410..10ef8450b162 100644 --- a/services/licensemanagerlinuxsubscriptions/pom.xml +++ b/services/licensemanagerlinuxsubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT licensemanagerlinuxsubscriptions AWS Java SDK :: Services :: License Manager Linux Subscriptions diff --git a/services/licensemanagerusersubscriptions/pom.xml b/services/licensemanagerusersubscriptions/pom.xml index 48e3e052455d..1b61ae163d6b 100644 --- a/services/licensemanagerusersubscriptions/pom.xml +++ b/services/licensemanagerusersubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT licensemanagerusersubscriptions AWS Java SDK :: Services :: License Manager User Subscriptions diff --git a/services/lightsail/pom.xml b/services/lightsail/pom.xml index fc0269166d91..7a989d403461 100644 --- a/services/lightsail/pom.xml +++ b/services/lightsail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT lightsail AWS Java SDK :: Services :: Amazon Lightsail diff --git a/services/location/pom.xml b/services/location/pom.xml index 59e7c8b34959..0a22cd6630b7 100644 --- a/services/location/pom.xml +++ b/services/location/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT location AWS Java SDK :: Services :: Location diff --git a/services/lookoutequipment/pom.xml b/services/lookoutequipment/pom.xml index 86605f03f56b..d37ec51ea6c8 100644 --- a/services/lookoutequipment/pom.xml +++ b/services/lookoutequipment/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT lookoutequipment AWS Java SDK :: Services :: Lookout Equipment diff --git a/services/lookoutmetrics/pom.xml b/services/lookoutmetrics/pom.xml index ac7862f85b4b..72d83770c0e6 100644 --- a/services/lookoutmetrics/pom.xml +++ b/services/lookoutmetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT lookoutmetrics AWS Java SDK :: Services :: Lookout Metrics diff --git a/services/lookoutvision/pom.xml b/services/lookoutvision/pom.xml index 968021c78517..248fe07b894c 100644 --- a/services/lookoutvision/pom.xml +++ b/services/lookoutvision/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT lookoutvision AWS Java SDK :: Services :: Lookout Vision diff --git a/services/m2/pom.xml b/services/m2/pom.xml index 993ca8489daf..b1eb987a5f5f 100644 --- a/services/m2/pom.xml +++ b/services/m2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT m2 AWS Java SDK :: Services :: M2 diff --git a/services/machinelearning/pom.xml b/services/machinelearning/pom.xml index b46051ad7bb5..701382a77886 100644 --- a/services/machinelearning/pom.xml +++ b/services/machinelearning/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT machinelearning AWS Java SDK :: Services :: Amazon Machine Learning diff --git a/services/macie2/pom.xml b/services/macie2/pom.xml index fd908b8c8338..c80ce8371d40 100644 --- a/services/macie2/pom.xml +++ b/services/macie2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT macie2 AWS Java SDK :: Services :: Macie2 diff --git a/services/mailmanager/pom.xml b/services/mailmanager/pom.xml index 4f1730439ba2..a68df2643bea 100644 --- a/services/mailmanager/pom.xml +++ b/services/mailmanager/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT mailmanager AWS Java SDK :: Services :: Mail Manager diff --git a/services/managedblockchain/pom.xml b/services/managedblockchain/pom.xml index 3deea4b5c6a4..e70b1c3e1bd9 100644 --- a/services/managedblockchain/pom.xml +++ b/services/managedblockchain/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT managedblockchain AWS Java SDK :: Services :: ManagedBlockchain diff --git a/services/managedblockchainquery/pom.xml b/services/managedblockchainquery/pom.xml index b65131b53903..930e3c302985 100644 --- a/services/managedblockchainquery/pom.xml +++ b/services/managedblockchainquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT managedblockchainquery AWS Java SDK :: Services :: Managed Blockchain Query diff --git a/services/marketplaceagreement/pom.xml b/services/marketplaceagreement/pom.xml index 676d1f2e1d65..51d35951cb95 100644 --- a/services/marketplaceagreement/pom.xml +++ b/services/marketplaceagreement/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT marketplaceagreement AWS Java SDK :: Services :: Marketplace Agreement diff --git a/services/marketplacecatalog/pom.xml b/services/marketplacecatalog/pom.xml index 0d7317a42dba..2f1ea5dc0372 100644 --- a/services/marketplacecatalog/pom.xml +++ b/services/marketplacecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT marketplacecatalog AWS Java SDK :: Services :: Marketplace Catalog diff --git a/services/marketplacecommerceanalytics/pom.xml b/services/marketplacecommerceanalytics/pom.xml index c9cb3830d30c..5d3f049e18c7 100644 --- a/services/marketplacecommerceanalytics/pom.xml +++ b/services/marketplacecommerceanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT marketplacecommerceanalytics AWS Java SDK :: Services :: AWS Marketplace Commerce Analytics diff --git a/services/marketplacedeployment/pom.xml b/services/marketplacedeployment/pom.xml index ad6bcf19960e..2ade063153d1 100644 --- a/services/marketplacedeployment/pom.xml +++ b/services/marketplacedeployment/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT marketplacedeployment AWS Java SDK :: Services :: Marketplace Deployment diff --git a/services/marketplaceentitlement/pom.xml b/services/marketplaceentitlement/pom.xml index d650a51e7280..a5362ff47bca 100644 --- a/services/marketplaceentitlement/pom.xml +++ b/services/marketplaceentitlement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT marketplaceentitlement AWS Java SDK :: Services :: AWS Marketplace Entitlement diff --git a/services/marketplacemetering/pom.xml b/services/marketplacemetering/pom.xml index 4e2256659719..426e805d2181 100644 --- a/services/marketplacemetering/pom.xml +++ b/services/marketplacemetering/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT marketplacemetering AWS Java SDK :: Services :: AWS Marketplace Metering Service diff --git a/services/mediaconnect/pom.xml b/services/mediaconnect/pom.xml index 81252cf39dc4..234716476246 100644 --- a/services/mediaconnect/pom.xml +++ b/services/mediaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT mediaconnect AWS Java SDK :: Services :: MediaConnect diff --git a/services/mediaconvert/pom.xml b/services/mediaconvert/pom.xml index 1808cd92239a..a497d03af07d 100644 --- a/services/mediaconvert/pom.xml +++ b/services/mediaconvert/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2 + 2.28.3-SNAPSHOT 4.0.0 mediaconvert diff --git a/services/medialive/pom.xml b/services/medialive/pom.xml index 35d0f0c7982d..f43f160c8be3 100644 --- a/services/medialive/pom.xml +++ b/services/medialive/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2 + 2.28.3-SNAPSHOT 4.0.0 medialive diff --git a/services/mediapackage/pom.xml b/services/mediapackage/pom.xml index 23a8e4290bd1..bcefa7a9da72 100644 --- a/services/mediapackage/pom.xml +++ b/services/mediapackage/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2 + 2.28.3-SNAPSHOT 4.0.0 mediapackage diff --git a/services/mediapackagev2/pom.xml b/services/mediapackagev2/pom.xml index 9ae49bf6aa7a..07b619bdf13f 100644 --- a/services/mediapackagev2/pom.xml +++ b/services/mediapackagev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT mediapackagev2 AWS Java SDK :: Services :: Media Package V2 diff --git a/services/mediapackagevod/pom.xml b/services/mediapackagevod/pom.xml index ca39bc3536bc..4150e00c4593 100644 --- a/services/mediapackagevod/pom.xml +++ b/services/mediapackagevod/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT mediapackagevod AWS Java SDK :: Services :: MediaPackage Vod diff --git a/services/mediastore/pom.xml b/services/mediastore/pom.xml index 5509743d9ada..c109745c4599 100644 --- a/services/mediastore/pom.xml +++ b/services/mediastore/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2 + 2.28.3-SNAPSHOT 4.0.0 mediastore diff --git a/services/mediastoredata/pom.xml b/services/mediastoredata/pom.xml index 515c808f544f..6f429590c9d3 100644 --- a/services/mediastoredata/pom.xml +++ b/services/mediastoredata/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2 + 2.28.3-SNAPSHOT 4.0.0 mediastoredata diff --git a/services/mediatailor/pom.xml b/services/mediatailor/pom.xml index c1685d26fd0a..0518126ac04c 100644 --- a/services/mediatailor/pom.xml +++ b/services/mediatailor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT mediatailor AWS Java SDK :: Services :: MediaTailor diff --git a/services/medicalimaging/pom.xml b/services/medicalimaging/pom.xml index d7e2bd189a06..31ee553b2f7c 100644 --- a/services/medicalimaging/pom.xml +++ b/services/medicalimaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT medicalimaging AWS Java SDK :: Services :: Medical Imaging diff --git a/services/memorydb/pom.xml b/services/memorydb/pom.xml index 77b90267305a..90d225bd003e 100644 --- a/services/memorydb/pom.xml +++ b/services/memorydb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT memorydb AWS Java SDK :: Services :: Memory DB diff --git a/services/mgn/pom.xml b/services/mgn/pom.xml index 872b7d7feefe..45ec9f1c162c 100644 --- a/services/mgn/pom.xml +++ b/services/mgn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT mgn AWS Java SDK :: Services :: Mgn diff --git a/services/migrationhub/pom.xml b/services/migrationhub/pom.xml index b87358820ea0..ce641b4fc26c 100644 --- a/services/migrationhub/pom.xml +++ b/services/migrationhub/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2 + 2.28.3-SNAPSHOT 4.0.0 migrationhub diff --git a/services/migrationhubconfig/pom.xml b/services/migrationhubconfig/pom.xml index 47685cd4f308..022ccee73c54 100644 --- a/services/migrationhubconfig/pom.xml +++ b/services/migrationhubconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT migrationhubconfig AWS Java SDK :: Services :: MigrationHub Config diff --git a/services/migrationhuborchestrator/pom.xml b/services/migrationhuborchestrator/pom.xml index 25161f50d49c..d50dc36319b0 100644 --- a/services/migrationhuborchestrator/pom.xml +++ b/services/migrationhuborchestrator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT migrationhuborchestrator AWS Java SDK :: Services :: Migration Hub Orchestrator diff --git a/services/migrationhubrefactorspaces/pom.xml b/services/migrationhubrefactorspaces/pom.xml index 8ed38c25f4f6..5e3d3d413c1d 100644 --- a/services/migrationhubrefactorspaces/pom.xml +++ b/services/migrationhubrefactorspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT migrationhubrefactorspaces AWS Java SDK :: Services :: Migration Hub Refactor Spaces diff --git a/services/migrationhubstrategy/pom.xml b/services/migrationhubstrategy/pom.xml index 7515b70f6aee..8a43be15530d 100644 --- a/services/migrationhubstrategy/pom.xml +++ b/services/migrationhubstrategy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT migrationhubstrategy AWS Java SDK :: Services :: Migration Hub Strategy diff --git a/services/mq/pom.xml b/services/mq/pom.xml index 7f83cb80ae1a..a8cf429c407b 100644 --- a/services/mq/pom.xml +++ b/services/mq/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2 + 2.28.3-SNAPSHOT 4.0.0 mq diff --git a/services/mturk/pom.xml b/services/mturk/pom.xml index 611a317921aa..ccd6788e9da9 100644 --- a/services/mturk/pom.xml +++ b/services/mturk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT mturk AWS Java SDK :: Services :: Amazon Mechanical Turk Requester diff --git a/services/mwaa/pom.xml b/services/mwaa/pom.xml index 6a0175ba5fc3..37d630b65119 100644 --- a/services/mwaa/pom.xml +++ b/services/mwaa/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT mwaa AWS Java SDK :: Services :: MWAA diff --git a/services/neptune/pom.xml b/services/neptune/pom.xml index 50fae7921e09..f8482f6223e6 100644 --- a/services/neptune/pom.xml +++ b/services/neptune/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT neptune AWS Java SDK :: Services :: Neptune diff --git a/services/neptunedata/pom.xml b/services/neptunedata/pom.xml index e818cefbb1bd..524b906b55b4 100644 --- a/services/neptunedata/pom.xml +++ b/services/neptunedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT neptunedata AWS Java SDK :: Services :: Neptunedata diff --git a/services/neptunegraph/pom.xml b/services/neptunegraph/pom.xml index b2cde2958082..9a71317f9931 100644 --- a/services/neptunegraph/pom.xml +++ b/services/neptunegraph/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT neptunegraph AWS Java SDK :: Services :: Neptune Graph diff --git a/services/networkfirewall/pom.xml b/services/networkfirewall/pom.xml index 818e4100ec70..a6343f853ba2 100644 --- a/services/networkfirewall/pom.xml +++ b/services/networkfirewall/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT networkfirewall AWS Java SDK :: Services :: Network Firewall diff --git a/services/networkmanager/pom.xml b/services/networkmanager/pom.xml index e57275d8e2f4..752eec9f0424 100644 --- a/services/networkmanager/pom.xml +++ b/services/networkmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT networkmanager AWS Java SDK :: Services :: NetworkManager diff --git a/services/networkmonitor/pom.xml b/services/networkmonitor/pom.xml index 8829b0d0b42e..9ff306ed8ded 100644 --- a/services/networkmonitor/pom.xml +++ b/services/networkmonitor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT networkmonitor AWS Java SDK :: Services :: Network Monitor diff --git a/services/nimble/pom.xml b/services/nimble/pom.xml index d8637501329c..e6f1d209e147 100644 --- a/services/nimble/pom.xml +++ b/services/nimble/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT nimble AWS Java SDK :: Services :: Nimble diff --git a/services/oam/pom.xml b/services/oam/pom.xml index eb3ad5579498..31eb7699244b 100644 --- a/services/oam/pom.xml +++ b/services/oam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT oam AWS Java SDK :: Services :: OAM diff --git a/services/omics/pom.xml b/services/omics/pom.xml index d32ce608d858..386f2f71ec74 100644 --- a/services/omics/pom.xml +++ b/services/omics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT omics AWS Java SDK :: Services :: Omics diff --git a/services/opensearch/pom.xml b/services/opensearch/pom.xml index d2882dafa937..866733d679d5 100644 --- a/services/opensearch/pom.xml +++ b/services/opensearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT opensearch AWS Java SDK :: Services :: Open Search diff --git a/services/opensearchserverless/pom.xml b/services/opensearchserverless/pom.xml index 4bba5bd795be..4df8d50ae3f6 100644 --- a/services/opensearchserverless/pom.xml +++ b/services/opensearchserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT opensearchserverless AWS Java SDK :: Services :: Open Search Serverless diff --git a/services/opsworks/pom.xml b/services/opsworks/pom.xml index c1656a91f57d..1f3be47de3e7 100644 --- a/services/opsworks/pom.xml +++ b/services/opsworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT opsworks AWS Java SDK :: Services :: AWS OpsWorks diff --git a/services/opsworkscm/pom.xml b/services/opsworkscm/pom.xml index 0cd88d33a860..69e8d0077f1d 100644 --- a/services/opsworkscm/pom.xml +++ b/services/opsworkscm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT opsworkscm AWS Java SDK :: Services :: AWS OpsWorks for Chef Automate diff --git a/services/organizations/pom.xml b/services/organizations/pom.xml index 571829dbbe24..d49e36057ece 100644 --- a/services/organizations/pom.xml +++ b/services/organizations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT organizations AWS Java SDK :: Services :: AWS Organizations diff --git a/services/osis/pom.xml b/services/osis/pom.xml index 4e331821f177..e2953c1e229d 100644 --- a/services/osis/pom.xml +++ b/services/osis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT osis AWS Java SDK :: Services :: OSIS diff --git a/services/outposts/pom.xml b/services/outposts/pom.xml index a6e108c615f6..7a3a97de963b 100644 --- a/services/outposts/pom.xml +++ b/services/outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT outposts AWS Java SDK :: Services :: Outposts diff --git a/services/panorama/pom.xml b/services/panorama/pom.xml index 30ea8077d0f7..c38efb9f3ad3 100644 --- a/services/panorama/pom.xml +++ b/services/panorama/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT panorama AWS Java SDK :: Services :: Panorama diff --git a/services/paymentcryptography/pom.xml b/services/paymentcryptography/pom.xml index fb178e817956..05fee5f80cff 100644 --- a/services/paymentcryptography/pom.xml +++ b/services/paymentcryptography/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT paymentcryptography AWS Java SDK :: Services :: Payment Cryptography diff --git a/services/paymentcryptographydata/pom.xml b/services/paymentcryptographydata/pom.xml index 184675bf958b..7d73cbb42be2 100644 --- a/services/paymentcryptographydata/pom.xml +++ b/services/paymentcryptographydata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT paymentcryptographydata AWS Java SDK :: Services :: Payment Cryptography Data diff --git a/services/pcaconnectorad/pom.xml b/services/pcaconnectorad/pom.xml index 484abee4e55e..ad72a221a531 100644 --- a/services/pcaconnectorad/pom.xml +++ b/services/pcaconnectorad/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT pcaconnectorad AWS Java SDK :: Services :: Pca Connector Ad diff --git a/services/pcaconnectorscep/pom.xml b/services/pcaconnectorscep/pom.xml index 867dc29a1c24..d0df0e1163da 100644 --- a/services/pcaconnectorscep/pom.xml +++ b/services/pcaconnectorscep/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT pcaconnectorscep AWS Java SDK :: Services :: Pca Connector Scep diff --git a/services/pcs/pom.xml b/services/pcs/pom.xml index 6e05ad874fc4..5064f2456da3 100644 --- a/services/pcs/pom.xml +++ b/services/pcs/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT pcs AWS Java SDK :: Services :: PCS diff --git a/services/personalize/pom.xml b/services/personalize/pom.xml index 589a9605fb04..6235421ecfb4 100644 --- a/services/personalize/pom.xml +++ b/services/personalize/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT personalize AWS Java SDK :: Services :: Personalize diff --git a/services/personalizeevents/pom.xml b/services/personalizeevents/pom.xml index c72bae4ebc22..7135169e819d 100644 --- a/services/personalizeevents/pom.xml +++ b/services/personalizeevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT personalizeevents AWS Java SDK :: Services :: Personalize Events diff --git a/services/personalizeruntime/pom.xml b/services/personalizeruntime/pom.xml index a92bb89cd572..435c20533959 100644 --- a/services/personalizeruntime/pom.xml +++ b/services/personalizeruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT personalizeruntime AWS Java SDK :: Services :: Personalize Runtime diff --git a/services/pi/pom.xml b/services/pi/pom.xml index 462d4250d3d9..9a0edf8584d5 100644 --- a/services/pi/pom.xml +++ b/services/pi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT pi AWS Java SDK :: Services :: PI diff --git a/services/pinpoint/pom.xml b/services/pinpoint/pom.xml index 677dd814c94d..8c6b5f9b1eed 100644 --- a/services/pinpoint/pom.xml +++ b/services/pinpoint/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT pinpoint AWS Java SDK :: Services :: Amazon Pinpoint diff --git a/services/pinpointemail/pom.xml b/services/pinpointemail/pom.xml index d098dd164e68..3852847d4020 100644 --- a/services/pinpointemail/pom.xml +++ b/services/pinpointemail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT pinpointemail AWS Java SDK :: Services :: Pinpoint Email diff --git a/services/pinpointsmsvoice/pom.xml b/services/pinpointsmsvoice/pom.xml index 942554d3df00..36e01158c864 100644 --- a/services/pinpointsmsvoice/pom.xml +++ b/services/pinpointsmsvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT pinpointsmsvoice AWS Java SDK :: Services :: Pinpoint SMS Voice diff --git a/services/pinpointsmsvoicev2/pom.xml b/services/pinpointsmsvoicev2/pom.xml index accbbf0fa1aa..a4bd60ecc2ac 100644 --- a/services/pinpointsmsvoicev2/pom.xml +++ b/services/pinpointsmsvoicev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT pinpointsmsvoicev2 AWS Java SDK :: Services :: Pinpoint SMS Voice V2 diff --git a/services/pipes/pom.xml b/services/pipes/pom.xml index c8237dbb28e9..76aa6d9e94ce 100644 --- a/services/pipes/pom.xml +++ b/services/pipes/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT pipes AWS Java SDK :: Services :: Pipes diff --git a/services/polly/pom.xml b/services/polly/pom.xml index 708c6dc34b95..13fcb815227c 100644 --- a/services/polly/pom.xml +++ b/services/polly/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT polly AWS Java SDK :: Services :: Amazon Polly diff --git a/services/pom.xml b/services/pom.xml index 7fda38faf512..76c4156150db 100644 --- a/services/pom.xml +++ b/services/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.2 + 2.28.3-SNAPSHOT services AWS Java SDK :: Services diff --git a/services/pricing/pom.xml b/services/pricing/pom.xml index c1785c8ae54e..48a395e7ef8f 100644 --- a/services/pricing/pom.xml +++ b/services/pricing/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2 + 2.28.3-SNAPSHOT 4.0.0 pricing diff --git a/services/privatenetworks/pom.xml b/services/privatenetworks/pom.xml index 8818b6afc79a..b8825f27425d 100644 --- a/services/privatenetworks/pom.xml +++ b/services/privatenetworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT privatenetworks AWS Java SDK :: Services :: Private Networks diff --git a/services/proton/pom.xml b/services/proton/pom.xml index 09c548d17bdb..81ab4e9d1639 100644 --- a/services/proton/pom.xml +++ b/services/proton/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT proton AWS Java SDK :: Services :: Proton diff --git a/services/qapps/pom.xml b/services/qapps/pom.xml index 4a82c6882209..97f788f95472 100644 --- a/services/qapps/pom.xml +++ b/services/qapps/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT qapps AWS Java SDK :: Services :: Q Apps diff --git a/services/qbusiness/pom.xml b/services/qbusiness/pom.xml index dd652c32132b..19d0d82b820f 100644 --- a/services/qbusiness/pom.xml +++ b/services/qbusiness/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT qbusiness AWS Java SDK :: Services :: Q Business diff --git a/services/qconnect/pom.xml b/services/qconnect/pom.xml index f0e1d15c42b6..52b7f648c409 100644 --- a/services/qconnect/pom.xml +++ b/services/qconnect/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT qconnect AWS Java SDK :: Services :: Q Connect diff --git a/services/qldb/pom.xml b/services/qldb/pom.xml index 1a0b0d126b79..4e20104384b5 100644 --- a/services/qldb/pom.xml +++ b/services/qldb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT qldb AWS Java SDK :: Services :: QLDB diff --git a/services/qldbsession/pom.xml b/services/qldbsession/pom.xml index 4b6da88691b9..26f13ea19e3d 100644 --- a/services/qldbsession/pom.xml +++ b/services/qldbsession/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT qldbsession AWS Java SDK :: Services :: QLDB Session diff --git a/services/quicksight/pom.xml b/services/quicksight/pom.xml index b4666acd9ac9..a19116443bfc 100644 --- a/services/quicksight/pom.xml +++ b/services/quicksight/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT quicksight AWS Java SDK :: Services :: QuickSight diff --git a/services/ram/pom.xml b/services/ram/pom.xml index 23cb2a248971..444602fdea54 100644 --- a/services/ram/pom.xml +++ b/services/ram/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT ram AWS Java SDK :: Services :: RAM diff --git a/services/rbin/pom.xml b/services/rbin/pom.xml index b6d3b946681d..56c81d572646 100644 --- a/services/rbin/pom.xml +++ b/services/rbin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT rbin AWS Java SDK :: Services :: Rbin diff --git a/services/rds/pom.xml b/services/rds/pom.xml index c3fe0813630d..c52f1de150ff 100644 --- a/services/rds/pom.xml +++ b/services/rds/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT rds AWS Java SDK :: Services :: Amazon RDS diff --git a/services/rdsdata/pom.xml b/services/rdsdata/pom.xml index ec254af898a7..c806774e17b2 100644 --- a/services/rdsdata/pom.xml +++ b/services/rdsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT rdsdata AWS Java SDK :: Services :: RDS Data diff --git a/services/redshift/pom.xml b/services/redshift/pom.xml index fa56338519bf..61f578899ea6 100644 --- a/services/redshift/pom.xml +++ b/services/redshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT redshift AWS Java SDK :: Services :: Amazon Redshift diff --git a/services/redshiftdata/pom.xml b/services/redshiftdata/pom.xml index ef4514a788dc..5bcf75ea3d91 100644 --- a/services/redshiftdata/pom.xml +++ b/services/redshiftdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT redshiftdata AWS Java SDK :: Services :: Redshift Data diff --git a/services/redshiftserverless/pom.xml b/services/redshiftserverless/pom.xml index a6395772ed5a..466351e226c9 100644 --- a/services/redshiftserverless/pom.xml +++ b/services/redshiftserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT redshiftserverless AWS Java SDK :: Services :: Redshift Serverless diff --git a/services/rekognition/pom.xml b/services/rekognition/pom.xml index c862b35a37be..b3b2c865c06a 100644 --- a/services/rekognition/pom.xml +++ b/services/rekognition/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT rekognition AWS Java SDK :: Services :: Amazon Rekognition diff --git a/services/repostspace/pom.xml b/services/repostspace/pom.xml index 11ac85945d44..d04faa1f9765 100644 --- a/services/repostspace/pom.xml +++ b/services/repostspace/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT repostspace AWS Java SDK :: Services :: Repostspace diff --git a/services/resiliencehub/pom.xml b/services/resiliencehub/pom.xml index 64242b946f50..0db96c5c54b9 100644 --- a/services/resiliencehub/pom.xml +++ b/services/resiliencehub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT resiliencehub AWS Java SDK :: Services :: Resiliencehub diff --git a/services/resourceexplorer2/pom.xml b/services/resourceexplorer2/pom.xml index 83e2035a4582..6bbf14238da2 100644 --- a/services/resourceexplorer2/pom.xml +++ b/services/resourceexplorer2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT resourceexplorer2 AWS Java SDK :: Services :: Resource Explorer 2 diff --git a/services/resourcegroups/pom.xml b/services/resourcegroups/pom.xml index 2fe6dec7f1e7..42d8ea5fcfc2 100644 --- a/services/resourcegroups/pom.xml +++ b/services/resourcegroups/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2 + 2.28.3-SNAPSHOT 4.0.0 resourcegroups diff --git a/services/resourcegroupstaggingapi/pom.xml b/services/resourcegroupstaggingapi/pom.xml index 554988946327..6ab22e23ed98 100644 --- a/services/resourcegroupstaggingapi/pom.xml +++ b/services/resourcegroupstaggingapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT resourcegroupstaggingapi AWS Java SDK :: Services :: AWS Resource Groups Tagging API diff --git a/services/robomaker/pom.xml b/services/robomaker/pom.xml index d9cba1c5a6ea..696745ae9b8b 100644 --- a/services/robomaker/pom.xml +++ b/services/robomaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT robomaker AWS Java SDK :: Services :: RoboMaker diff --git a/services/rolesanywhere/pom.xml b/services/rolesanywhere/pom.xml index 75906f461d49..92ecc685eb70 100644 --- a/services/rolesanywhere/pom.xml +++ b/services/rolesanywhere/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT rolesanywhere AWS Java SDK :: Services :: Roles Anywhere diff --git a/services/route53/pom.xml b/services/route53/pom.xml index 53bf059c77f8..31586a5b9914 100644 --- a/services/route53/pom.xml +++ b/services/route53/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT route53 AWS Java SDK :: Services :: Amazon Route53 diff --git a/services/route53domains/pom.xml b/services/route53domains/pom.xml index 41be38405c9e..e18ddfc9320d 100644 --- a/services/route53domains/pom.xml +++ b/services/route53domains/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT route53domains AWS Java SDK :: Services :: Amazon Route53 Domains diff --git a/services/route53profiles/pom.xml b/services/route53profiles/pom.xml index 911685a8ab14..b924e58d2997 100644 --- a/services/route53profiles/pom.xml +++ b/services/route53profiles/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT route53profiles AWS Java SDK :: Services :: Route53 Profiles diff --git a/services/route53recoverycluster/pom.xml b/services/route53recoverycluster/pom.xml index 14babb61654b..360f2fd44da1 100644 --- a/services/route53recoverycluster/pom.xml +++ b/services/route53recoverycluster/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT route53recoverycluster AWS Java SDK :: Services :: Route53 Recovery Cluster diff --git a/services/route53recoverycontrolconfig/pom.xml b/services/route53recoverycontrolconfig/pom.xml index 1bf1aa2ce414..d886b0ef99c1 100644 --- a/services/route53recoverycontrolconfig/pom.xml +++ b/services/route53recoverycontrolconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT route53recoverycontrolconfig AWS Java SDK :: Services :: Route53 Recovery Control Config diff --git a/services/route53recoveryreadiness/pom.xml b/services/route53recoveryreadiness/pom.xml index cc7921448995..a0cdf4fb3979 100644 --- a/services/route53recoveryreadiness/pom.xml +++ b/services/route53recoveryreadiness/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT route53recoveryreadiness AWS Java SDK :: Services :: Route53 Recovery Readiness diff --git a/services/route53resolver/pom.xml b/services/route53resolver/pom.xml index 53ed266b9014..4161e6cf18f5 100644 --- a/services/route53resolver/pom.xml +++ b/services/route53resolver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT route53resolver AWS Java SDK :: Services :: Route53Resolver diff --git a/services/rum/pom.xml b/services/rum/pom.xml index 84379662a023..d8dc0b7f4c82 100644 --- a/services/rum/pom.xml +++ b/services/rum/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT rum AWS Java SDK :: Services :: RUM diff --git a/services/s3/pom.xml b/services/s3/pom.xml index a154499b6bb8..988276bb0900 100644 --- a/services/s3/pom.xml +++ b/services/s3/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT s3 AWS Java SDK :: Services :: Amazon S3 diff --git a/services/s3control/pom.xml b/services/s3control/pom.xml index b70bdf90df4d..f989c5a4a4a6 100644 --- a/services/s3control/pom.xml +++ b/services/s3control/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT s3control AWS Java SDK :: Services :: Amazon S3 Control diff --git a/services/s3outposts/pom.xml b/services/s3outposts/pom.xml index 6615711644cd..4bf5562754ae 100644 --- a/services/s3outposts/pom.xml +++ b/services/s3outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT s3outposts AWS Java SDK :: Services :: S3 Outposts diff --git a/services/sagemaker/pom.xml b/services/sagemaker/pom.xml index 558d728b8249..182f0214be28 100644 --- a/services/sagemaker/pom.xml +++ b/services/sagemaker/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2 + 2.28.3-SNAPSHOT 4.0.0 sagemaker diff --git a/services/sagemakera2iruntime/pom.xml b/services/sagemakera2iruntime/pom.xml index f411b1f013e8..966a3eae938a 100644 --- a/services/sagemakera2iruntime/pom.xml +++ b/services/sagemakera2iruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT sagemakera2iruntime AWS Java SDK :: Services :: SageMaker A2I Runtime diff --git a/services/sagemakeredge/pom.xml b/services/sagemakeredge/pom.xml index 448bf4ce7a99..640737dd7080 100644 --- a/services/sagemakeredge/pom.xml +++ b/services/sagemakeredge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT sagemakeredge AWS Java SDK :: Services :: Sagemaker Edge diff --git a/services/sagemakerfeaturestoreruntime/pom.xml b/services/sagemakerfeaturestoreruntime/pom.xml index d620677f48a6..a8fc2ff8be72 100644 --- a/services/sagemakerfeaturestoreruntime/pom.xml +++ b/services/sagemakerfeaturestoreruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT sagemakerfeaturestoreruntime AWS Java SDK :: Services :: Sage Maker Feature Store Runtime diff --git a/services/sagemakergeospatial/pom.xml b/services/sagemakergeospatial/pom.xml index 7d1e6027458f..b1db31750f08 100644 --- a/services/sagemakergeospatial/pom.xml +++ b/services/sagemakergeospatial/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT sagemakergeospatial AWS Java SDK :: Services :: Sage Maker Geospatial diff --git a/services/sagemakermetrics/pom.xml b/services/sagemakermetrics/pom.xml index b6e1278f2c29..8f2d5b90f314 100644 --- a/services/sagemakermetrics/pom.xml +++ b/services/sagemakermetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT sagemakermetrics AWS Java SDK :: Services :: Sage Maker Metrics diff --git a/services/sagemakerruntime/pom.xml b/services/sagemakerruntime/pom.xml index ea8c9356166f..d1c9c9c31be3 100644 --- a/services/sagemakerruntime/pom.xml +++ b/services/sagemakerruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT sagemakerruntime AWS Java SDK :: Services :: SageMaker Runtime diff --git a/services/savingsplans/pom.xml b/services/savingsplans/pom.xml index cadbcff84953..b6411f1a39cc 100644 --- a/services/savingsplans/pom.xml +++ b/services/savingsplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT savingsplans AWS Java SDK :: Services :: Savingsplans diff --git a/services/scheduler/pom.xml b/services/scheduler/pom.xml index 264a1b05acd1..cdd548085166 100644 --- a/services/scheduler/pom.xml +++ b/services/scheduler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT scheduler AWS Java SDK :: Services :: Scheduler diff --git a/services/schemas/pom.xml b/services/schemas/pom.xml index 1b584f24f5c6..94be2dcb0289 100644 --- a/services/schemas/pom.xml +++ b/services/schemas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT schemas AWS Java SDK :: Services :: Schemas diff --git a/services/secretsmanager/pom.xml b/services/secretsmanager/pom.xml index 7300f2330144..060bdd253f36 100644 --- a/services/secretsmanager/pom.xml +++ b/services/secretsmanager/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT secretsmanager AWS Java SDK :: Services :: AWS Secrets Manager diff --git a/services/securityhub/pom.xml b/services/securityhub/pom.xml index dc72c5e15ed5..f00bfd4f9f3a 100644 --- a/services/securityhub/pom.xml +++ b/services/securityhub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT securityhub AWS Java SDK :: Services :: SecurityHub diff --git a/services/securitylake/pom.xml b/services/securitylake/pom.xml index fb94d7de6567..d4cef3b1ce6c 100644 --- a/services/securitylake/pom.xml +++ b/services/securitylake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT securitylake AWS Java SDK :: Services :: Security Lake diff --git a/services/serverlessapplicationrepository/pom.xml b/services/serverlessapplicationrepository/pom.xml index 28505012d249..9ec4065736cf 100644 --- a/services/serverlessapplicationrepository/pom.xml +++ b/services/serverlessapplicationrepository/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2 + 2.28.3-SNAPSHOT 4.0.0 serverlessapplicationrepository diff --git a/services/servicecatalog/pom.xml b/services/servicecatalog/pom.xml index f7538b0ebff3..684b810f59fc 100644 --- a/services/servicecatalog/pom.xml +++ b/services/servicecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT servicecatalog AWS Java SDK :: Services :: AWS Service Catalog diff --git a/services/servicecatalogappregistry/pom.xml b/services/servicecatalogappregistry/pom.xml index 0b353b0277e9..85218b065f6d 100644 --- a/services/servicecatalogappregistry/pom.xml +++ b/services/servicecatalogappregistry/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT servicecatalogappregistry AWS Java SDK :: Services :: Service Catalog App Registry diff --git a/services/servicediscovery/pom.xml b/services/servicediscovery/pom.xml index 6a6620917548..bc2ec2be4b89 100644 --- a/services/servicediscovery/pom.xml +++ b/services/servicediscovery/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2 + 2.28.3-SNAPSHOT 4.0.0 servicediscovery diff --git a/services/servicequotas/pom.xml b/services/servicequotas/pom.xml index 6a99a5a9e7b3..a310c8be5a4a 100644 --- a/services/servicequotas/pom.xml +++ b/services/servicequotas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT servicequotas AWS Java SDK :: Services :: Service Quotas diff --git a/services/ses/pom.xml b/services/ses/pom.xml index b59af0db4331..20cf37ce1b8a 100644 --- a/services/ses/pom.xml +++ b/services/ses/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT ses AWS Java SDK :: Services :: Amazon SES diff --git a/services/sesv2/pom.xml b/services/sesv2/pom.xml index 313f0a8665e3..8c78ac35b2ae 100644 --- a/services/sesv2/pom.xml +++ b/services/sesv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT sesv2 AWS Java SDK :: Services :: SESv2 diff --git a/services/sfn/pom.xml b/services/sfn/pom.xml index 74e60117e23a..ef89c50aa4f8 100644 --- a/services/sfn/pom.xml +++ b/services/sfn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT sfn AWS Java SDK :: Services :: AWS Step Functions diff --git a/services/shield/pom.xml b/services/shield/pom.xml index 5116b92bcb80..42b6aa8787bd 100644 --- a/services/shield/pom.xml +++ b/services/shield/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT shield AWS Java SDK :: Services :: AWS Shield diff --git a/services/signer/pom.xml b/services/signer/pom.xml index 1edeb2fbcbf8..a5b7e9b2aecf 100644 --- a/services/signer/pom.xml +++ b/services/signer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT signer AWS Java SDK :: Services :: Signer diff --git a/services/simspaceweaver/pom.xml b/services/simspaceweaver/pom.xml index f82cd50fb07e..4ebef8052504 100644 --- a/services/simspaceweaver/pom.xml +++ b/services/simspaceweaver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT simspaceweaver AWS Java SDK :: Services :: Sim Space Weaver diff --git a/services/sms/pom.xml b/services/sms/pom.xml index a5e724e99357..22290f6ab651 100644 --- a/services/sms/pom.xml +++ b/services/sms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT sms AWS Java SDK :: Services :: AWS Server Migration diff --git a/services/snowball/pom.xml b/services/snowball/pom.xml index a5ad23586a30..45d67dd323d0 100644 --- a/services/snowball/pom.xml +++ b/services/snowball/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT snowball AWS Java SDK :: Services :: Amazon Snowball diff --git a/services/snowdevicemanagement/pom.xml b/services/snowdevicemanagement/pom.xml index 8599d2243321..fce049eb93fb 100644 --- a/services/snowdevicemanagement/pom.xml +++ b/services/snowdevicemanagement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT snowdevicemanagement AWS Java SDK :: Services :: Snow Device Management diff --git a/services/sns/pom.xml b/services/sns/pom.xml index 346cf01d941b..931ed77adcd0 100644 --- a/services/sns/pom.xml +++ b/services/sns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT sns AWS Java SDK :: Services :: Amazon SNS diff --git a/services/sqs/pom.xml b/services/sqs/pom.xml index 284b16a36026..753db2b8e18a 100644 --- a/services/sqs/pom.xml +++ b/services/sqs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT sqs AWS Java SDK :: Services :: Amazon SQS diff --git a/services/ssm/pom.xml b/services/ssm/pom.xml index 465bd8885f64..86dd724b365a 100644 --- a/services/ssm/pom.xml +++ b/services/ssm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT ssm AWS Java SDK :: Services :: AWS Simple Systems Management (SSM) diff --git a/services/ssmcontacts/pom.xml b/services/ssmcontacts/pom.xml index f9977f7a47d2..b63fc9e9f40c 100644 --- a/services/ssmcontacts/pom.xml +++ b/services/ssmcontacts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT ssmcontacts AWS Java SDK :: Services :: SSM Contacts diff --git a/services/ssmincidents/pom.xml b/services/ssmincidents/pom.xml index 7fda229d7181..78ef69eb67e9 100644 --- a/services/ssmincidents/pom.xml +++ b/services/ssmincidents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT ssmincidents AWS Java SDK :: Services :: SSM Incidents diff --git a/services/ssmquicksetup/pom.xml b/services/ssmquicksetup/pom.xml index 6215de1c5e09..aacd4f529898 100644 --- a/services/ssmquicksetup/pom.xml +++ b/services/ssmquicksetup/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT ssmquicksetup AWS Java SDK :: Services :: SSM Quick Setup diff --git a/services/ssmsap/pom.xml b/services/ssmsap/pom.xml index ddbca1698fb8..fa4bc680e619 100644 --- a/services/ssmsap/pom.xml +++ b/services/ssmsap/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT ssmsap AWS Java SDK :: Services :: Ssm Sap diff --git a/services/sso/pom.xml b/services/sso/pom.xml index f571863ade33..bc96431b468b 100644 --- a/services/sso/pom.xml +++ b/services/sso/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT sso AWS Java SDK :: Services :: SSO diff --git a/services/ssoadmin/pom.xml b/services/ssoadmin/pom.xml index c42166e10361..e5f9e125e542 100644 --- a/services/ssoadmin/pom.xml +++ b/services/ssoadmin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT ssoadmin AWS Java SDK :: Services :: SSO Admin diff --git a/services/ssooidc/pom.xml b/services/ssooidc/pom.xml index 006794871aa2..9ef48071834a 100644 --- a/services/ssooidc/pom.xml +++ b/services/ssooidc/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT ssooidc AWS Java SDK :: Services :: SSO OIDC diff --git a/services/storagegateway/pom.xml b/services/storagegateway/pom.xml index e0eb642183b7..ae9cd5ea6e2b 100644 --- a/services/storagegateway/pom.xml +++ b/services/storagegateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT storagegateway AWS Java SDK :: Services :: AWS Storage Gateway diff --git a/services/sts/pom.xml b/services/sts/pom.xml index 571a78d7e316..3cd479553e26 100644 --- a/services/sts/pom.xml +++ b/services/sts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT sts AWS Java SDK :: Services :: AWS STS diff --git a/services/supplychain/pom.xml b/services/supplychain/pom.xml index 5fe3a38bb46f..ebb45a6ee5b0 100644 --- a/services/supplychain/pom.xml +++ b/services/supplychain/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT supplychain AWS Java SDK :: Services :: Supply Chain diff --git a/services/support/pom.xml b/services/support/pom.xml index 5f1a47a4884c..003c8b4e3327 100644 --- a/services/support/pom.xml +++ b/services/support/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT support AWS Java SDK :: Services :: AWS Support diff --git a/services/supportapp/pom.xml b/services/supportapp/pom.xml index 2f2f3bdacfd7..1d8523a19ae2 100644 --- a/services/supportapp/pom.xml +++ b/services/supportapp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT supportapp AWS Java SDK :: Services :: Support App diff --git a/services/swf/pom.xml b/services/swf/pom.xml index c75942e2a840..ae693c58b15e 100644 --- a/services/swf/pom.xml +++ b/services/swf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT swf AWS Java SDK :: Services :: Amazon SWF diff --git a/services/synthetics/pom.xml b/services/synthetics/pom.xml index 4e720f8b3c39..dd75024d4347 100644 --- a/services/synthetics/pom.xml +++ b/services/synthetics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT synthetics AWS Java SDK :: Services :: Synthetics diff --git a/services/taxsettings/pom.xml b/services/taxsettings/pom.xml index 44c420b6538c..0f4aed4a9b53 100644 --- a/services/taxsettings/pom.xml +++ b/services/taxsettings/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT taxsettings AWS Java SDK :: Services :: Tax Settings diff --git a/services/textract/pom.xml b/services/textract/pom.xml index a2a9f6cc74ee..4d138207e7e8 100644 --- a/services/textract/pom.xml +++ b/services/textract/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT textract AWS Java SDK :: Services :: Textract diff --git a/services/timestreaminfluxdb/pom.xml b/services/timestreaminfluxdb/pom.xml index 6d13561e96e4..7195552ab867 100644 --- a/services/timestreaminfluxdb/pom.xml +++ b/services/timestreaminfluxdb/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT timestreaminfluxdb AWS Java SDK :: Services :: Timestream Influx DB diff --git a/services/timestreamquery/pom.xml b/services/timestreamquery/pom.xml index c5cb0c5307b2..feb9c26c5e6d 100644 --- a/services/timestreamquery/pom.xml +++ b/services/timestreamquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT timestreamquery AWS Java SDK :: Services :: Timestream Query diff --git a/services/timestreamwrite/pom.xml b/services/timestreamwrite/pom.xml index 4dcde7cfb7c1..f2eaed34c180 100644 --- a/services/timestreamwrite/pom.xml +++ b/services/timestreamwrite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT timestreamwrite AWS Java SDK :: Services :: Timestream Write diff --git a/services/tnb/pom.xml b/services/tnb/pom.xml index 839f80b74517..d9ef9010b101 100644 --- a/services/tnb/pom.xml +++ b/services/tnb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT tnb AWS Java SDK :: Services :: Tnb diff --git a/services/transcribe/pom.xml b/services/transcribe/pom.xml index 5c8bfa552be7..03eab797e493 100644 --- a/services/transcribe/pom.xml +++ b/services/transcribe/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT transcribe AWS Java SDK :: Services :: Transcribe diff --git a/services/transcribestreaming/pom.xml b/services/transcribestreaming/pom.xml index 7bc172581d7c..afa8e199a0fe 100644 --- a/services/transcribestreaming/pom.xml +++ b/services/transcribestreaming/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT transcribestreaming AWS Java SDK :: Services :: AWS Transcribe Streaming diff --git a/services/transfer/pom.xml b/services/transfer/pom.xml index 6281ee02eda8..372e4348fd0c 100644 --- a/services/transfer/pom.xml +++ b/services/transfer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT transfer AWS Java SDK :: Services :: Transfer diff --git a/services/translate/pom.xml b/services/translate/pom.xml index 94fefda9c494..40f6ee4a24bf 100644 --- a/services/translate/pom.xml +++ b/services/translate/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2 + 2.28.3-SNAPSHOT 4.0.0 translate diff --git a/services/trustedadvisor/pom.xml b/services/trustedadvisor/pom.xml index c0fe08bd53d1..c90cc3d27a22 100644 --- a/services/trustedadvisor/pom.xml +++ b/services/trustedadvisor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT trustedadvisor AWS Java SDK :: Services :: Trusted Advisor diff --git a/services/verifiedpermissions/pom.xml b/services/verifiedpermissions/pom.xml index a507a368a2f6..7e5999c59f04 100644 --- a/services/verifiedpermissions/pom.xml +++ b/services/verifiedpermissions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT verifiedpermissions AWS Java SDK :: Services :: Verified Permissions diff --git a/services/voiceid/pom.xml b/services/voiceid/pom.xml index 36b8b382c42c..b26973704c8d 100644 --- a/services/voiceid/pom.xml +++ b/services/voiceid/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT voiceid AWS Java SDK :: Services :: Voice ID diff --git a/services/vpclattice/pom.xml b/services/vpclattice/pom.xml index d0fb858411d7..701191092904 100644 --- a/services/vpclattice/pom.xml +++ b/services/vpclattice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT vpclattice AWS Java SDK :: Services :: VPC Lattice diff --git a/services/waf/pom.xml b/services/waf/pom.xml index 06073bd30e36..aff3796dc6f8 100644 --- a/services/waf/pom.xml +++ b/services/waf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT waf AWS Java SDK :: Services :: AWS WAF diff --git a/services/wafv2/pom.xml b/services/wafv2/pom.xml index a3429e7acc81..c6a2bdc4fcd7 100644 --- a/services/wafv2/pom.xml +++ b/services/wafv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT wafv2 AWS Java SDK :: Services :: WAFV2 diff --git a/services/wellarchitected/pom.xml b/services/wellarchitected/pom.xml index dad65a474900..5223790fca11 100644 --- a/services/wellarchitected/pom.xml +++ b/services/wellarchitected/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT wellarchitected AWS Java SDK :: Services :: Well Architected diff --git a/services/wisdom/pom.xml b/services/wisdom/pom.xml index 3fd40a960ffa..59c47074b287 100644 --- a/services/wisdom/pom.xml +++ b/services/wisdom/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT wisdom AWS Java SDK :: Services :: Wisdom diff --git a/services/workdocs/pom.xml b/services/workdocs/pom.xml index 7edd562af0b2..0969849d88cc 100644 --- a/services/workdocs/pom.xml +++ b/services/workdocs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT workdocs AWS Java SDK :: Services :: Amazon WorkDocs diff --git a/services/worklink/pom.xml b/services/worklink/pom.xml index 4d19700492f0..f65c342f07a4 100644 --- a/services/worklink/pom.xml +++ b/services/worklink/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT worklink AWS Java SDK :: Services :: WorkLink diff --git a/services/workmail/pom.xml b/services/workmail/pom.xml index aa1e55665e98..e306bca6ed7c 100644 --- a/services/workmail/pom.xml +++ b/services/workmail/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.2 + 2.28.3-SNAPSHOT 4.0.0 workmail diff --git a/services/workmailmessageflow/pom.xml b/services/workmailmessageflow/pom.xml index 9a65b9ef20d2..0abb44c8fdc9 100644 --- a/services/workmailmessageflow/pom.xml +++ b/services/workmailmessageflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT workmailmessageflow AWS Java SDK :: Services :: WorkMailMessageFlow diff --git a/services/workspaces/pom.xml b/services/workspaces/pom.xml index 9f5a4a292a8b..27faee43c8be 100644 --- a/services/workspaces/pom.xml +++ b/services/workspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT workspaces AWS Java SDK :: Services :: Amazon WorkSpaces diff --git a/services/workspacesthinclient/pom.xml b/services/workspacesthinclient/pom.xml index 65659443a05c..ea2bd67d1a57 100644 --- a/services/workspacesthinclient/pom.xml +++ b/services/workspacesthinclient/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT workspacesthinclient AWS Java SDK :: Services :: Work Spaces Thin Client diff --git a/services/workspacesweb/pom.xml b/services/workspacesweb/pom.xml index 5ea821e4dea2..5f5e91266938 100644 --- a/services/workspacesweb/pom.xml +++ b/services/workspacesweb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT workspacesweb AWS Java SDK :: Services :: Work Spaces Web diff --git a/services/xray/pom.xml b/services/xray/pom.xml index c17188949918..e843bb620a0d 100644 --- a/services/xray/pom.xml +++ b/services/xray/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.2 + 2.28.3-SNAPSHOT xray AWS Java SDK :: Services :: AWS X-Ray diff --git a/test/auth-tests/pom.xml b/test/auth-tests/pom.xml index 843af780c0ea..d447b82da62a 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.2 + 2.28.3-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/bundle-logging-bridge-binding-test/pom.xml b/test/bundle-logging-bridge-binding-test/pom.xml index cdfd44abd0a8..68ecf3886aff 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.2 + 2.28.3-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/bundle-shading-tests/pom.xml b/test/bundle-shading-tests/pom.xml index 1dddaf6353a0..1f66060b9a2a 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.2 + 2.28.3-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/codegen-generated-classes-test/pom.xml b/test/codegen-generated-classes-test/pom.xml index c518641f66ce..61896cf0cd9a 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.2 + 2.28.3-SNAPSHOT ../../pom.xml diff --git a/test/crt-unavailable-tests/pom.xml b/test/crt-unavailable-tests/pom.xml index 4fb933742087..4c10ac9ffa78 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.2 + 2.28.3-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/http-client-tests/pom.xml b/test/http-client-tests/pom.xml index d1e0fcc0ae7d..8c45562b4c29 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.2 + 2.28.3-SNAPSHOT ../../pom.xml http-client-tests diff --git a/test/module-path-tests/pom.xml b/test/module-path-tests/pom.xml index a24dbd58645a..9dee9f9494c7 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.2 + 2.28.3-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/old-client-version-compatibility-test/pom.xml b/test/old-client-version-compatibility-test/pom.xml index dc7c51927672..3653ed09c366 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.2 + 2.28.3-SNAPSHOT ../../pom.xml diff --git a/test/protocol-tests-core/pom.xml b/test/protocol-tests-core/pom.xml index 29ac3efbb385..77ce67abd506 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.2 + 2.28.3-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/protocol-tests/pom.xml b/test/protocol-tests/pom.xml index 6a9513ca3457..17640b438c10 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.2 + 2.28.3-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/region-testing/pom.xml b/test/region-testing/pom.xml index 27530ff90ea7..be4b9b66264d 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.2 + 2.28.3-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/ruleset-testing-core/pom.xml b/test/ruleset-testing-core/pom.xml index 830d7975fe1a..0f9107cd7b26 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.2 + 2.28.3-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/s3-benchmarks/pom.xml b/test/s3-benchmarks/pom.xml index d0d74966ca78..4e42c0a58418 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.2 + 2.28.3-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/sdk-benchmarks/pom.xml b/test/sdk-benchmarks/pom.xml index b3d696a0c352..af90b8983293 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.2 + 2.28.3-SNAPSHOT ../../pom.xml diff --git a/test/sdk-native-image-test/pom.xml b/test/sdk-native-image-test/pom.xml index 68a2cebaef92..538675d1e83d 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.2 + 2.28.3-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/service-test-utils/pom.xml b/test/service-test-utils/pom.xml index d60a08132109..349427ef5b12 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.2 + 2.28.3-SNAPSHOT ../../pom.xml service-test-utils diff --git a/test/stability-tests/pom.xml b/test/stability-tests/pom.xml index 4a36bc3b2f76..072f01015c0e 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.2 + 2.28.3-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/test-utils/pom.xml b/test/test-utils/pom.xml index 572adb23c728..7b758c31417a 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.2 + 2.28.3-SNAPSHOT ../../pom.xml test-utils diff --git a/test/tests-coverage-reporting/pom.xml b/test/tests-coverage-reporting/pom.xml index a4151926e3ff..56702420201f 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.2 + 2.28.3-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/v2-migration-tests/pom.xml b/test/v2-migration-tests/pom.xml index a8fa61345690..6ceaa53552ea 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.2 + 2.28.3-SNAPSHOT ../.. diff --git a/third-party/pom.xml b/third-party/pom.xml index 7f1085e2d040..096fe0c69f08 100644 --- a/third-party/pom.xml +++ b/third-party/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.2 + 2.28.3-SNAPSHOT third-party diff --git a/third-party/third-party-jackson-core/pom.xml b/third-party/third-party-jackson-core/pom.xml index 248d5d5b6d2c..8fc0a075fd01 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.2 + 2.28.3-SNAPSHOT 4.0.0 diff --git a/third-party/third-party-jackson-dataformat-cbor/pom.xml b/third-party/third-party-jackson-dataformat-cbor/pom.xml index 2af2eb8fe22a..bbed850b20c2 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.2 + 2.28.3-SNAPSHOT 4.0.0 diff --git a/third-party/third-party-slf4j-api/pom.xml b/third-party/third-party-slf4j-api/pom.xml index b67ebd234b66..01ecb070dceb 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.2 + 2.28.3-SNAPSHOT 4.0.0 diff --git a/utils/pom.xml b/utils/pom.xml index 2e445f145888..f665241ae05d 100644 --- a/utils/pom.xml +++ b/utils/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.2 + 2.28.3-SNAPSHOT 4.0.0 diff --git a/v2-migration/pom.xml b/v2-migration/pom.xml index b93b268ef3e2..23580d32d122 100644 --- a/v2-migration/pom.xml +++ b/v2-migration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.2 + 2.28.3-SNAPSHOT ../pom.xml From d2b33fd85086553985d6d5fcfa7fff2c4cb247b1 Mon Sep 17 00:00:00 2001 From: Manuel Sugawara Date: Mon, 16 Sep 2024 12:04:28 -0700 Subject: [PATCH 099/108] Add a client config to the client that is now needed (#5600) --- .../dynamodb/V2DynamoDbAttributeValue.java | 16 +++++++++++++++- 1 file changed, 15 insertions(+), 1 deletion(-) diff --git a/test/sdk-benchmarks/src/main/java/software/amazon/awssdk/benchmark/marshaller/dynamodb/V2DynamoDbAttributeValue.java b/test/sdk-benchmarks/src/main/java/software/amazon/awssdk/benchmark/marshaller/dynamodb/V2DynamoDbAttributeValue.java index 93eaad9e4e71..0b770c8d1d08 100755 --- a/test/sdk-benchmarks/src/main/java/software/amazon/awssdk/benchmark/marshaller/dynamodb/V2DynamoDbAttributeValue.java +++ b/test/sdk-benchmarks/src/main/java/software/amazon/awssdk/benchmark/marshaller/dynamodb/V2DynamoDbAttributeValue.java @@ -20,12 +20,20 @@ import java.io.IOException; import java.io.InputStream; import java.io.UncheckedIOException; +import java.net.URI; import java.util.Map; +import java.util.concurrent.TimeUnit; import org.openjdk.jmh.annotations.Benchmark; +import org.openjdk.jmh.annotations.BenchmarkMode; +import org.openjdk.jmh.annotations.Fork; +import org.openjdk.jmh.annotations.Mode; +import org.openjdk.jmh.annotations.OutputTimeUnit; import org.openjdk.jmh.annotations.Param; import org.openjdk.jmh.annotations.Scope; import org.openjdk.jmh.annotations.Setup; import org.openjdk.jmh.annotations.State; +import software.amazon.awssdk.core.client.config.SdkClientConfiguration; +import software.amazon.awssdk.core.client.config.SdkClientOption; import software.amazon.awssdk.core.http.HttpResponseHandler; import software.amazon.awssdk.core.interceptor.ExecutionAttributes; import software.amazon.awssdk.http.AbortableInputStream; @@ -61,11 +69,17 @@ import software.amazon.awssdk.services.dynamodb.model.TableNotFoundException; import software.amazon.awssdk.services.dynamodb.transform.PutItemRequestMarshaller; - +@BenchmarkMode(Mode.AverageTime) +@OutputTimeUnit(TimeUnit.NANOSECONDS) +@Fork(1) public class V2DynamoDbAttributeValue { private static final AwsJsonProtocolFactory JSON_PROTOCOL_FACTORY = AwsJsonProtocolFactory .builder() + .clientConfiguration(SdkClientConfiguration + .builder() + .option(SdkClientOption.ENDPOINT, URI.create("https://localhost")) + .build()) .defaultServiceExceptionSupplier(DynamoDbException::builder) .protocol(AwsJsonProtocol.AWS_JSON) .protocolVersion("1.0") From cae19ee9f6851362c758356185e32a4e59744be5 Mon Sep 17 00:00:00 2001 From: David Ho <70000000+davidh44@users.noreply.github.com> Date: Mon, 16 Sep 2024 15:38:53 -0700 Subject: [PATCH 100/108] Migration tool exclude custom sdks (#5602) * Migration tool skip transforming custom SDKs * Remove packages to skip * Keep skipped packages test and add Lambda invoke class --- v2-migration/pom.xml | 13 +- .../awssdk/v2migration/ChangeSdkType.java | 21 +- .../internal/utils/SdkTypeUtils.java | 403 ++++++++++++++++++ .../awssdk/v2migration/ChangeSdkTypeTest.java | 6 +- 4 files changed, 428 insertions(+), 15 deletions(-) diff --git a/v2-migration/pom.xml b/v2-migration/pom.xml index 23580d32d122..23a7fcaf1526 100644 --- a/v2-migration/pom.xml +++ b/v2-migration/pom.xml @@ -142,6 +142,17 @@ + + com.amazonaws + aws-java-sdk-s3 + test + + + com.fasterxml.jackson + jackson-core + + + com.amazonaws aws-java-sdk-dynamodb @@ -155,7 +166,7 @@ com.amazonaws - aws-java-sdk-s3 + aws-java-sdk-lambda test diff --git a/v2-migration/src/main/java/software/amazon/awssdk/v2migration/ChangeSdkType.java b/v2-migration/src/main/java/software/amazon/awssdk/v2migration/ChangeSdkType.java index 7c8d6838120b..ce7c32a47fe3 100644 --- a/v2-migration/src/main/java/software/amazon/awssdk/v2migration/ChangeSdkType.java +++ b/v2-migration/src/main/java/software/amazon/awssdk/v2migration/ChangeSdkType.java @@ -17,11 +17,11 @@ import static software.amazon.awssdk.v2migration.internal.utils.NamingConversionUtils.getV2Equivalent; import static software.amazon.awssdk.v2migration.internal.utils.NamingConversionUtils.getV2ModelPackageWildCardEquivalent; +import static software.amazon.awssdk.v2migration.internal.utils.SdkTypeUtils.isCustomSdk; import static software.amazon.awssdk.v2migration.internal.utils.SdkTypeUtils.isV1ClientClass; import static software.amazon.awssdk.v2migration.internal.utils.SdkTypeUtils.isV1ModelClass; import java.util.ArrayList; -import java.util.Arrays; import java.util.HashMap; import java.util.HashSet; import java.util.IdentityHashMap; @@ -65,10 +65,6 @@ public class ChangeSdkType extends Recipe { "com\\.amazonaws\\.services\\.[a-zA-Z0-9]+\\.model\\.\\*"; private static final String V1_SERVICE_WILD_CARD_CLASS_PATTERN = "com\\.amazonaws\\.services\\.[a-zA-Z0-9]+\\.\\*"; - private static final Set PACKAGES_TO_SKIP = new HashSet<>( - Arrays.asList("com.amazonaws.services.s3.transfer", - "com.amazonaws.services.dynamodbv2.datamodeling")); - @Override public String getDisplayName() { return "Change AWS SDK for Java v1 types to v2 equivalents"; @@ -139,17 +135,16 @@ private static boolean isWildcard(String fullName) { private static boolean isV1Class(JavaType.FullyQualified fullyQualified) { String fullyQualifiedName = fullyQualified.getFullyQualifiedName(); - if (shouldSkip(fullyQualifiedName)) { - log.info(() -> String.format("Skipping transformation for %s because it is not supported in the migration " - + "tooling at the moment", fullyQualifiedName)); + + if (!isV1ModelClass(fullyQualified) && !isV1ClientClass(fullyQualified)) { return false; } - return isV1ModelClass(fullyQualified) || isV1ClientClass(fullyQualified); - } - - private static boolean shouldSkip(String fqcn) { - return PACKAGES_TO_SKIP.stream().anyMatch(fqcn::startsWith); + if (isCustomSdk(fullyQualifiedName)) { + log.info(() -> String.format("Skipping transformation for %s because it is a custom SDK", fullyQualifiedName)); + return false; + } + return true; } @Override diff --git a/v2-migration/src/main/java/software/amazon/awssdk/v2migration/internal/utils/SdkTypeUtils.java b/v2-migration/src/main/java/software/amazon/awssdk/v2migration/internal/utils/SdkTypeUtils.java index 4569619d2231..d594a81f33fc 100644 --- a/v2-migration/src/main/java/software/amazon/awssdk/v2migration/internal/utils/SdkTypeUtils.java +++ b/v2-migration/src/main/java/software/amazon/awssdk/v2migration/internal/utils/SdkTypeUtils.java @@ -92,6 +92,397 @@ public final class SdkTypeUtils { private static final Pattern V2_CLIENT_BUILDER_PATTERN = Pattern.compile( "software\\.amazon\\.awssdk\\.services\\.[a-zA-Z0-9]+\\.[a-zA-Z0-9]+Builder"); + private static final Set V1_SERVICES_PACKAGE_NAMES = new HashSet<>(); + + static { + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.sagemakeredgemanager"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.medialive"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.cloudhsm"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.comprehendmedical"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.cloudsearchv2"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.cloudsearchdomain"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.billingconductor"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.support"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.memorydb"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.kinesisvideowebrtcstorage"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.kinesisvideosignalingchannels"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.chime"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.inspector2"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.taxsettings"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.rds"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.paymentcryptographydata"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.verifiedpermissions"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.ecrpublic"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.internetmonitor"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.ec2.util"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.ec2"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.tnb"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.securitytoken"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.translate"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.inspector"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.datasync"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.certificatemanager"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.codepipeline"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.braket"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.appconfigdata"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.qldbsession"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.gluedatabrew"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.workdocs"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.amplify"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.bedrock"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.outposts"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.ram"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.macie2"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.elasticfilesystem"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.simpleemailv2"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.logs"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.servicediscovery"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.importexport"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.workspacesweb"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.appflow"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.chimesdkvoice"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.lookoutmetrics"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.s3.model"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.s3"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.repostspace"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.health"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.amplifyuibuilder"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.databasemigrationservice"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.dax"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.clouddirectory"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.costexplorer"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.elasticloadbalancing"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.omics"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.timestreaminfluxdb"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.workmailmessageflow"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.codebuild"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.workmail"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.ssooidc"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.cloudwatch"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.servermigration"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.stepfunctions"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.ssmincidents"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.trustedadvisor"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.wellarchitected"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.elasticsearch"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.quicksight"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.forecastquery"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.bedrockagent"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.migrationhub"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.imagebuilder"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.medicalimaging"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.appsync"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.paymentcryptography"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.budgets"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.controlcatalog"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.iotfleetwise"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.forecast"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.chimesdkidentity"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.networkfirewall"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.computeoptimizer"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.cloudformation"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.simpleemail"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.pinpoint"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.mturk"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.autoscalingplans"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.elastictranscoder"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.neptunedata"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.qapps"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.dlm"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.workspaces"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.mediaconvert"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.connect"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.account"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.sagemakerfeaturestoreruntime"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.apigateway"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.mediapackage"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.amplifybackend"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.proton"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.config"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.wafv2"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.qconnect"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.emrserverless"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.scheduler"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.mailmanager"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.mainframemodernization"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.dynamodbv2.xspec"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.dynamodbv2"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.personalize"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.managedgrafana"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.codegurusecurity"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.ivschat"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.s3outposts"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.cloudwatchrum"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.ivs"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.directory"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.costandusagereport"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.connectcampaign"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.iotanalytics"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.identitystore"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.migrationhuborchestrator"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.eksauth"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.codeconnections"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.transfer"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.waf"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.greengrassv2"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.supportapp"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.deadline"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.cognitosync"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.route53recoverycontrolconfig"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.connectcontactlens"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.appfabric"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.cleanroomsml"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.licensemanagerusersubscriptions"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.appregistry"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.eventbridge"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.mediaconnect"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.costoptimizationhub"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.ec2instanceconnect"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.migrationhubstrategyrecommendations"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.iottwinmaker"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.customerprofiles"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.route53domains"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.route53"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.freetier"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.iotsecuretunneling"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.sagemakergeospatial"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.backupgateway"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.s3control"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.kinesisanalyticsv2"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.mediapackagevod"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.kinesisvideo"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.route53recoverycluster"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.docdbelastic"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.marketplacemetering"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.applicationautoscaling"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.mediapackagev2"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.ebs"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.qbusiness"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.simpleworkflow"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.cognitoidp"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.codestarnotifications"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.networkmonitor"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.iotfleethub"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.iotwireless"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.eks"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.controltower"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.drs"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.opensearch"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.ssmcontacts"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.applicationdiscovery"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.private5g"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.cloudfront"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.location"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.timestreamquery"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.marketplacedeployment"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.route53recoveryreadiness"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.chimesdkmediapipelines"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.shield"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.synthetics"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.xray"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.elasticloadbalancingv2"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.marketplaceagreement"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.signer"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.directconnect"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.codegurureviewer"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.securitylake"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.sso"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.lexmodelbuilding"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.mgn"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.lightsail"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.iotjobsdataplane"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.pricing"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.vpclattice"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.identitymanagement"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.datapipeline"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.marketplacecommerceanalytics"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.globalaccelerator"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.mq"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.marketplaceentitlement"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.resourcegroups"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.pipes"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.artifact"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.finspace"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.opensearchserverless"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.athena"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.ecr"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.storagegateway"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.panorama"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.managedblockchainquery"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.bedrockagentruntime"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.cognitoidentity"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.iotdata"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.iot"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.sqs"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.pinpointsmsvoicev2"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.rekognition"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.dataexchange"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.fsx"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.snowdevicemanagement"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.finspacedata"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.inspectorscan"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.recyclebin"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.detective"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.mwaa"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.applicationcostprofiler"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.iotevents"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.ivsrealtime"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.ecs"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.bedrockruntime"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.kinesis"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.kinesisanalytics"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.kinesisfirehose"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.cloudhsmv2"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.glue"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.codedeploy"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.simpledb.util"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.simpledb"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.launchwizard"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.personalizeevents"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.devopsguru"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.opsworks"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.kafka"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.voiceid"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.cloudcontrolapi"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.sagemakerruntime"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.textract"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.batch"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.appconfig"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.cloudwatchevents"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.codeartifact"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.autoscaling"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.resiliencehub"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.securityhub"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.iot1clickdevices"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.backup"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.iotdeviceadvisor"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.mediastore"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.serverlessapplicationrepository"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.fms"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.timestreamwrite"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.ioteventsdata"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.codeguruprofiler"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.lexruntimev2"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.elasticache"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.kendra"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.snowball"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.iotthingsgraph"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.pcaconnectorscep"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.iotsitewise"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.lexmodelsv2"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.redshiftserverless"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.migrationhubconfig"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.pi"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.kendraranking"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.osis"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.bcmdataexports"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.accessanalyzer"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.appintegrations"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.b2bi"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.keyspaces"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.elasticinference"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.redshift"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.cloudtrail"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.connectparticipant"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.gamelift"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.acmpca"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.simspaceweaver"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.lookoutequipment"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.pinpointsmsvoice"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.codestarconnections"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.personalizeruntime"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.lambda"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.emrcontainers"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.sns.util"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.sns"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.chimesdkmeetings"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.entityresolution"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.networkmanager"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.datazone"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.savingsplans"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.resourcegroupstaggingapi"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.organizations"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.ssoadmin"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.lakeformation"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.kafkaconnect"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.glacier"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.docdb"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.appstream"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.applicationsignals"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.cloudwatchevidently"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.healthlake"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.sagemaker"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.codecommit"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.frauddetector"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.apptest"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.transcribe"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.migrationhubrefactorspaces"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.apprunner"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.machinelearning"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.servicequotas"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.marketplacecatalog"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.route53resolver"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.nimblestudio"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.rdsdata"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.fis"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.chimesdkmessaging"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.lookoutforvision"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.chatbot"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.resourceexplorer2"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.cloudtraildata"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.devicefarm"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.lexruntime"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.arczonalshift"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.ssmsap"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.comprehend"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.connectwisdom"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.licensemanagerlinuxsubscriptions"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.polly"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.appmesh"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.schemas"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.managedblockchain"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.guardduty"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.cloud9"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.greengrass"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.simplesystemsmanagement"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.connectcases"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.licensemanager"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.mediastoredata"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.servicecatalog"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.oam"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.secretsmanager"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.qldb"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.redshiftdataapi"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.opsworkscm"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.pinpointemail"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.apigatewayv2"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.cleanrooms"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.elasticmapreduce"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.pcaconnectorad"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.iot1clickprojects"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.elasticbeanstalk"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.worklink"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.supplychain"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.sagemakermetrics"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.groundstation"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.prometheus"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.apigatewaymanagementapi"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.neptune"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.workspacesthinclient"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.codestar"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.route53profiles"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.augmentedairuntime"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.auditmanager"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.iamrolesanywhere"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.mediatailor"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.kms"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.robomaker"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.applicationinsights"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.s3.transfer"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.dynamodbv2.datamodeling"); + V1_SERVICES_PACKAGE_NAMES.add("com.amazonaws.services.lambda.invoke"); + } + private SdkTypeUtils() { } @@ -99,6 +490,18 @@ public static boolean isV1Class(JavaType type) { return type != null && type.isAssignableFrom(V1_SERVICE_CLASS_PATTERN); } + public static boolean isCustomSdk(String fullyQualifiedName) { + int lastIndexOfDot = fullyQualifiedName.lastIndexOf('.'); + // i.e.., com.amazonaws.services.SERVICE.CLASSNAME + String packagePrefix = fullyQualifiedName.substring(0, lastIndexOfDot); + + int lastIndexOfDotModelClass = packagePrefix.lastIndexOf('.'); + // i.e., com.amazonaws.services.SERVICE.model.CLASSNAME + String packagePrefixModelClass = packagePrefix.substring(0, lastIndexOfDotModelClass); + + return !V1_SERVICES_PACKAGE_NAMES.contains(packagePrefix) && !V1_SERVICES_PACKAGE_NAMES.contains(packagePrefixModelClass); + } + public static boolean isV1ModelClass(JavaType type) { return type != null && type instanceof JavaType.FullyQualified diff --git a/v2-migration/src/test/java/software/amazon/awssdk/v2migration/ChangeSdkTypeTest.java b/v2-migration/src/test/java/software/amazon/awssdk/v2migration/ChangeSdkTypeTest.java index d5222293f4f5..e4d9a4c29617 100644 --- a/v2-migration/src/test/java/software/amazon/awssdk/v2migration/ChangeSdkTypeTest.java +++ b/v2-migration/src/test/java/software/amazon/awssdk/v2migration/ChangeSdkTypeTest.java @@ -29,7 +29,7 @@ public class ChangeSdkTypeTest implements RewriteTest { @Override public void defaults(RecipeSpec spec) { spec.recipe(new ChangeSdkType()).parser(Java8Parser.builder().classpath("aws-java-sdk-sqs", "sqs", "aws-java-sdk-s3", - "aws-java-sdk-dynamodb")); + "aws-java-sdk-dynamodb", "aws-java-sdk-lambda")); } @Test @@ -225,19 +225,23 @@ void hasUnsupportedFeature_shouldSkip() { "import com.amazonaws.services.s3.transfer.TransferManager;\n" + "import com.amazonaws.services.sqs.model.DeleteQueueRequest;\n" + "import com.amazonaws.services.dynamodbv2.datamodeling.DynamoDBMapper;\n" + + "import com.amazonaws.services.lambda.invoke.LambdaFunction;\n" + "class Test {\n" + " private TransferManager transferManager;\n" + " private DeleteQueueRequest deleteQueue;\n" + " private DynamoDBMapper ddbMapper;\n" + + " private LambdaFunction lambdaFunction;\n" + "}\n", "import com.amazonaws.services.s3.transfer.TransferManager;\n" + "import software.amazon.awssdk.services.sqs.model.DeleteQueueRequest;\n" + "import com.amazonaws.services.dynamodbv2.datamodeling.DynamoDBMapper;\n" + + "import com.amazonaws.services.lambda.invoke.LambdaFunction;\n" + "\n" + "class Test {\n" + " private TransferManager transferManager;\n" + " private DeleteQueueRequest deleteQueue;\n" + " private DynamoDBMapper ddbMapper;\n" + + " private LambdaFunction lambdaFunction;\n" + "}" ) ); From c15079011f8bbdf01e29cae80dbd9d8a7dc5c380 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Tue, 17 Sep 2024 18:10:03 +0000 Subject: [PATCH 101/108] Amazon Elastic Container Registry Update: The `DescribeImageScanning` API now includes `fixAvailable`, `exploitAvailable`, and `fixedInVersion` fields to provide more detailed information about the availability of fixes, exploits, and fixed versions for identified image vulnerabilities. --- ...-AmazonElasticContainerRegistry-844a124.json | 6 ++++++ .../resources/codegen-resources/service-2.json | 17 ++++++++++++++++- 2 files changed, 22 insertions(+), 1 deletion(-) create mode 100644 .changes/next-release/feature-AmazonElasticContainerRegistry-844a124.json diff --git a/.changes/next-release/feature-AmazonElasticContainerRegistry-844a124.json b/.changes/next-release/feature-AmazonElasticContainerRegistry-844a124.json new file mode 100644 index 000000000000..bf3c65086ba7 --- /dev/null +++ b/.changes/next-release/feature-AmazonElasticContainerRegistry-844a124.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Amazon Elastic Container Registry", + "contributor": "", + "description": "The `DescribeImageScanning` API now includes `fixAvailable`, `exploitAvailable`, and `fixedInVersion` fields to provide more detailed information about the availability of fixes, exploits, and fixed versions for identified image vulnerabilities." +} diff --git a/services/ecr/src/main/resources/codegen-resources/service-2.json b/services/ecr/src/main/resources/codegen-resources/service-2.json index 9e35f8afd5b4..4c353da20bd0 100644 --- a/services/ecr/src/main/resources/codegen-resources/service-2.json +++ b/services/ecr/src/main/resources/codegen-resources/service-2.json @@ -1806,7 +1806,7 @@ "members":{ "encryptionType":{ "shape":"EncryptionType", - "documentation":"

    The encryption type to use.

    If you use the KMS encryption type, the contents of the repository will be encrypted using server-side encryption with Key Management Service key stored in KMS. When you use KMS to encrypt your data, you can either use the default Amazon Web Services managed KMS key for Amazon ECR, or specify your own KMS key, which you already created.

    If you use the KMS_DSSE encryption type, the contents of the repository will be encrypted with two layers of encryption using server-side encryption with the KMS Management Service key stored in KMS. Similar to the KMS encryption type, you can either use the default Amazon Web Services managed KMS key for Amazon ECR, or specify your own KMS key, which you've already created.

    If you use the AES256 encryption type, Amazon ECR uses server-side encryption with Amazon S3-managed encryption keys which encrypts the images in the repository using an AES256 encryption algorithm. For more information, see Protecting data using server-side encryption with Amazon S3-managed encryption keys (SSE-S3) in the Amazon Simple Storage Service Console Developer Guide.

    " + "documentation":"

    The encryption type to use.

    If you use the KMS encryption type, the contents of the repository will be encrypted using server-side encryption with Key Management Service key stored in KMS. When you use KMS to encrypt your data, you can either use the default Amazon Web Services managed KMS key for Amazon ECR, or specify your own KMS key, which you already created.

    If you use the KMS_DSSE encryption type, the contents of the repository will be encrypted with two layers of encryption using server-side encryption with the KMS Management Service key stored in KMS. Similar to the KMS encryption type, you can either use the default Amazon Web Services managed KMS key for Amazon ECR, or specify your own KMS key, which you've already created.

    If you use the AES256 encryption type, Amazon ECR uses server-side encryption with Amazon S3-managed encryption keys which encrypts the images in the repository using an AES256 encryption algorithm.

    For more information, see Amazon ECR encryption at rest in the Amazon Elastic Container Registry User Guide.

    " }, "kmsKey":{ "shape":"KmsKey", @@ -1900,6 +1900,14 @@ "updatedAt":{ "shape":"Date", "documentation":"

    The date and time the finding was last updated at.

    " + }, + "fixAvailable":{ + "shape":"FixAvailable", + "documentation":"

    Details on whether a fix is available through a version update. This value can be YES, NO, or PARTIAL. A PARTIAL fix means that some, but not all, of the packages identified in the finding have fixes available through updated versions.

    " + }, + "exploitAvailable":{ + "shape":"ExploitAvailable", + "documentation":"

    If a finding discovered in your environment has an exploit available.

    " } }, "documentation":"

    The details of an enhanced image scan. This is returned when enhanced scanning is enabled for your private registry.

    " @@ -1912,6 +1920,7 @@ "EvaluationTimestamp":{"type":"timestamp"}, "ExceptionMessage":{"type":"string"}, "ExpirationTimestamp":{"type":"timestamp"}, + "ExploitAvailable":{"type":"string"}, "FilePath":{"type":"string"}, "FindingArn":{"type":"string"}, "FindingDescription":{"type":"string"}, @@ -1932,6 +1941,8 @@ "key":{"shape":"FindingSeverity"}, "value":{"shape":"SeverityCount"} }, + "FixAvailable":{"type":"string"}, + "FixedInVersion":{"type":"string"}, "ForceFlag":{"type":"boolean"}, "GetAccountSettingRequest":{ "type":"structure", @@ -4466,6 +4477,10 @@ "version":{ "shape":"Version", "documentation":"

    The version of the vulnerable package.

    " + }, + "fixedInVersion":{ + "shape":"FixedInVersion", + "documentation":"

    The version of the package that contains the vulnerability fix.

    " } }, "documentation":"

    Information on the vulnerable package identified by a finding.

    " From 222270eb3753e5e175f10c32275bd11856ef5f12 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Tue, 17 Sep 2024 18:10:14 +0000 Subject: [PATCH 102/108] Amazon Simple Systems Manager (SSM) Update: Support for additional levels of cross-account, cross-Region organizational units in Automation. Various documentation updates. --- ...AmazonSimpleSystemsManagerSSM-df12905.json | 6 + .../codegen-resources/service-2.json | 136 ++++++++++++------ 2 files changed, 98 insertions(+), 44 deletions(-) create mode 100644 .changes/next-release/feature-AmazonSimpleSystemsManagerSSM-df12905.json diff --git a/.changes/next-release/feature-AmazonSimpleSystemsManagerSSM-df12905.json b/.changes/next-release/feature-AmazonSimpleSystemsManagerSSM-df12905.json new file mode 100644 index 000000000000..bad14e8d4303 --- /dev/null +++ b/.changes/next-release/feature-AmazonSimpleSystemsManagerSSM-df12905.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Amazon Simple Systems Manager (SSM)", + "contributor": "", + "description": "Support for additional levels of cross-account, cross-Region organizational units in Automation. Various documentation updates." +} diff --git a/services/ssm/src/main/resources/codegen-resources/service-2.json b/services/ssm/src/main/resources/codegen-resources/service-2.json index c0e9d5c26b13..2eac00f7a6ee 100644 --- a/services/ssm/src/main/resources/codegen-resources/service-2.json +++ b/services/ssm/src/main/resources/codegen-resources/service-2.json @@ -92,7 +92,7 @@ {"shape":"InvalidParameters"}, {"shape":"InternalServerError"} ], - "documentation":"

    Generates an activation code and activation ID you can use to register your on-premises servers, edge devices, or virtual machine (VM) with Amazon Web Services Systems Manager. Registering these machines with Systems Manager makes it possible to manage them using Systems Manager capabilities. You use the activation code and ID when installing SSM Agent on machines in your hybrid environment. For more information about requirements for managing on-premises machines using Systems Manager, see Setting up Amazon Web Services Systems Manager for hybrid and multicloud environments in the Amazon Web Services Systems Manager User Guide.

    Amazon Elastic Compute Cloud (Amazon EC2) instances, edge devices, and on-premises servers and VMs that are configured for Systems Manager are all called managed nodes.

    " + "documentation":"

    Generates an activation code and activation ID you can use to register your on-premises servers, edge devices, or virtual machine (VM) with Amazon Web Services Systems Manager. Registering these machines with Systems Manager makes it possible to manage them using Systems Manager capabilities. You use the activation code and ID when installing SSM Agent on machines in your hybrid environment. For more information about requirements for managing on-premises machines using Systems Manager, see Using Amazon Web Services Systems Manager in hybrid and multicloud environments in the Amazon Web Services Systems Manager User Guide.

    Amazon Elastic Compute Cloud (Amazon EC2) instances, edge devices, and on-premises servers and VMs that are configured for Systems Manager are all called managed nodes.

    " }, "CreateAssociation":{ "name":"CreateAssociation", @@ -159,7 +159,7 @@ {"shape":"DocumentLimitExceeded"}, {"shape":"InvalidDocumentSchemaVersion"} ], - "documentation":"

    Creates a Amazon Web Services Systems Manager (SSM document). An SSM document defines the actions that Systems Manager performs on your managed nodes. For more information about SSM documents, including information about supported schemas, features, and syntax, see Amazon Web Services Systems Manager Documents in the Amazon Web Services Systems Manager User Guide.

    " + "documentation":"

    Creates a Amazon Web Services Systems Manager (SSM document). An SSM document defines the actions that Systems Manager performs on your managed nodes. For more information about SSM documents, including information about supported schemas, features, and syntax, see Amazon Web Services Systems Manager Documents in the Amazon Web Services Systems Manager User Guide.

    " }, "CreateMaintenanceWindow":{ "name":"CreateMaintenanceWindow", @@ -239,7 +239,7 @@ {"shape":"ResourceDataSyncAlreadyExistsException"}, {"shape":"ResourceDataSyncInvalidConfigurationException"} ], - "documentation":"

    A resource data sync helps you view data from multiple sources in a single location. Amazon Web Services Systems Manager offers two types of resource data sync: SyncToDestination and SyncFromSource.

    You can configure Systems Manager Inventory to use the SyncToDestination type to synchronize Inventory data from multiple Amazon Web Services Regions to a single Amazon Simple Storage Service (Amazon S3) bucket. For more information, see Configuring resource data sync for Inventory in the Amazon Web Services Systems Manager User Guide.

    You can configure Systems Manager Explorer to use the SyncFromSource type to synchronize operational work items (OpsItems) and operational data (OpsData) from multiple Amazon Web Services Regions to a single Amazon S3 bucket. This type can synchronize OpsItems and OpsData from multiple Amazon Web Services accounts and Amazon Web Services Regions or EntireOrganization by using Organizations. For more information, see Setting up Systems Manager Explorer to display data from multiple accounts and Regions in the Amazon Web Services Systems Manager User Guide.

    A resource data sync is an asynchronous operation that returns immediately. After a successful initial sync is completed, the system continuously syncs data. To check the status of a sync, use the ListResourceDataSync.

    By default, data isn't encrypted in Amazon S3. We strongly recommend that you enable encryption in Amazon S3 to ensure secure data storage. We also recommend that you secure access to the Amazon S3 bucket by creating a restrictive bucket policy.

    " + "documentation":"

    A resource data sync helps you view data from multiple sources in a single location. Amazon Web Services Systems Manager offers two types of resource data sync: SyncToDestination and SyncFromSource.

    You can configure Systems Manager Inventory to use the SyncToDestination type to synchronize Inventory data from multiple Amazon Web Services Regions to a single Amazon Simple Storage Service (Amazon S3) bucket. For more information, see Creatinga a resource data sync for Inventory in the Amazon Web Services Systems Manager User Guide.

    You can configure Systems Manager Explorer to use the SyncFromSource type to synchronize operational work items (OpsItems) and operational data (OpsData) from multiple Amazon Web Services Regions to a single Amazon S3 bucket. This type can synchronize OpsItems and OpsData from multiple Amazon Web Services accounts and Amazon Web Services Regions or EntireOrganization by using Organizations. For more information, see Setting up Systems Manager Explorer to display data from multiple accounts and Regions in the Amazon Web Services Systems Manager User Guide.

    A resource data sync is an asynchronous operation that returns immediately. After a successful initial sync is completed, the system continuously syncs data. To check the status of a sync, use the ListResourceDataSync.

    By default, data isn't encrypted in Amazon S3. We strongly recommend that you enable encryption in Amazon S3 to ensure secure data storage. We also recommend that you secure access to the Amazon S3 bucket by creating a restrictive bucket policy.

    " }, "DeleteActivation":{ "name":"DeleteActivation", @@ -3204,7 +3204,7 @@ }, "Values":{ "shape":"AttachmentsSourceValues", - "documentation":"

    The value of a key-value pair that identifies the location of an attachment to a document. The format for Value depends on the type of key you specify.

    • For the key SourceUrl, the value is an S3 bucket location. For example:

      \"Values\": [ \"s3://doc-example-bucket/my-folder\" ]

    • For the key S3FileUrl, the value is a file in an S3 bucket. For example:

      \"Values\": [ \"s3://doc-example-bucket/my-folder/my-file.py\" ]

    • For the key AttachmentReference, the value is constructed from the name of another SSM document in your account, a version number of that document, and a file attached to that document version that you want to reuse. For example:

      \"Values\": [ \"MyOtherDocument/3/my-other-file.py\" ]

      However, if the SSM document is shared with you from another account, the full SSM document ARN must be specified instead of the document name only. For example:

      \"Values\": [ \"arn:aws:ssm:us-east-2:111122223333:document/OtherAccountDocument/3/their-file.py\" ]

    " + "documentation":"

    The value of a key-value pair that identifies the location of an attachment to a document. The format for Value depends on the type of key you specify.

    • For the key SourceUrl, the value is an S3 bucket location. For example:

      \"Values\": [ \"s3://amzn-s3-demo-bucket/my-prefix\" ]

    • For the key S3FileUrl, the value is a file in an S3 bucket. For example:

      \"Values\": [ \"s3://amzn-s3-demo-bucket/my-prefix/my-file.py\" ]

    • For the key AttachmentReference, the value is constructed from the name of another SSM document in your account, a version number of that document, and a file attached to that document version that you want to reuse. For example:

      \"Values\": [ \"MyOtherDocument/3/my-other-file.py\" ]

      However, if the SSM document is shared with you from another account, the full SSM document ARN must be specified instead of the document name only. For example:

      \"Values\": [ \"arn:aws:ssm:us-east-2:111122223333:document/OtherAccountDocument/3/their-file.py\" ]

    " }, "Name":{ "shape":"AttachmentIdentifier", @@ -3388,6 +3388,10 @@ "shape":"AlarmStateInformationList", "documentation":"

    The CloudWatch alarm that was invoked by the automation.

    " }, + "TargetLocationsURL":{ + "shape":"TargetLocationsURL", + "documentation":"

    A publicly accessible URL for a file that contains the TargetLocations body. Currently, only files in presigned Amazon S3 buckets are supported

    " + }, "AutomationSubtype":{ "shape":"AutomationSubtype", "documentation":"

    The subtype of the Automation operation. Currently, the only supported value is ChangeRequest.

    " @@ -3573,7 +3577,7 @@ }, "AutomationType":{ "shape":"AutomationType", - "documentation":"

    Use this filter with DescribeAutomationExecutions. Specify either Local or CrossAccount. CrossAccount is an Automation that runs in multiple Amazon Web Services Regions and Amazon Web Services accounts. For more information, see Running Automation workflows in multiple Amazon Web Services Regions and accounts in the Amazon Web Services Systems Manager User Guide.

    " + "documentation":"

    Use this filter with DescribeAutomationExecutions. Specify either Local or CrossAccount. CrossAccount is an Automation that runs in multiple Amazon Web Services Regions and Amazon Web Services accounts. For more information, see Running automations in multiple Amazon Web Services Regions and accounts in the Amazon Web Services Systems Manager User Guide.

    " }, "AlarmConfiguration":{ "shape":"AlarmConfiguration", @@ -3583,6 +3587,10 @@ "shape":"AlarmStateInformationList", "documentation":"

    The CloudWatch alarm that was invoked by the automation.

    " }, + "TargetLocationsURL":{ + "shape":"TargetLocationsURL", + "documentation":"

    A publicly accessible URL for a file that contains the TargetLocations body. Currently, only files in presigned Amazon S3 buckets are supported

    " + }, "AutomationSubtype":{ "shape":"AutomationSubtype", "documentation":"

    The subtype of the Automation operation. Currently, the only supported value is ChangeRequest.

    " @@ -3721,7 +3729,7 @@ "ApprovalRules":{"shape":"PatchRuleGroup"}, "ApprovedPatches":{ "shape":"PatchIdList", - "documentation":"

    A list of explicitly approved patches for the baseline.

    For information about accepted formats for lists of approved patches and rejected patches, see About package name formats for approved and rejected patch lists in the Amazon Web Services Systems Manager User Guide.

    " + "documentation":"

    A list of explicitly approved patches for the baseline.

    For information about accepted formats for lists of approved patches and rejected patches, see Package name formats for approved and rejected patch lists in the Amazon Web Services Systems Manager User Guide.

    " }, "ApprovedPatchesComplianceLevel":{ "shape":"PatchComplianceLevel", @@ -3729,7 +3737,7 @@ }, "RejectedPatches":{ "shape":"PatchIdList", - "documentation":"

    A list of explicitly rejected patches for the baseline.

    For information about accepted formats for lists of approved patches and rejected patches, see About package name formats for approved and rejected patch lists in the Amazon Web Services Systems Manager User Guide.

    " + "documentation":"

    A list of explicitly rejected patches for the baseline.

    For information about accepted formats for lists of approved patches and rejected patches, see Package name formats for approved and rejected patch lists in the Amazon Web Services Systems Manager User Guide.

    " }, "RejectedPatchesAction":{ "shape":"PatchAction", @@ -3974,7 +3982,7 @@ }, "value":{ "shape":"CommandFilterValue", - "documentation":"

    The filter value. Valid values for each filter key are as follows:

    • InvokedAfter: Specify a timestamp to limit your results. For example, specify 2021-07-07T00:00:00Z to see a list of command executions occurring July 7, 2021, and later.

    • InvokedBefore: Specify a timestamp to limit your results. For example, specify 2021-07-07T00:00:00Z to see a list of command executions from before July 7, 2021.

    • Status: Specify a valid command status to see a list of all command executions with that status. The status choices depend on the API you call.

      The status values you can specify for ListCommands are:

      • Pending

      • InProgress

      • Success

      • Cancelled

      • Failed

      • TimedOut (this includes both Delivery and Execution time outs)

      • AccessDenied

      • DeliveryTimedOut

      • ExecutionTimedOut

      • Incomplete

      • NoInstancesInTag

      • LimitExceeded

      The status values you can specify for ListCommandInvocations are:

      • Pending

      • InProgress

      • Delayed

      • Success

      • Cancelled

      • Failed

      • TimedOut (this includes both Delivery and Execution time outs)

      • AccessDenied

      • DeliveryTimedOut

      • ExecutionTimedOut

      • Undeliverable

      • InvalidPlatform

      • Terminated

    • DocumentName: Specify name of the Amazon Web Services Systems Manager document (SSM document) for which you want to see command execution results. For example, specify AWS-RunPatchBaseline to see command executions that used this SSM document to perform security patching operations on managed nodes.

    • ExecutionStage: Specify one of the following values (ListCommands operations only):

      • Executing: Returns a list of command executions that are currently still running.

      • Complete: Returns a list of command executions that have already completed.

    " + "documentation":"

    The filter value. Valid values for each filter key are as follows:

    • InvokedAfter: Specify a timestamp to limit your results. For example, specify 2024-07-07T00:00:00Z to see a list of command executions occurring July 7, 2021, and later.

    • InvokedBefore: Specify a timestamp to limit your results. For example, specify 2024-07-07T00:00:00Z to see a list of command executions from before July 7, 2021.

    • Status: Specify a valid command status to see a list of all command executions with that status. The status choices depend on the API you call.

      The status values you can specify for ListCommands are:

      • Pending

      • InProgress

      • Success

      • Cancelled

      • Failed

      • TimedOut (this includes both Delivery and Execution time outs)

      • AccessDenied

      • DeliveryTimedOut

      • ExecutionTimedOut

      • Incomplete

      • NoInstancesInTag

      • LimitExceeded

      The status values you can specify for ListCommandInvocations are:

      • Pending

      • InProgress

      • Delayed

      • Success

      • Cancelled

      • Failed

      • TimedOut (this includes both Delivery and Execution time outs)

      • AccessDenied

      • DeliveryTimedOut

      • ExecutionTimedOut

      • Undeliverable

      • InvalidPlatform

      • Terminated

    • DocumentName: Specify name of the Amazon Web Services Systems Manager document (SSM document) for which you want to see command execution results. For example, specify AWS-RunPatchBaseline to see command executions that used this SSM document to perform security patching operations on managed nodes.

    • ExecutionStage: Specify one of the following values (ListCommands operations only):

      • Executing: Returns a list of command executions that are currently still running.

      • Complete: Returns a list of command executions that have already completed.

    " } }, "documentation":"

    Describes a command filter.

    A managed node ID can't be specified when a command status is Pending because the command hasn't run on the node yet.

    " @@ -4146,11 +4154,11 @@ }, "OutputS3BucketName":{ "shape":"S3BucketName", - "documentation":"

    The S3 bucket where the responses to the command executions should be stored. This was requested when issuing the command. For example, in the following response:

    doc-example-bucket/ab19cb99-a030-46dd-9dfc-8eSAMPLEPre-Fix/i-02573cafcfEXAMPLE/awsrunShellScript

    doc-example-bucket is the name of the S3 bucket;

    ab19cb99-a030-46dd-9dfc-8eSAMPLEPre-Fix is the name of the S3 prefix;

    i-02573cafcfEXAMPLE is the managed node ID;

    awsrunShellScript is the name of the plugin.

    " + "documentation":"

    The S3 bucket where the responses to the command executions should be stored. This was requested when issuing the command. For example, in the following response:

    amzn-s3-demo-bucket/my-prefix/i-02573cafcfEXAMPLE/awsrunShellScript

    amzn-s3-demo-bucket is the name of the S3 bucket;

    my-prefix is the name of the S3 prefix;

    i-02573cafcfEXAMPLE is the managed node ID;

    awsrunShellScript is the name of the plugin.

    " }, "OutputS3KeyPrefix":{ "shape":"S3KeyPrefix", - "documentation":"

    The S3 directory path inside the bucket where the responses to the command executions should be stored. This was requested when issuing the command. For example, in the following response:

    doc-example-bucket/ab19cb99-a030-46dd-9dfc-8eSAMPLEPre-Fix/i-02573cafcfEXAMPLE/awsrunShellScript

    doc-example-bucket is the name of the S3 bucket;

    ab19cb99-a030-46dd-9dfc-8eSAMPLEPre-Fix is the name of the S3 prefix;

    i-02573cafcfEXAMPLE is the managed node ID;

    awsrunShellScript is the name of the plugin.

    " + "documentation":"

    The S3 directory path inside the bucket where the responses to the command executions should be stored. This was requested when issuing the command. For example, in the following response:

    amzn-s3-demo-bucket/my-prefix/i-02573cafcfEXAMPLE/awsrunShellScript

    amzn-s3-demo-bucket is the name of the S3 bucket;

    my-prefix is the name of the S3 prefix;

    i-02573cafcfEXAMPLE is the managed node ID;

    awsrunShellScript is the name of the plugin.

    " } }, "documentation":"

    Describes plugin details.

    " @@ -4485,7 +4493,7 @@ }, "IamRole":{ "shape":"IamRole", - "documentation":"

    The name of the Identity and Access Management (IAM) role that you want to assign to the managed node. This IAM role must provide AssumeRole permissions for the Amazon Web Services Systems Manager service principal ssm.amazonaws.com. For more information, see Create an IAM service role for a hybrid and multicloud environment in the Amazon Web Services Systems Manager User Guide.

    You can't specify an IAM service-linked role for this parameter. You must create a unique role.

    " + "documentation":"

    The name of the Identity and Access Management (IAM) role that you want to assign to the managed node. This IAM role must provide AssumeRole permissions for the Amazon Web Services Systems Manager service principal ssm.amazonaws.com. For more information, see Create the IAM service role required for Systems Manager in a hybrid and multicloud environments in the Amazon Web Services Systems Manager User Guide.

    You can't specify an IAM service-linked role for this parameter. You must create a unique role.

    " }, "RegistrationLimit":{ "shape":"RegistrationLimit", @@ -4494,7 +4502,7 @@ }, "ExpirationDate":{ "shape":"ExpirationDate", - "documentation":"

    The date by which this activation request should expire, in timestamp format, such as \"2021-07-07T00:00:00\". You can specify a date up to 30 days in advance. If you don't provide an expiration date, the activation code expires in 24 hours.

    " + "documentation":"

    The date by which this activation request should expire, in timestamp format, such as \"2024-07-07T00:00:00\". You can specify a date up to 30 days in advance. If you don't provide an expiration date, the activation code expires in 24 hours.

    " }, "Tags":{ "shape":"TagList", @@ -4656,7 +4664,7 @@ }, "Targets":{ "shape":"Targets", - "documentation":"

    The targets for the association. You can target managed nodes by using tags, Amazon Web Services resource groups, all managed nodes in an Amazon Web Services account, or individual managed node IDs. You can target all managed nodes in an Amazon Web Services account by specifying the InstanceIds key with a value of *. For more information about choosing targets for an association, see About targets and rate controls in State Manager associations in the Amazon Web Services Systems Manager User Guide.

    " + "documentation":"

    The targets for the association. You can target managed nodes by using tags, Amazon Web Services resource groups, all managed nodes in an Amazon Web Services account, or individual managed node IDs. You can target all managed nodes in an Amazon Web Services account by specifying the InstanceIds key with a value of *. For more information about choosing targets for an association, see Understanding targets and rate controls in State Manager associations in the Amazon Web Services Systems Manager User Guide.

    " }, "ScheduleExpression":{ "shape":"ScheduleExpression", @@ -4999,7 +5007,7 @@ }, "ApprovedPatches":{ "shape":"PatchIdList", - "documentation":"

    A list of explicitly approved patches for the baseline.

    For information about accepted formats for lists of approved patches and rejected patches, see About package name formats for approved and rejected patch lists in the Amazon Web Services Systems Manager User Guide.

    " + "documentation":"

    A list of explicitly approved patches for the baseline.

    For information about accepted formats for lists of approved patches and rejected patches, see Package name formats for approved and rejected patch lists in the Amazon Web Services Systems Manager User Guide.

    " }, "ApprovedPatchesComplianceLevel":{ "shape":"PatchComplianceLevel", @@ -5012,7 +5020,7 @@ }, "RejectedPatches":{ "shape":"PatchIdList", - "documentation":"

    A list of explicitly rejected patches for the baseline.

    For information about accepted formats for lists of approved patches and rejected patches, see About package name formats for approved and rejected patch lists in the Amazon Web Services Systems Manager User Guide.

    " + "documentation":"

    A list of explicitly rejected patches for the baseline.

    For information about accepted formats for lists of approved patches and rejected patches, see Package name formats for approved and rejected patch lists in the Amazon Web Services Systems Manager User Guide.

    " }, "RejectedPatchesAction":{ "shape":"PatchAction", @@ -5190,7 +5198,7 @@ }, "DeletionSummary":{ "shape":"InventoryDeletionSummary", - "documentation":"

    A summary of the delete operation. For more information about this summary, see Understanding the delete inventory summary in the Amazon Web Services Systems Manager User Guide.

    " + "documentation":"

    A summary of the delete operation. For more information about this summary, see Deleting custom inventory in the Amazon Web Services Systems Manager User Guide.

    " } } }, @@ -6005,7 +6013,7 @@ }, "Filters":{ "shape":"PatchOrchestratorFilterList", - "documentation":"

    Each element in the array is a structure containing a key-value pair.

    Supported keys for DescribeInstancePatchesinclude the following:

    • Classification

      Sample values: Security | SecurityUpdates

    • KBId

      Sample values: KB4480056 | java-1.7.0-openjdk.x86_64

    • Severity

      Sample values: Important | Medium | Low

    • State

      Sample values: Installed | InstalledOther | InstalledPendingReboot

      For lists of all State values, see Understanding patch compliance state values in the Amazon Web Services Systems Manager User Guide.

    " + "documentation":"

    Each element in the array is a structure containing a key-value pair.

    Supported keys for DescribeInstancePatchesinclude the following:

    • Classification

      Sample values: Security | SecurityUpdates

    • KBId

      Sample values: KB4480056 | java-1.7.0-openjdk.x86_64

    • Severity

      Sample values: Important | Medium | Low

    • State

      Sample values: Installed | InstalledOther | InstalledPendingReboot

      For lists of all State values, see Patch compliance state values in the Amazon Web Services Systems Manager User Guide.

    " }, "NextToken":{ "shape":"NextToken", @@ -6192,7 +6200,7 @@ }, "Filters":{ "shape":"MaintenanceWindowFilterList", - "documentation":"

    Each entry in the array is a structure containing:

    • Key. A string between 1 and 128 characters. Supported keys include ExecutedBefore and ExecutedAfter.

    • Values. An array of strings, each between 1 and 256 characters. Supported values are date/time strings in a valid ISO 8601 date/time format, such as 2021-11-04T05:00:00Z.

    " + "documentation":"

    Each entry in the array is a structure containing:

    • Key. A string between 1 and 128 characters. Supported keys include ExecutedBefore and ExecutedAfter.

    • Values. An array of strings, each between 1 and 256 characters. Supported values are date/time strings in a valid ISO 8601 date/time format, such as 2024-11-04T05:00:00Z.

    " }, "MaxResults":{ "shape":"MaintenanceWindowMaxResults", @@ -7393,6 +7401,18 @@ "member":{"shape":"EffectivePatch"} }, "ErrorCount":{"type":"integer"}, + "ExcludeAccount":{ + "type":"string", + "max":68, + "min":6, + "pattern":"^(ou-[a-z0-9]{4,32}-[a-z0-9]{8,32})|(\\d{12})$" + }, + "ExcludeAccounts":{ + "type":"list", + "member":{"shape":"ExcludeAccount"}, + "max":5000, + "min":1 + }, "ExecutionMode":{ "type":"string", "enum":[ @@ -8174,7 +8194,7 @@ }, "ServiceRoleArn":{ "shape":"ServiceRole", - "documentation":"

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

    However, for an improved security posture, we strongly recommend creating a custom policy and custom service role for running your maintenance window tasks. The policy can be crafted to provide only the permissions needed for your particular maintenance window tasks. For more information, see Setting up maintenance windows in the in the Amazon Web Services Systems Manager User Guide.

    " + "documentation":"

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

    However, for an improved security posture, we strongly recommend creating a custom policy and custom service role for running your maintenance window tasks. The policy can be crafted to provide only the permissions needed for your particular maintenance window tasks. For more information, see Setting up Maintenance Windows in the in the Amazon Web Services Systems Manager User Guide.

    " }, "TaskType":{ "shape":"MaintenanceWindowTaskType", @@ -8373,7 +8393,7 @@ "members":{ "Name":{ "shape":"PSParameterName", - "documentation":"

    The name or Amazon Resource Name (ARN) of the parameter that you want to query. For parameters shared with you from another account, you must use the full ARN.

    To query by parameter label, use \"Name\": \"name:label\". To query by parameter version, use \"Name\": \"name:version\".

    For more information about shared parameters, see Working with shared parameters in the Amazon Web Services Systems Manager User Guide.

    " + "documentation":"

    The name or Amazon Resource Name (ARN) of the parameter that you want to query. For parameters shared with you from another account, you must use the full ARN.

    To query by parameter label, use \"Name\": \"name:label\". To query by parameter version, use \"Name\": \"name:version\".

    For more information about shared parameters, see Working with shared parameters in the Amazon Web Services Systems Manager User Guide.

    " }, "WithDecryption":{ "shape":"Boolean", @@ -8907,7 +8927,7 @@ }, "Name":{ "shape":"String", - "documentation":"

    The name assigned to an on-premises server, edge device, or virtual machine (VM) when it is activated as a Systems Manager managed node. The name is specified as the DefaultInstanceName property using the CreateActivation command. It is applied to the managed node by specifying the Activation Code and Activation ID when you install SSM Agent on the node, as explained in Install SSM Agent for a hybrid and multicloud environment (Linux) and Install SSM Agent for a hybrid and multicloud environment (Windows). To retrieve the Name tag of an EC2 instance, use the Amazon EC2 DescribeInstances operation. For information, see DescribeInstances in the Amazon EC2 API Reference or describe-instances in the Amazon Web Services CLI Command Reference.

    " + "documentation":"

    The name assigned to an on-premises server, edge device, or virtual machine (VM) when it is activated as a Systems Manager managed node. The name is specified as the DefaultInstanceName property using the CreateActivation command. It is applied to the managed node by specifying the Activation Code and Activation ID when you install SSM Agent on the node, as explained in How to install SSM Agent on hybrid Linux nodes and How to install SSM Agent on hybrid Windows Server nodes. To retrieve the Name tag of an EC2 instance, use the Amazon EC2 DescribeInstances operation. For information, see DescribeInstances in the Amazon EC2 API Reference or describe-instances in the Amazon Web Services CLI Command Reference.

    " }, "IPAddress":{ "shape":"IPAddress", @@ -9054,7 +9074,7 @@ }, "InstallOverrideList":{ "shape":"InstallOverrideList", - "documentation":"

    An https URL or an Amazon Simple Storage Service (Amazon S3) path-style URL to a list of patches to be installed. This patch installation list, which you maintain in an S3 bucket in YAML format and specify in the SSM document AWS-RunPatchBaseline, overrides the patches specified by the default patch baseline.

    For more information about the InstallOverrideList parameter, see About the AWS-RunPatchBaseline SSM document in the Amazon Web Services Systems Manager User Guide.

    " + "documentation":"

    An https URL or an Amazon Simple Storage Service (Amazon S3) path-style URL to a list of patches to be installed. This patch installation list, which you maintain in an S3 bucket in YAML format and specify in the SSM document AWS-RunPatchBaseline, overrides the patches specified by the default patch baseline.

    For more information about the InstallOverrideList parameter, see SSM Command document for patching: AWS-RunPatchBaseline in the Amazon Web Services Systems Manager User Guide.

    " }, "OwnerInformation":{ "shape":"OwnerInformation", @@ -9902,7 +9922,7 @@ }, "DeletionSummary":{ "shape":"InventoryDeletionSummary", - "documentation":"

    Information about the delete operation. For more information about this summary, see Understanding the delete inventory summary in the Amazon Web Services Systems Manager User Guide.

    " + "documentation":"

    Information about the delete operation. For more information about this summary, see Understanding the delete inventory summary in the Amazon Web Services Systems Manager User Guide.

    " }, "LastStatusUpdateTime":{ "shape":"InventoryDeletionLastStatusUpdateTime", @@ -9972,7 +9992,7 @@ }, "Type":{ "shape":"InventoryQueryOperatorType", - "documentation":"

    The type of filter.

    The Exists filter must be used with aggregators. For more information, see Aggregating inventory data in the Amazon Web Services Systems Manager User Guide.

    " + "documentation":"

    The type of filter.

    The Exists filter must be used with aggregators. For more information, see Aggregating inventory data in the Amazon Web Services Systems Manager User Guide.

    " } }, "documentation":"

    One or more filters. Use a filter to return a more specific list of results.

    " @@ -11355,7 +11375,7 @@ }, "ServiceRoleArn":{ "shape":"ServiceRole", - "documentation":"

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

    However, for an improved security posture, we strongly recommend creating a custom policy and custom service role for running your maintenance window tasks. The policy can be crafted to provide only the permissions needed for your particular maintenance window tasks. For more information, see Setting up maintenance windows in the in the Amazon Web Services Systems Manager User Guide.

    " + "documentation":"

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

    However, for an improved security posture, we strongly recommend creating a custom policy and custom service role for running your maintenance window tasks. The policy can be crafted to provide only the permissions needed for your particular maintenance window tasks. For more information, see Setting up Maintenance Windows in the in the Amazon Web Services Systems Manager User Guide.

    " }, "TimeoutSeconds":{ "shape":"TimeoutSeconds", @@ -11480,7 +11500,7 @@ }, "ServiceRoleArn":{ "shape":"ServiceRole", - "documentation":"

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

    However, for an improved security posture, we strongly recommend creating a custom policy and custom service role for running your maintenance window tasks. The policy can be crafted to provide only the permissions needed for your particular maintenance window tasks. For more information, see Setting up maintenance windows in the in the Amazon Web Services Systems Manager User Guide.

    " + "documentation":"

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

    However, for an improved security posture, we strongly recommend creating a custom policy and custom service role for running your maintenance window tasks. The policy can be crafted to provide only the permissions needed for your particular maintenance window tasks. For more information, see Setting up Maintenance Windows in the in the Amazon Web Services Systems Manager User Guide.

    " }, "MaxConcurrency":{ "shape":"MaxConcurrency", @@ -12035,7 +12055,7 @@ }, "Status":{ "shape":"OpsItemStatus", - "documentation":"

    The OpsItem status. Status can be Open, In Progress, or Resolved. For more information, see Editing OpsItem details in the Amazon Web Services Systems Manager User Guide.

    " + "documentation":"

    The OpsItem status. For more information, see Editing OpsItem details in the Amazon Web Services Systems Manager User Guide.

    " }, "OpsItemId":{ "shape":"OpsItemId", @@ -12587,7 +12607,7 @@ }, "Status":{ "shape":"OpsItemStatus", - "documentation":"

    The OpsItem status. Status can be Open, In Progress, or Resolved.

    " + "documentation":"

    The OpsItem status.

    " }, "OpsItemId":{ "shape":"OpsItemId", @@ -13442,7 +13462,7 @@ }, "State":{ "shape":"PatchComplianceDataState", - "documentation":"

    The state of the patch on the managed node, such as INSTALLED or FAILED.

    For descriptions of each patch state, see About patch compliance in the Amazon Web Services Systems Manager User Guide.

    " + "documentation":"

    The state of the patch on the managed node, such as INSTALLED or FAILED.

    For descriptions of each patch state, see About patch compliance in the Amazon Web Services Systems Manager User Guide.

    " }, "InstalledTime":{ "shape":"DateTime", @@ -13705,12 +13725,12 @@ }, "ApproveAfterDays":{ "shape":"ApproveAfterDays", - "documentation":"

    The number of days after the release date of each patch matched by the rule that the patch is marked as approved in the patch baseline. For example, a value of 7 means that patches are approved seven days after they are released.

    This parameter is marked as not required, but your request must include a value for either ApproveAfterDays or ApproveUntilDate.

    Not supported for Debian Server or Ubuntu Server.

    ", + "documentation":"

    The number of days after the release date of each patch matched by the rule that the patch is marked as approved in the patch baseline. For example, a value of 7 means that patches are approved seven days after they are released.

    This parameter is marked as Required: No, but your request must include a value for either ApproveAfterDays or ApproveUntilDate.

    Not supported for Debian Server or Ubuntu Server.

    Use caution when setting this value for Windows Server patch baselines. Because patch updates that are replaced by later updates are removed, setting too broad a value for this parameter can result in crucial patches not being installed. For more information, see the Windows Server tab in the topic How security patches are selected in the Amazon Web Services Systems Manager User Guide.

    ", "box":true }, "ApproveUntilDate":{ "shape":"PatchStringDateTime", - "documentation":"

    The cutoff date for auto approval of released patches. Any patches released on or before this date are installed automatically.

    Enter dates in the format YYYY-MM-DD. For example, 2021-12-31.

    This parameter is marked as not required, but your request must include a value for either ApproveUntilDate or ApproveAfterDays.

    Not supported for Debian Server or Ubuntu Server.

    ", + "documentation":"

    The cutoff date for auto approval of released patches. Any patches released on or before this date are installed automatically.

    Enter dates in the format YYYY-MM-DD. For example, 2024-12-31.

    This parameter is marked as Required: No, but your request must include a value for either ApproveUntilDate or ApproveAfterDays.

    Not supported for Debian Server or Ubuntu Server.

    Use caution when setting this value for Windows Server patch baselines. Because patch updates that are replaced by later updates are removed, setting too broad a value for this parameter can result in crucial patches not being installed. For more information, see the Windows Server tab in the topic How security patches are selected in the Amazon Web Services Systems Manager User Guide.

    ", "box":true }, "EnableNonSecurity":{ @@ -14205,7 +14225,7 @@ }, "ServiceRoleArn":{ "shape":"ServiceRole", - "documentation":"

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

    However, for an improved security posture, we strongly recommend creating a custom policy and custom service role for running your maintenance window tasks. The policy can be crafted to provide only the permissions needed for your particular maintenance window tasks. For more information, see Setting up maintenance windows in the in the Amazon Web Services Systems Manager User Guide.

    " + "documentation":"

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

    However, for an improved security posture, we strongly recommend creating a custom policy and custom service role for running your maintenance window tasks. The policy can be crafted to provide only the permissions needed for your particular maintenance window tasks. For more information, see Setting up Maintenance Windows in the in the Amazon Web Services Systems Manager User Guide.

    " }, "TaskType":{ "shape":"MaintenanceWindowTaskType", @@ -15277,7 +15297,7 @@ }, "value":{ "shape":"SessionFilterValue", - "documentation":"

    The filter value. Valid values for each filter key are as follows:

    • InvokedAfter: Specify a timestamp to limit your results. For example, specify 2018-08-29T00:00:00Z to see sessions that started August 29, 2018, and later.

    • InvokedBefore: Specify a timestamp to limit your results. For example, specify 2018-08-29T00:00:00Z to see sessions that started before August 29, 2018.

    • Target: Specify a managed node to which session connections have been made.

    • Owner: Specify an Amazon Web Services user to see a list of sessions started by that user.

    • Status: Specify a valid session status to see a list of all sessions with that status. Status values you can specify include:

      • Connected

      • Connecting

      • Disconnected

      • Terminated

      • Terminating

      • Failed

    • SessionId: Specify a session ID to return details about the session.

    " + "documentation":"

    The filter value. Valid values for each filter key are as follows:

    • InvokedAfter: Specify a timestamp to limit your results. For example, specify 2024-08-29T00:00:00Z to see sessions that started August 29, 2024, and later.

    • InvokedBefore: Specify a timestamp to limit your results. For example, specify 2024-08-29T00:00:00Z to see sessions that started before August 29, 2024.

    • Target: Specify a managed node to which session connections have been made.

    • Owner: Specify an Amazon Web Services user to see a list of sessions started by that user.

    • Status: Specify a valid session status to see a list of all sessions with that status. Status values you can specify include:

      • Connected

      • Connecting

      • Disconnected

      • Terminated

      • Terminating

      • Failed

    • SessionId: Specify a session ID to return details about the session.

    " } }, "documentation":"

    Describes a filter for Session Manager information.

    " @@ -15516,7 +15536,7 @@ }, "Targets":{ "shape":"Targets", - "documentation":"

    A key-value mapping to target resources. Required if you specify TargetParameterName.

    " + "documentation":"

    A key-value mapping to target resources. Required if you specify TargetParameterName.

    If both this parameter and the TargetLocation:Targets parameter are supplied, TargetLocation:Targets takes precedence.

    " }, "TargetMaps":{ "shape":"TargetMaps", @@ -15524,15 +15544,15 @@ }, "MaxConcurrency":{ "shape":"MaxConcurrency", - "documentation":"

    The maximum number of targets allowed to run this task in parallel. You can specify a number, such as 10, or a percentage, such as 10%. The default value is 10.

    " + "documentation":"

    The maximum number of targets allowed to run this task in parallel. You can specify a number, such as 10, or a percentage, such as 10%. The default value is 10.

    If both this parameter and the TargetLocation:TargetsMaxConcurrency are supplied, TargetLocation:TargetsMaxConcurrency takes precedence.

    " }, "MaxErrors":{ "shape":"MaxErrors", - "documentation":"

    The number of errors that are allowed before the system stops running the automation on additional targets. You can specify either an absolute number of errors, for example 10, or a percentage of the target set, for example 10%. If you specify 3, for example, the system stops running the automation when the fourth error is received. If you specify 0, then the system stops running the automation on additional targets after the first error result is returned. If you run an automation on 50 resources and set max-errors to 10%, then the system stops running the automation on additional targets when the sixth error is received.

    Executions that are already running an automation when max-errors is reached are allowed to complete, but some of these executions may fail as well. If you need to ensure that there won't be more than max-errors failed executions, set max-concurrency to 1 so the executions proceed one at a time.

    " + "documentation":"

    The number of errors that are allowed before the system stops running the automation on additional targets. You can specify either an absolute number of errors, for example 10, or a percentage of the target set, for example 10%. If you specify 3, for example, the system stops running the automation when the fourth error is received. If you specify 0, then the system stops running the automation on additional targets after the first error result is returned. If you run an automation on 50 resources and set max-errors to 10%, then the system stops running the automation on additional targets when the sixth error is received.

    Executions that are already running an automation when max-errors is reached are allowed to complete, but some of these executions may fail as well. If you need to ensure that there won't be more than max-errors failed executions, set max-concurrency to 1 so the executions proceed one at a time.

    If this parameter and the TargetLocation:TargetsMaxErrors parameter are both supplied, TargetLocation:TargetsMaxErrors takes precedence.

    " }, "TargetLocations":{ "shape":"TargetLocations", - "documentation":"

    A location is a combination of Amazon Web Services Regions and/or Amazon Web Services accounts where you want to run the automation. Use this operation to start an automation in multiple Amazon Web Services Regions and multiple Amazon Web Services accounts. For more information, see Running Automation workflows in multiple Amazon Web Services Regions and Amazon Web Services accounts in the Amazon Web Services Systems Manager User Guide.

    ", + "documentation":"

    A location is a combination of Amazon Web Services Regions and/or Amazon Web Services accounts where you want to run the automation. Use this operation to start an automation in multiple Amazon Web Services Regions and multiple Amazon Web Services accounts. For more information, see Running automations in multiple Amazon Web Services Regions and accounts in the Amazon Web Services Systems Manager User Guide.

    ", "box":true }, "Tags":{ @@ -15542,6 +15562,10 @@ "AlarmConfiguration":{ "shape":"AlarmConfiguration", "documentation":"

    The CloudWatch alarm you want to apply to your automation.

    " + }, + "TargetLocationsURL":{ + "shape":"TargetLocationsURL", + "documentation":"

    Specify a publicly accessible URL for a file that contains the TargetLocations body. Currently, only files in presigned Amazon S3 buckets are supported.

    " } } }, @@ -15977,6 +16001,26 @@ "TargetLocationAlarmConfiguration":{ "shape":"AlarmConfiguration", "box":true + }, + "IncludeChildOrganizationUnits":{ + "shape":"Boolean", + "documentation":"

    Indicates whether to include child organizational units (OUs) that are children of the targeted OUs. The default is false.

    " + }, + "ExcludeAccounts":{ + "shape":"ExcludeAccounts", + "documentation":"

    Amazon Web Services accounts or organizational units to exclude as expanded targets.

    " + }, + "Targets":{ + "shape":"Targets", + "documentation":"

    A list of key-value mappings to target resources. If you specify values for this data type, you must also specify a value for TargetParameterName.

    This Targets parameter takes precedence over the StartAutomationExecution:Targets parameter if both are supplied.

    " + }, + "TargetsMaxConcurrency":{ + "shape":"MaxConcurrency", + "documentation":"

    The maximum number of targets allowed to run this task in parallel. This TargetsMaxConcurrency takes precedence over the StartAutomationExecution:MaxConcurrency parameter if both are supplied.

    " + }, + "TargetsMaxErrors":{ + "shape":"MaxErrors", + "documentation":"

    The maximum number of errors that are allowed before the system stops running the automation on additional targets. This TargetsMaxErrors parameter takes precedence over the StartAutomationExecution:MaxErrors parameter if both are supplied.

    " } }, "documentation":"

    The combination of Amazon Web Services Regions and Amazon Web Services accounts targeted by the current Automation execution.

    " @@ -15987,6 +16031,10 @@ "max":100, "min":1 }, + "TargetLocationsURL":{ + "type":"string", + "pattern":"^https:\\/\\/[-a-zA-Z0-9@:%._\\+~#=]{1,253}\\.s3(\\.[a-z\\d-]{9,16})?\\.amazonaws\\.com\\/.{1,2000}" + }, "TargetMap":{ "type":"map", "key":{"shape":"TargetMapKey"}, @@ -16021,7 +16069,7 @@ "members":{ "Message":{"shape":"String"} }, - "documentation":"

    The specified target managed node for the session isn't fully configured for use with Session Manager. For more information, see Getting started with Session Manager in the Amazon Web Services Systems Manager User Guide. This error is also returned if you attempt to start a session on a managed node that is located in a different account or Region

    ", + "documentation":"

    The specified target managed node for the session isn't fully configured for use with Session Manager. For more information, see Setting up Session Manager in the Amazon Web Services Systems Manager User Guide. This error is also returned if you attempt to start a session on a managed node that is located in a different account or Region

    ", "exception":true }, "TargetParameterList":{ @@ -16638,7 +16686,7 @@ }, "ServiceRoleArn":{ "shape":"ServiceRole", - "documentation":"

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

    However, for an improved security posture, we strongly recommend creating a custom policy and custom service role for running your maintenance window tasks. The policy can be crafted to provide only the permissions needed for your particular maintenance window tasks. For more information, see Setting up maintenance windows in the in the Amazon Web Services Systems Manager User Guide.

    " + "documentation":"

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

    However, for an improved security posture, we strongly recommend creating a custom policy and custom service role for running your maintenance window tasks. The policy can be crafted to provide only the permissions needed for your particular maintenance window tasks. For more information, see Setting up Maintenance Windows in the in the Amazon Web Services Systems Manager User Guide.

    " }, "TaskParameters":{ "shape":"MaintenanceWindowTaskParameters", @@ -16710,7 +16758,7 @@ }, "ServiceRoleArn":{ "shape":"ServiceRole", - "documentation":"

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

    However, for an improved security posture, we strongly recommend creating a custom policy and custom service role for running your maintenance window tasks. The policy can be crafted to provide only the permissions needed for your particular maintenance window tasks. For more information, see Setting up maintenance windows in the in the Amazon Web Services Systems Manager User Guide.

    " + "documentation":"

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

    However, for an improved security posture, we strongly recommend creating a custom policy and custom service role for running your maintenance window tasks. The policy can be crafted to provide only the permissions needed for your particular maintenance window tasks. For more information, see Setting up Maintenance Windows in the in the Amazon Web Services Systems Manager User Guide.

    " }, "TaskParameters":{ "shape":"MaintenanceWindowTaskParameters", @@ -16768,7 +16816,7 @@ }, "IamRole":{ "shape":"IamRole", - "documentation":"

    The name of the Identity and Access Management (IAM) role that you want to assign to the managed node. This IAM role must provide AssumeRole permissions for the Amazon Web Services Systems Manager service principal ssm.amazonaws.com. For more information, see Create an IAM service role for a hybrid and multicloud environment in the Amazon Web Services Systems Manager User Guide.

    You can't specify an IAM service-linked role for this parameter. You must create a unique role.

    " + "documentation":"

    The name of the Identity and Access Management (IAM) role that you want to assign to the managed node. This IAM role must provide AssumeRole permissions for the Amazon Web Services Systems Manager service principal ssm.amazonaws.com. For more information, see Create the IAM service role required for Systems Manager in hybrid and multicloud environments in the Amazon Web Services Systems Manager User Guide.

    You can't specify an IAM service-linked role for this parameter. You must create a unique role.

    " } } }, @@ -16807,7 +16855,7 @@ }, "Status":{ "shape":"OpsItemStatus", - "documentation":"

    The OpsItem status. Status can be Open, In Progress, or Resolved. For more information, see Editing OpsItem details in the Amazon Web Services Systems Manager User Guide.

    " + "documentation":"

    The OpsItem status. For more information, see Editing OpsItem details in the Amazon Web Services Systems Manager User Guide.

    " }, "OpsItemId":{ "shape":"OpsItemId", @@ -16901,7 +16949,7 @@ }, "ApprovedPatches":{ "shape":"PatchIdList", - "documentation":"

    A list of explicitly approved patches for the baseline.

    For information about accepted formats for lists of approved patches and rejected patches, see About package name formats for approved and rejected patch lists in the Amazon Web Services Systems Manager User Guide.

    " + "documentation":"

    A list of explicitly approved patches for the baseline.

    For information about accepted formats for lists of approved patches and rejected patches, see Package name formats for approved and rejected patch lists in the Amazon Web Services Systems Manager User Guide.

    " }, "ApprovedPatchesComplianceLevel":{ "shape":"PatchComplianceLevel", @@ -16914,7 +16962,7 @@ }, "RejectedPatches":{ "shape":"PatchIdList", - "documentation":"

    A list of explicitly rejected patches for the baseline.

    For information about accepted formats for lists of approved patches and rejected patches, see About package name formats for approved and rejected patch lists in the Amazon Web Services Systems Manager User Guide.

    " + "documentation":"

    A list of explicitly rejected patches for the baseline.

    For information about accepted formats for lists of approved patches and rejected patches, see Package name formats for approved and rejected patch lists in the Amazon Web Services Systems Manager User Guide.

    " }, "RejectedPatchesAction":{ "shape":"PatchAction", From ee31e7e491b40e3428aef7d4a0870a9a3e3dfbe4 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Tue, 17 Sep 2024 18:10:23 +0000 Subject: [PATCH 103/108] Amazon Relational Database Service Update: Updates Amazon RDS documentation with configuration information about the BYOL model for RDS for Db2. --- .../feature-AmazonRelationalDatabaseService-aa365a1.json | 6 ++++++ .../rds/src/main/resources/codegen-resources/service-2.json | 6 +++--- 2 files changed, 9 insertions(+), 3 deletions(-) create mode 100644 .changes/next-release/feature-AmazonRelationalDatabaseService-aa365a1.json diff --git a/.changes/next-release/feature-AmazonRelationalDatabaseService-aa365a1.json b/.changes/next-release/feature-AmazonRelationalDatabaseService-aa365a1.json new file mode 100644 index 000000000000..4fef82af2e51 --- /dev/null +++ b/.changes/next-release/feature-AmazonRelationalDatabaseService-aa365a1.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Amazon Relational Database Service", + "contributor": "", + "description": "Updates Amazon RDS documentation with configuration information about the BYOL model for RDS for Db2." +} diff --git a/services/rds/src/main/resources/codegen-resources/service-2.json b/services/rds/src/main/resources/codegen-resources/service-2.json index a3ae53f17624..8a726e1b3ff9 100644 --- a/services/rds/src/main/resources/codegen-resources/service-2.json +++ b/services/rds/src/main/resources/codegen-resources/service-2.json @@ -4483,7 +4483,7 @@ }, "LicenseModel":{ "shape":"String", - "documentation":"

    The license model information for this DB instance.

    License models for RDS for Db2 require additional configuration. The Bring Your Own License (BYOL) model requires a custom parameter group. The Db2 license through Amazon Web Services Marketplace model requires an Amazon Web Services Marketplace subscription. For more information, see RDS for Db2 licensing options in the Amazon RDS User Guide.

    The default for RDS for Db2 is bring-your-own-license.

    This setting doesn't apply to Amazon Aurora or RDS Custom DB instances.

    Valid Values:

    • RDS for Db2 - bring-your-own-license | marketplace-license

    • RDS for MariaDB - general-public-license

    • RDS for Microsoft SQL Server - license-included

    • RDS for MySQL - general-public-license

    • RDS for Oracle - bring-your-own-license | license-included

    • RDS for PostgreSQL - postgresql-license

    " + "documentation":"

    The license model information for this DB instance.

    License models for RDS for Db2 require additional configuration. The Bring Your Own License (BYOL) model requires a custom parameter group and an Amazon Web Services License Manager self-managed license. The Db2 license through Amazon Web Services Marketplace model requires an Amazon Web Services Marketplace subscription. For more information, see Amazon RDS for Db2 licensing options in the Amazon RDS User Guide.

    The default for RDS for Db2 is bring-your-own-license.

    This setting doesn't apply to Amazon Aurora or RDS Custom DB instances.

    Valid Values:

    • RDS for Db2 - bring-your-own-license | marketplace-license

    • RDS for MariaDB - general-public-license

    • RDS for Microsoft SQL Server - license-included

    • RDS for MySQL - general-public-license

    • RDS for Oracle - bring-your-own-license | license-included

    • RDS for PostgreSQL - postgresql-license

    " }, "Iops":{ "shape":"IntegerOptional", @@ -15234,7 +15234,7 @@ }, "LicenseModel":{ "shape":"String", - "documentation":"

    License model information for the restored DB instance.

    License models for RDS for Db2 require additional configuration. The Bring Your Own License (BYOL) model requires a custom parameter group. The Db2 license through Amazon Web Services Marketplace model requires an Amazon Web Services Marketplace subscription. For more information, see RDS for Db2 licensing options in the Amazon RDS User Guide.

    This setting doesn't apply to Amazon Aurora or RDS Custom DB instances.

    Valid Values:

    • RDS for Db2 - bring-your-own-license | marketplace-license

    • RDS for MariaDB - general-public-license

    • RDS for Microsoft SQL Server - license-included

    • RDS for MySQL - general-public-license

    • RDS for Oracle - bring-your-own-license | license-included

    • RDS for PostgreSQL - postgresql-license

    Default: Same as the source.

    " + "documentation":"

    License model information for the restored DB instance.

    License models for RDS for Db2 require additional configuration. The Bring Your Own License (BYOL) model requires a custom parameter group and an Amazon Web Services License Manager self-managed license. The Db2 license through Amazon Web Services Marketplace model requires an Amazon Web Services Marketplace subscription. For more information, see Amazon RDS for Db2 licensing options in the Amazon RDS User Guide.

    This setting doesn't apply to Amazon Aurora or RDS Custom DB instances.

    Valid Values:

    • RDS for Db2 - bring-your-own-license | marketplace-license

    • RDS for MariaDB - general-public-license

    • RDS for Microsoft SQL Server - license-included

    • RDS for MySQL - general-public-license

    • RDS for Oracle - bring-your-own-license | license-included

    • RDS for PostgreSQL - postgresql-license

    Default: Same as the source.

    " }, "DBName":{ "shape":"String", @@ -15644,7 +15644,7 @@ }, "LicenseModel":{ "shape":"String", - "documentation":"

    The license model information for the restored DB instance.

    License models for RDS for Db2 require additional configuration. The Bring Your Own License (BYOL) model requires a custom parameter group. The Db2 license through Amazon Web Services Marketplace model requires an Amazon Web Services Marketplace subscription. For more information, see RDS for Db2 licensing options in the Amazon RDS User Guide.

    This setting doesn't apply to Amazon Aurora or RDS Custom DB instances.

    Valid Values:

    • RDS for Db2 - bring-your-own-license | marketplace-license

    • RDS for MariaDB - general-public-license

    • RDS for Microsoft SQL Server - license-included

    • RDS for MySQL - general-public-license

    • RDS for Oracle - bring-your-own-license | license-included

    • RDS for PostgreSQL - postgresql-license

    Default: Same as the source.

    " + "documentation":"

    The license model information for the restored DB instance.

    License models for RDS for Db2 require additional configuration. The Bring Your Own License (BYOL) model requires a custom parameter group and an Amazon Web Services License Manager self-managed license. The Db2 license through Amazon Web Services Marketplace model requires an Amazon Web Services Marketplace subscription. For more information, see Amazon RDS for Db2 licensing options in the Amazon RDS User Guide.

    This setting doesn't apply to Amazon Aurora or RDS Custom DB instances.

    Valid Values:

    • RDS for Db2 - bring-your-own-license | marketplace-license

    • RDS for MariaDB - general-public-license

    • RDS for Microsoft SQL Server - license-included

    • RDS for MySQL - general-public-license

    • RDS for Oracle - bring-your-own-license | license-included

    • RDS for PostgreSQL - postgresql-license

    Default: Same as the source.

    " }, "DBName":{ "shape":"String", From c8c3b69f71e3d30cf6d56b4f56346387acaa4d25 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Tue, 17 Sep 2024 18:10:43 +0000 Subject: [PATCH 104/108] AWS Lambda Update: Support for JSON resource-based policies and block public access --- .../feature-AWSLambda-90390be.json | 6 + .../codegen-resources/service-2.json | 268 ++++++++++++++++++ 2 files changed, 274 insertions(+) create mode 100644 .changes/next-release/feature-AWSLambda-90390be.json diff --git a/.changes/next-release/feature-AWSLambda-90390be.json b/.changes/next-release/feature-AWSLambda-90390be.json new file mode 100644 index 000000000000..1f98d4dc62e7 --- /dev/null +++ b/.changes/next-release/feature-AWSLambda-90390be.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "AWS Lambda", + "contributor": "", + "description": "Support for JSON resource-based policies and block public access" +} diff --git a/services/lambda/src/main/resources/codegen-resources/service-2.json b/services/lambda/src/main/resources/codegen-resources/service-2.json index 220b75af1fcf..78280f14ad52 100644 --- a/services/lambda/src/main/resources/codegen-resources/service-2.json +++ b/services/lambda/src/main/resources/codegen-resources/service-2.json @@ -311,6 +311,24 @@ ], "documentation":"

    Deletes the provisioned concurrency configuration for a function.

    " }, + "DeleteResourcePolicy":{ + "name":"DeleteResourcePolicy", + "http":{ + "method":"DELETE", + "requestUri":"/2024-09-16/resource-policy/{ResourceArn}", + "responseCode":204 + }, + "input":{"shape":"DeleteResourcePolicyRequest"}, + "errors":[ + {"shape":"ServiceException"}, + {"shape":"ResourceNotFoundException"}, + {"shape":"ResourceConflictException"}, + {"shape":"InvalidParameterValueException"}, + {"shape":"TooManyRequestsException"}, + {"shape":"PreconditionFailedException"} + ], + "documentation":"

    Deletes a resource-based policy from a function.

    " + }, "GetAccountSettings":{ "name":"GetAccountSettings", "http":{ @@ -581,6 +599,40 @@ ], "documentation":"

    Retrieves the provisioned concurrency configuration for a function's alias or version.

    " }, + "GetPublicAccessBlockConfig":{ + "name":"GetPublicAccessBlockConfig", + "http":{ + "method":"GET", + "requestUri":"/2024-09-16/public-access-block/{ResourceArn}", + "responseCode":200 + }, + "input":{"shape":"GetPublicAccessBlockConfigRequest"}, + "output":{"shape":"GetPublicAccessBlockConfigResponse"}, + "errors":[ + {"shape":"ServiceException"}, + {"shape":"ResourceNotFoundException"}, + {"shape":"TooManyRequestsException"}, + {"shape":"InvalidParameterValueException"} + ], + "documentation":"

    Retrieve the public-access settings for a function.

    " + }, + "GetResourcePolicy":{ + "name":"GetResourcePolicy", + "http":{ + "method":"GET", + "requestUri":"/2024-09-16/resource-policy/{ResourceArn}", + "responseCode":200 + }, + "input":{"shape":"GetResourcePolicyRequest"}, + "output":{"shape":"GetResourcePolicyResponse"}, + "errors":[ + {"shape":"ServiceException"}, + {"shape":"ResourceNotFoundException"}, + {"shape":"TooManyRequestsException"}, + {"shape":"InvalidParameterValueException"} + ], + "documentation":"

    Retrieves the resource-based policy attached to a function.

    " + }, "GetRuntimeManagementConfig":{ "name":"GetRuntimeManagementConfig", "http":{ @@ -1028,6 +1080,45 @@ ], "documentation":"

    Adds a provisioned concurrency configuration to a function's alias or version.

    " }, + "PutPublicAccessBlockConfig":{ + "name":"PutPublicAccessBlockConfig", + "http":{ + "method":"PUT", + "requestUri":"/2024-09-16/public-access-block/{ResourceArn}", + "responseCode":200 + }, + "input":{"shape":"PutPublicAccessBlockConfigRequest"}, + "output":{"shape":"PutPublicAccessBlockConfigResponse"}, + "errors":[ + {"shape":"ServiceException"}, + {"shape":"ResourceNotFoundException"}, + {"shape":"ResourceConflictException"}, + {"shape":"InvalidParameterValueException"}, + {"shape":"TooManyRequestsException"} + ], + "documentation":"

    Configure your function's public-access settings.

    To control public access to a Lambda function, you can choose whether to allow the creation of resource-based policies that allow public access to that function. You can also block public access to a function, even if it has an existing resource-based policy that allows it.

    " + }, + "PutResourcePolicy":{ + "name":"PutResourcePolicy", + "http":{ + "method":"PUT", + "requestUri":"/2024-09-16/resource-policy/{ResourceArn}", + "responseCode":200 + }, + "input":{"shape":"PutResourcePolicyRequest"}, + "output":{"shape":"PutResourcePolicyResponse"}, + "errors":[ + {"shape":"ServiceException"}, + {"shape":"ResourceNotFoundException"}, + {"shape":"ResourceConflictException"}, + {"shape":"InvalidParameterValueException"}, + {"shape":"PolicyLengthExceededException"}, + {"shape":"TooManyRequestsException"}, + {"shape":"PreconditionFailedException"}, + {"shape":"PublicPolicyException"} + ], + "documentation":"

    Adds a resource-based policy to a function. You can use resource-based policies to grant access to other Amazon Web Services accounts, organizations, or services. Resource-based policies apply to a single function, version, or alias.

    Adding a resource-based policy using this API action replaces any existing policy you've previously created. This means that if you've previously added resource-based permissions to a function using the AddPermission action, those permissions will be overwritten by your new policy.

    " + }, "PutRuntimeManagementConfig":{ "name":"PutRuntimeManagementConfig", "http":{ @@ -2236,6 +2327,24 @@ } } }, + "DeleteResourcePolicyRequest":{ + "type":"structure", + "required":["ResourceArn"], + "members":{ + "ResourceArn":{ + "shape":"PolicyResourceArn", + "documentation":"

    The Amazon Resource Name (ARN) of the function you want to delete the policy from. You can use either a qualified or an unqualified ARN, but the value you specify must be a complete ARN and wildcard characters are not accepted.

    ", + "location":"uri", + "locationName":"ResourceArn" + }, + "RevisionId":{ + "shape":"RevisionId", + "documentation":"

    Delete the existing policy only if its revision ID matches the string you specify. To find the revision ID of the policy currently attached to your function, use the GetResourcePolicy action.

    ", + "location":"querystring", + "locationName":"RevisionId" + } + } + }, "Description":{ "type":"string", "max":256, @@ -3466,6 +3575,52 @@ } } }, + "GetPublicAccessBlockConfigRequest":{ + "type":"structure", + "required":["ResourceArn"], + "members":{ + "ResourceArn":{ + "shape":"PublicAccessBlockResourceArn", + "documentation":"

    The Amazon Resource Name (ARN) of the function you want to retrieve public-access settings for.

    ", + "location":"uri", + "locationName":"ResourceArn" + } + } + }, + "GetPublicAccessBlockConfigResponse":{ + "type":"structure", + "members":{ + "PublicAccessBlockConfig":{ + "shape":"PublicAccessBlockConfig", + "documentation":"

    The public-access settings configured for the function you specified

    " + } + } + }, + "GetResourcePolicyRequest":{ + "type":"structure", + "required":["ResourceArn"], + "members":{ + "ResourceArn":{ + "shape":"PolicyResourceArn", + "documentation":"

    The Amazon Resource Name (ARN) of the function you want to retrieve the policy for. You can use either a qualified or an unqualified ARN, but the value you specify must be a complete ARN and wildcard characters are not accepted.

    ", + "location":"uri", + "locationName":"ResourceArn" + } + } + }, + "GetResourcePolicyResponse":{ + "type":"structure", + "members":{ + "Policy":{ + "shape":"ResourcePolicy", + "documentation":"

    The resource-based policy attached to the function you specified.

    " + }, + "RevisionId":{ + "shape":"RevisionId", + "documentation":"

    The revision ID of the policy.

    " + } + } + }, "GetRuntimeManagementConfigRequest":{ "type":"structure", "required":["FunctionName"], @@ -4789,6 +4944,11 @@ "error":{"httpStatusCode":400}, "exception":true }, + "PolicyResourceArn":{ + "type":"string", + "max":256, + "pattern":"arn:(aws[a-zA-Z-]*)?:lambda:[a-z]{2}((-gov)|(-iso([a-z]?)))?-[a-z]+-\\d{1}:\\d{12}:function:[a-zA-Z0-9-_]+(:(\\$LATEST|[a-zA-Z0-9-_])+)?" + }, "PositiveInteger":{ "type":"integer", "min":1 @@ -4875,6 +5035,38 @@ "FAILED" ] }, + "PublicAccessBlockConfig":{ + "type":"structure", + "members":{ + "BlockPublicPolicy":{ + "shape":"NullableBoolean", + "documentation":"

    To block the creation of resource-based policies that would grant public access to your function, set BlockPublicPolicy to true. To allow the creation of resource-based policies that would grant public access to your function, set BlockPublicPolicy to false.

    " + }, + "RestrictPublicResource":{ + "shape":"NullableBoolean", + "documentation":"

    To block public access to your function, even if its resource-based policy allows it, set RestrictPublicResource to true. To allow public access to a function with a resource-based policy that permits it, set RestrictPublicResource to false.

    " + } + }, + "documentation":"

    An object that defines the public-access settings for a function.

    " + }, + "PublicAccessBlockResourceArn":{ + "type":"string", + "max":170, + "pattern":"arn:(aws[a-zA-Z-]*)?:lambda:[a-z]{2}((-gov)|(-iso([a-z]?)))?-[a-z]+-\\d{1}:\\d{12}:function:[a-zA-Z0-9-_]+" + }, + "PublicPolicyException":{ + "type":"structure", + "members":{ + "Type":{ + "shape":"String", + "documentation":"

    The exception type.

    " + }, + "Message":{"shape":"String"} + }, + "documentation":"

    Lambda prevented your policy from being created because it would grant public access to your function. If you intended to create a public policy, use the PutPublicAccessBlockConfig API action to configure your function's public-access settings to allow public policies.

    ", + "error":{"httpStatusCode":400}, + "exception":true + }, "PublishLayerVersionRequest":{ "type":"structure", "required":[ @@ -5143,6 +5335,70 @@ } } }, + "PutPublicAccessBlockConfigRequest":{ + "type":"structure", + "required":[ + "ResourceArn", + "PublicAccessBlockConfig" + ], + "members":{ + "ResourceArn":{ + "shape":"PublicAccessBlockResourceArn", + "documentation":"

    The Amazon Resource Name (ARN) of the function you want to configure public-access settings for. Public-access settings are applied at the function level, so you can't apply different settings to function versions or aliases.

    ", + "location":"uri", + "locationName":"ResourceArn" + }, + "PublicAccessBlockConfig":{ + "shape":"PublicAccessBlockConfig", + "documentation":"

    An object defining the public-access settings you want to apply.

    To block the creation of resource-based policies that would grant public access to your function, set BlockPublicPolicy to true. To allow the creation of resource-based policies that would grant public access to your function, set BlockPublicPolicy to false.

    To block public access to your function, even if its resource-based policy allows it, set RestrictPublicResource to true. To allow public access to a function with a resource-based policy that permits it, set RestrictPublicResource to false.

    The default setting for both BlockPublicPolicy and RestrictPublicResource is true.

    " + } + } + }, + "PutPublicAccessBlockConfigResponse":{ + "type":"structure", + "members":{ + "PublicAccessBlockConfig":{ + "shape":"PublicAccessBlockConfig", + "documentation":"

    The public-access settings Lambda applied to your function.

    " + } + } + }, + "PutResourcePolicyRequest":{ + "type":"structure", + "required":[ + "ResourceArn", + "Policy" + ], + "members":{ + "ResourceArn":{ + "shape":"PolicyResourceArn", + "documentation":"

    The Amazon Resource Name (ARN) of the function you want to add the policy to. You can use either a qualified or an unqualified ARN, but the value you specify must be a complete ARN and wildcard characters are not accepted.

    ", + "location":"uri", + "locationName":"ResourceArn" + }, + "Policy":{ + "shape":"ResourcePolicy", + "documentation":"

    The JSON resource-based policy you want to add to your function.

    To learn more about creating resource-based policies for controlling access to Lambda, see Working with resource-based IAM policies in Lambda in the Lambda Developer Guide.

    " + }, + "RevisionId":{ + "shape":"RevisionId", + "documentation":"

    Replace the existing policy only if its revision ID matches the string you specify. To find the revision ID of the policy currently attached to your function, use the GetResourcePolicy action.

    " + } + } + }, + "PutResourcePolicyResponse":{ + "type":"structure", + "members":{ + "Policy":{ + "shape":"ResourcePolicy", + "documentation":"

    The policy Lambda added to your function.

    " + }, + "RevisionId":{ + "shape":"RevisionId", + "documentation":"

    The revision ID of the policy Lambda added to your function.

    " + } + } + }, "PutRuntimeManagementConfigRequest":{ "type":"structure", "required":[ @@ -5371,6 +5627,12 @@ "error":{"httpStatusCode":502}, "exception":true }, + "ResourcePolicy":{ + "type":"string", + "max":20480, + "min":1, + "pattern":"[\\s\\S]+" + }, "ResponseStreamingInvocationType":{ "type":"string", "enum":[ @@ -5378,6 +5640,12 @@ "DryRun" ] }, + "RevisionId":{ + "type":"string", + "max":36, + "min":36, + "pattern":"[0-9a-f]{8}-[0-9a-f]{4}-[0-9a-f]{4}-[0-9a-f]{4}-[0-9a-f]{12}" + }, "RoleArn":{ "type":"string", "pattern":"arn:(aws[a-zA-Z-]*)?:iam::\\d{12}:role/?[a-zA-Z_0-9+=,.@\\-_/]+" From 8b04285444a873a25aeb5714fa969826faf06d4c Mon Sep 17 00:00:00 2001 From: AWS <> Date: Tue, 17 Sep 2024 18:11:07 +0000 Subject: [PATCH 105/108] Amazon EC2 Container Service Update: This is a documentation only release to address various tickets. --- ...ure-AmazonEC2ContainerService-e2222da.json | 6 ++ .../codegen-resources/service-2.json | 90 +++++++++---------- 2 files changed, 51 insertions(+), 45 deletions(-) create mode 100644 .changes/next-release/feature-AmazonEC2ContainerService-e2222da.json diff --git a/.changes/next-release/feature-AmazonEC2ContainerService-e2222da.json b/.changes/next-release/feature-AmazonEC2ContainerService-e2222da.json new file mode 100644 index 000000000000..115f6976d75b --- /dev/null +++ b/.changes/next-release/feature-AmazonEC2ContainerService-e2222da.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "Amazon EC2 Container Service", + "contributor": "", + "description": "This is a documentation only release to address various tickets." +} diff --git a/services/ecs/src/main/resources/codegen-resources/service-2.json b/services/ecs/src/main/resources/codegen-resources/service-2.json index 90069bd5ef9e..f1a5b1a74ae7 100644 --- a/services/ecs/src/main/resources/codegen-resources/service-2.json +++ b/services/ecs/src/main/resources/codegen-resources/service-2.json @@ -1561,11 +1561,11 @@ "members":{ "name":{ "shape":"String", - "documentation":"

    The name of a container. If you're linking multiple containers together in a task definition, the name of one container can be entered in the links of another container to connect the containers. Up to 255 letters (uppercase and lowercase), numbers, underscores, and hyphens are allowed. This parameter maps to name in tthe docker conainer create command and the --name option to docker run.

    " + "documentation":"

    The name of a container. If you're linking multiple containers together in a task definition, the name of one container can be entered in the links of another container to connect the containers. Up to 255 letters (uppercase and lowercase), numbers, underscores, and hyphens are allowed. This parameter maps to name in the docker container create command and the --name option to docker run.

    " }, "image":{ "shape":"String", - "documentation":"

    The image used to start a container. This string is passed directly to the Docker daemon. By default, images in the Docker Hub registry are available. Other repositories are specified with either repository-url/image:tag or repository-url/image@digest . Up to 255 letters (uppercase and lowercase), numbers, hyphens, underscores, colons, periods, forward slashes, and number signs are allowed. This parameter maps to Image in the docker conainer create command and the IMAGE parameter of docker run.

    • When a new task starts, the Amazon ECS container agent pulls the latest version of the specified image and tag for the container to use. However, subsequent updates to a repository image aren't propagated to already running tasks.

    • Images in Amazon ECR repositories can be specified by either using the full registry/repository:tag or registry/repository@digest. For example, 012345678910.dkr.ecr.<region-name>.amazonaws.com/<repository-name>:latest or 012345678910.dkr.ecr.<region-name>.amazonaws.com/<repository-name>@sha256:94afd1f2e64d908bc90dbca0035a5b567EXAMPLE.

    • Images in official repositories on Docker Hub use a single name (for example, ubuntu or mongo).

    • Images in other repositories on Docker Hub are qualified with an organization name (for example, amazon/amazon-ecs-agent).

    • Images in other online repositories are qualified further by a domain name (for example, quay.io/assemblyline/ubuntu).

    " + "documentation":"

    The image used to start a container. This string is passed directly to the Docker daemon. By default, images in the Docker Hub registry are available. Other repositories are specified with either repository-url/image:tag or repository-url/image@digest . Up to 255 letters (uppercase and lowercase), numbers, hyphens, underscores, colons, periods, forward slashes, and number signs are allowed. This parameter maps to Image in the docker container create command and the IMAGE parameter of docker run.

    • When a new task starts, the Amazon ECS container agent pulls the latest version of the specified image and tag for the container to use. However, subsequent updates to a repository image aren't propagated to already running tasks.

    • Images in Amazon ECR repositories can be specified by either using the full registry/repository:tag or registry/repository@digest. For example, 012345678910.dkr.ecr.<region-name>.amazonaws.com/<repository-name>:latest or 012345678910.dkr.ecr.<region-name>.amazonaws.com/<repository-name>@sha256:94afd1f2e64d908bc90dbca0035a5b567EXAMPLE.

    • Images in official repositories on Docker Hub use a single name (for example, ubuntu or mongo).

    • Images in other repositories on Docker Hub are qualified with an organization name (for example, amazon/amazon-ecs-agent).

    • Images in other online repositories are qualified further by a domain name (for example, quay.io/assemblyline/ubuntu).

    " }, "repositoryCredentials":{ "shape":"RepositoryCredentials", @@ -1573,23 +1573,23 @@ }, "cpu":{ "shape":"Integer", - "documentation":"

    The number of cpu units reserved for the container. This parameter maps to CpuShares in the docker conainer create commandand the --cpu-shares option to docker run.

    This field is optional for tasks using the Fargate launch type, and the only requirement is that the total amount of CPU reserved for all containers within a task be lower than the task-level cpu value.

    You can determine the number of CPU units that are available per EC2 instance type by multiplying the vCPUs listed for that instance type on the Amazon EC2 Instances detail page by 1,024.

    Linux containers share unallocated CPU units with other containers on the container instance with the same ratio as their allocated amount. For example, if you run a single-container task on a single-core instance type with 512 CPU units specified for that container, and that's the only task running on the container instance, that container could use the full 1,024 CPU unit share at any given time. However, if you launched another copy of the same task on that container instance, each task is guaranteed a minimum of 512 CPU units when needed. Moreover, each container could float to higher CPU usage if the other container was not using it. If both tasks were 100% active all of the time, they would be limited to 512 CPU units.

    On Linux container instances, the Docker daemon on the container instance uses the CPU value to calculate the relative CPU share ratios for running containers. The minimum valid CPU share value that the Linux kernel allows is 2, and the maximum valid CPU share value that the Linux kernel allows is 262144. However, the CPU parameter isn't required, and you can use CPU values below 2 or above 262144 in your container definitions. For CPU values below 2 (including null) or above 262144, the behavior varies based on your Amazon ECS container agent version:

    • Agent versions less than or equal to 1.1.0: Null and zero CPU values are passed to Docker as 0, which Docker then converts to 1,024 CPU shares. CPU values of 1 are passed to Docker as 1, which the Linux kernel converts to two CPU shares.

    • Agent versions greater than or equal to 1.2.0: Null, zero, and CPU values of 1 are passed to Docker as 2.

    • Agent versions greater than or equal to 1.84.0: CPU values greater than 256 vCPU are passed to Docker as 256, which is equivalent to 262144 CPU shares.

    On Windows container instances, the CPU limit is enforced as an absolute limit, or a quota. Windows containers only have access to the specified amount of CPU that's described in the task definition. A null or zero CPU value is passed to Docker as 0, which Windows interprets as 1% of one CPU.

    " + "documentation":"

    The number of cpu units reserved for the container. This parameter maps to CpuShares in the docker container create commandand the --cpu-shares option to docker run.

    This field is optional for tasks using the Fargate launch type, and the only requirement is that the total amount of CPU reserved for all containers within a task be lower than the task-level cpu value.

    You can determine the number of CPU units that are available per EC2 instance type by multiplying the vCPUs listed for that instance type on the Amazon EC2 Instances detail page by 1,024.

    Linux containers share unallocated CPU units with other containers on the container instance with the same ratio as their allocated amount. For example, if you run a single-container task on a single-core instance type with 512 CPU units specified for that container, and that's the only task running on the container instance, that container could use the full 1,024 CPU unit share at any given time. However, if you launched another copy of the same task on that container instance, each task is guaranteed a minimum of 512 CPU units when needed. Moreover, each container could float to higher CPU usage if the other container was not using it. If both tasks were 100% active all of the time, they would be limited to 512 CPU units.

    On Linux container instances, the Docker daemon on the container instance uses the CPU value to calculate the relative CPU share ratios for running containers. The minimum valid CPU share value that the Linux kernel allows is 2, and the maximum valid CPU share value that the Linux kernel allows is 262144. However, the CPU parameter isn't required, and you can use CPU values below 2 or above 262144 in your container definitions. For CPU values below 2 (including null) or above 262144, the behavior varies based on your Amazon ECS container agent version:

    • Agent versions less than or equal to 1.1.0: Null and zero CPU values are passed to Docker as 0, which Docker then converts to 1,024 CPU shares. CPU values of 1 are passed to Docker as 1, which the Linux kernel converts to two CPU shares.

    • Agent versions greater than or equal to 1.2.0: Null, zero, and CPU values of 1 are passed to Docker as 2.

    • Agent versions greater than or equal to 1.84.0: CPU values greater than 256 vCPU are passed to Docker as 256, which is equivalent to 262144 CPU shares.

    On Windows container instances, the CPU limit is enforced as an absolute limit, or a quota. Windows containers only have access to the specified amount of CPU that's described in the task definition. A null or zero CPU value is passed to Docker as 0, which Windows interprets as 1% of one CPU.

    " }, "memory":{ "shape":"BoxedInteger", - "documentation":"

    The amount (in MiB) of memory to present to the container. If your container attempts to exceed the memory specified here, the container is killed. The total amount of memory reserved for all containers within a task must be lower than the task memory value, if one is specified. This parameter maps to Memory in thethe docker conainer create command and the --memory option to docker run.

    If using the Fargate launch type, this parameter is optional.

    If using the EC2 launch type, you must specify either a task-level memory value or a container-level memory value. If you specify both a container-level memory and memoryReservation value, memory must be greater than memoryReservation. If you specify memoryReservation, then that value is subtracted from the available memory resources for the container instance where the container is placed. Otherwise, the value of memory is used.

    The Docker 20.10.0 or later daemon reserves a minimum of 6 MiB of memory for a container. So, don't specify less than 6 MiB of memory for your containers.

    The Docker 19.03.13-ce or earlier daemon reserves a minimum of 4 MiB of memory for a container. So, don't specify less than 4 MiB of memory for your containers.

    " + "documentation":"

    The amount (in MiB) of memory to present to the container. If your container attempts to exceed the memory specified here, the container is killed. The total amount of memory reserved for all containers within a task must be lower than the task memory value, if one is specified. This parameter maps to Memory in the docker container create command and the --memory option to docker run.

    If using the Fargate launch type, this parameter is optional.

    If using the EC2 launch type, you must specify either a task-level memory value or a container-level memory value. If you specify both a container-level memory and memoryReservation value, memory must be greater than memoryReservation. If you specify memoryReservation, then that value is subtracted from the available memory resources for the container instance where the container is placed. Otherwise, the value of memory is used.

    The Docker 20.10.0 or later daemon reserves a minimum of 6 MiB of memory for a container. So, don't specify less than 6 MiB of memory for your containers.

    The Docker 19.03.13-ce or earlier daemon reserves a minimum of 4 MiB of memory for a container. So, don't specify less than 4 MiB of memory for your containers.

    " }, "memoryReservation":{ "shape":"BoxedInteger", - "documentation":"

    The soft limit (in MiB) of memory to reserve for the container. When system memory is under heavy contention, Docker attempts to keep the container memory to this soft limit. However, your container can consume more memory when it needs to, up to either the hard limit specified with the memory parameter (if applicable), or all of the available memory on the container instance, whichever comes first. This parameter maps to MemoryReservation in the the docker conainer create command and the --memory-reservation option to docker run.

    If a task-level memory value is not specified, you must specify a non-zero integer for one or both of memory or memoryReservation in a container definition. If you specify both, memory must be greater than memoryReservation. If you specify memoryReservation, then that value is subtracted from the available memory resources for the container instance where the container is placed. Otherwise, the value of memory is used.

    For example, if your container normally uses 128 MiB of memory, but occasionally bursts to 256 MiB of memory for short periods of time, you can set a memoryReservation of 128 MiB, and a memory hard limit of 300 MiB. This configuration would allow the container to only reserve 128 MiB of memory from the remaining resources on the container instance, but also allow the container to consume more memory resources when needed.

    The Docker 20.10.0 or later daemon reserves a minimum of 6 MiB of memory for a container. So, don't specify less than 6 MiB of memory for your containers.

    The Docker 19.03.13-ce or earlier daemon reserves a minimum of 4 MiB of memory for a container. So, don't specify less than 4 MiB of memory for your containers.

    " + "documentation":"

    The soft limit (in MiB) of memory to reserve for the container. When system memory is under heavy contention, Docker attempts to keep the container memory to this soft limit. However, your container can consume more memory when it needs to, up to either the hard limit specified with the memory parameter (if applicable), or all of the available memory on the container instance, whichever comes first. This parameter maps to MemoryReservation in the docker container create command and the --memory-reservation option to docker run.

    If a task-level memory value is not specified, you must specify a non-zero integer for one or both of memory or memoryReservation in a container definition. If you specify both, memory must be greater than memoryReservation. If you specify memoryReservation, then that value is subtracted from the available memory resources for the container instance where the container is placed. Otherwise, the value of memory is used.

    For example, if your container normally uses 128 MiB of memory, but occasionally bursts to 256 MiB of memory for short periods of time, you can set a memoryReservation of 128 MiB, and a memory hard limit of 300 MiB. This configuration would allow the container to only reserve 128 MiB of memory from the remaining resources on the container instance, but also allow the container to consume more memory resources when needed.

    The Docker 20.10.0 or later daemon reserves a minimum of 6 MiB of memory for a container. So, don't specify less than 6 MiB of memory for your containers.

    The Docker 19.03.13-ce or earlier daemon reserves a minimum of 4 MiB of memory for a container. So, don't specify less than 4 MiB of memory for your containers.

    " }, "links":{ "shape":"StringList", - "documentation":"

    The links parameter allows containers to communicate with each other without the need for port mappings. This parameter is only supported if the network mode of a task definition is bridge. The name:internalName construct is analogous to name:alias in Docker links. Up to 255 letters (uppercase and lowercase), numbers, underscores, and hyphens are allowed.. This parameter maps to Links in the docker conainer create command and the --link option to docker run.

    This parameter is not supported for Windows containers.

    Containers that are collocated on a single container instance may be able to communicate with each other without requiring links or host port mappings. Network isolation is achieved on the container instance using security groups and VPC settings.

    " + "documentation":"

    The links parameter allows containers to communicate with each other without the need for port mappings. This parameter is only supported if the network mode of a task definition is bridge. The name:internalName construct is analogous to name:alias in Docker links. Up to 255 letters (uppercase and lowercase), numbers, underscores, and hyphens are allowed.. This parameter maps to Links in the docker container create command and the --link option to docker run.

    This parameter is not supported for Windows containers.

    Containers that are collocated on a single container instance may be able to communicate with each other without requiring links or host port mappings. Network isolation is achieved on the container instance using security groups and VPC settings.

    " }, "portMappings":{ "shape":"PortMappingList", - "documentation":"

    The list of port mappings for the container. Port mappings allow containers to access ports on the host container instance to send or receive traffic.

    For task definitions that use the awsvpc network mode, only specify the containerPort. The hostPort can be left blank or it must be the same value as the containerPort.

    Port mappings on Windows use the NetNAT gateway address rather than localhost. There's no loopback for port mappings on Windows, so you can't access a container's mapped port from the host itself.

    This parameter maps to PortBindings in the the docker conainer create command and the --publish option to docker run. If the network mode of a task definition is set to none, then you can't specify port mappings. If the network mode of a task definition is set to host, then host ports must either be undefined or they must match the container port in the port mapping.

    After a task reaches the RUNNING status, manual and automatic host and container port assignments are visible in the Network Bindings section of a container description for a selected task in the Amazon ECS console. The assignments are also visible in the networkBindings section DescribeTasks responses.

    " + "documentation":"

    The list of port mappings for the container. Port mappings allow containers to access ports on the host container instance to send or receive traffic.

    For task definitions that use the awsvpc network mode, only specify the containerPort. The hostPort can be left blank or it must be the same value as the containerPort.

    Port mappings on Windows use the NetNAT gateway address rather than localhost. There's no loopback for port mappings on Windows, so you can't access a container's mapped port from the host itself.

    This parameter maps to PortBindings in the the docker container create command and the --publish option to docker run. If the network mode of a task definition is set to none, then you can't specify port mappings. If the network mode of a task definition is set to host, then host ports must either be undefined or they must match the container port in the port mapping.

    After a task reaches the RUNNING status, manual and automatic host and container port assignments are visible in the Network Bindings section of a container description for a selected task in the Amazon ECS console. The assignments are also visible in the networkBindings section DescribeTasks responses.

    " }, "essential":{ "shape":"BoxedBoolean", @@ -1601,15 +1601,15 @@ }, "entryPoint":{ "shape":"StringList", - "documentation":"

    Early versions of the Amazon ECS container agent don't properly handle entryPoint parameters. If you have problems using entryPoint, update your container agent or enter your commands and arguments as command array items instead.

    The entry point that's passed to the container. This parameter maps to Entrypoint in tthe docker conainer create command and the --entrypoint option to docker run.

    " + "documentation":"

    Early versions of the Amazon ECS container agent don't properly handle entryPoint parameters. If you have problems using entryPoint, update your container agent or enter your commands and arguments as command array items instead.

    The entry point that's passed to the container. This parameter maps to Entrypoint in the docker container create command and the --entrypoint option to docker run.

    " }, "command":{ "shape":"StringList", - "documentation":"

    The command that's passed to the container. This parameter maps to Cmd in the docker conainer create command and the COMMAND parameter to docker run. If there are multiple arguments, each argument is a separated string in the array.

    " + "documentation":"

    The command that's passed to the container. This parameter maps to Cmd in the docker container create command and the COMMAND parameter to docker run. If there are multiple arguments, each argument is a separated string in the array.

    " }, "environment":{ "shape":"EnvironmentVariables", - "documentation":"

    The environment variables to pass to a container. This parameter maps to Env in the docker conainer create command and the --env option to docker run.

    We don't recommend that you use plaintext environment variables for sensitive information, such as credential data.

    " + "documentation":"

    The environment variables to pass to a container. This parameter maps to Env in the docker container create command and the --env option to docker run.

    We don't recommend that you use plaintext environment variables for sensitive information, such as credential data.

    " }, "environmentFiles":{ "shape":"EnvironmentFiles", @@ -1617,11 +1617,11 @@ }, "mountPoints":{ "shape":"MountPointList", - "documentation":"

    The mount points for data volumes in your container.

    This parameter maps to Volumes in the the docker conainer create command and the --volume option to docker run.

    Windows containers can mount whole directories on the same drive as $env:ProgramData. Windows containers can't mount directories on a different drive, and mount point can't be across drives.

    " + "documentation":"

    The mount points for data volumes in your container.

    This parameter maps to Volumes in the docker container create command and the --volume option to docker run.

    Windows containers can mount whole directories on the same drive as $env:ProgramData. Windows containers can't mount directories on a different drive, and mount point can't be across drives.

    " }, "volumesFrom":{ "shape":"VolumeFromList", - "documentation":"

    Data volumes to mount from another container. This parameter maps to VolumesFrom in tthe docker conainer create command and the --volumes-from option to docker run.

    " + "documentation":"

    Data volumes to mount from another container. This parameter maps to VolumesFrom in the docker container create command and the --volumes-from option to docker run.

    " }, "linuxParameters":{ "shape":"LinuxParameters", @@ -1641,75 +1641,75 @@ }, "stopTimeout":{ "shape":"BoxedInteger", - "documentation":"

    Time duration (in seconds) to wait before the container is forcefully killed if it doesn't exit normally on its own.

    For tasks using the Fargate launch type, the task or service requires the following platforms:

    • Linux platform version 1.3.0 or later.

    • Windows platform version 1.0.0 or later.

    The max stop timeout value is 120 seconds and if the parameter is not specified, the default value of 30 seconds is used.

    For tasks that use the EC2 launch type, if the stopTimeout parameter isn't specified, the value set for the Amazon ECS container agent configuration variable ECS_CONTAINER_STOP_TIMEOUT is used. If neither the stopTimeout parameter or the ECS_CONTAINER_STOP_TIMEOUT agent configuration variable are set, then the default values of 30 seconds for Linux containers and 30 seconds on Windows containers are used. Your container instances require at least version 1.26.0 of the container agent to use a container stop timeout value. However, we recommend using the latest container agent version. For information about checking your agent version and updating to the latest version, see Updating the Amazon ECS Container Agent in the Amazon Elastic Container Service Developer Guide. If you're using an Amazon ECS-optimized Linux AMI, your instance needs at least version 1.26.0-1 of the ecs-init package. If your container instances are launched from version 20190301 or later, then they contain the required versions of the container agent and ecs-init. For more information, see Amazon ECS-optimized Linux AMI in the Amazon Elastic Container Service Developer Guide.

    The valid values are 2-120 seconds.

    " + "documentation":"

    Time duration (in seconds) to wait before the container is forcefully killed if it doesn't exit normally on its own.

    For tasks using the Fargate launch type, the task or service requires the following platforms:

    • Linux platform version 1.3.0 or later.

    • Windows platform version 1.0.0 or later.

    For tasks that use the Fargate launch type, the max stop timeout value is 120 seconds and if the parameter is not specified, the default value of 30 seconds is used.

    For tasks that use the EC2 launch type, if the stopTimeout parameter isn't specified, the value set for the Amazon ECS container agent configuration variable ECS_CONTAINER_STOP_TIMEOUT is used. If neither the stopTimeout parameter or the ECS_CONTAINER_STOP_TIMEOUT agent configuration variable are set, then the default values of 30 seconds for Linux containers and 30 seconds on Windows containers are used. Your container instances require at least version 1.26.0 of the container agent to use a container stop timeout value. However, we recommend using the latest container agent version. For information about checking your agent version and updating to the latest version, see Updating the Amazon ECS Container Agent in the Amazon Elastic Container Service Developer Guide. If you're using an Amazon ECS-optimized Linux AMI, your instance needs at least version 1.26.0-1 of the ecs-init package. If your container instances are launched from version 20190301 or later, then they contain the required versions of the container agent and ecs-init. For more information, see Amazon ECS-optimized Linux AMI in the Amazon Elastic Container Service Developer Guide.

    The valid values for Fargate are 2-120 seconds.

    " }, "hostname":{ "shape":"String", - "documentation":"

    The hostname to use for your container. This parameter maps to Hostname in thethe docker conainer create command and the --hostname option to docker run.

    The hostname parameter is not supported if you're using the awsvpc network mode.

    " + "documentation":"

    The hostname to use for your container. This parameter maps to Hostname in the docker container create command and the --hostname option to docker run.

    The hostname parameter is not supported if you're using the awsvpc network mode.

    " }, "user":{ "shape":"String", - "documentation":"

    The user to use inside the container. This parameter maps to User in the docker conainer create command and the --user option to docker run.

    When running tasks using the host network mode, don't run containers using the root user (UID 0). We recommend using a non-root user for better security.

    You can specify the user using the following formats. If specifying a UID or GID, you must specify it as a positive integer.

    • user

    • user:group

    • uid

    • uid:gid

    • user:gid

    • uid:group

    This parameter is not supported for Windows containers.

    " + "documentation":"

    The user to use inside the container. This parameter maps to User in the docker container create command and the --user option to docker run.

    When running tasks using the host network mode, don't run containers using the root user (UID 0). We recommend using a non-root user for better security.

    You can specify the user using the following formats. If specifying a UID or GID, you must specify it as a positive integer.

    • user

    • user:group

    • uid

    • uid:gid

    • user:gid

    • uid:group

    This parameter is not supported for Windows containers.

    " }, "workingDirectory":{ "shape":"String", - "documentation":"

    The working directory to run commands inside the container in. This parameter maps to WorkingDir in the docker conainer create command and the --workdir option to docker run.

    " + "documentation":"

    The working directory to run commands inside the container in. This parameter maps to WorkingDir in the docker container create command and the --workdir option to docker run.

    " }, "disableNetworking":{ "shape":"BoxedBoolean", - "documentation":"

    When this parameter is true, networking is off within the container. This parameter maps to NetworkDisabled in the docker conainer create command.

    This parameter is not supported for Windows containers.

    " + "documentation":"

    When this parameter is true, networking is off within the container. This parameter maps to NetworkDisabled in the docker container create command.

    This parameter is not supported for Windows containers.

    " }, "privileged":{ "shape":"BoxedBoolean", - "documentation":"

    When this parameter is true, the container is given elevated privileges on the host container instance (similar to the root user). This parameter maps to Privileged in the the docker conainer create command and the --privileged option to docker run

    This parameter is not supported for Windows containers or tasks run on Fargate.

    " + "documentation":"

    When this parameter is true, the container is given elevated privileges on the host container instance (similar to the root user). This parameter maps to Privileged in the docker container create command and the --privileged option to docker run

    This parameter is not supported for Windows containers or tasks run on Fargate.

    " }, "readonlyRootFilesystem":{ "shape":"BoxedBoolean", - "documentation":"

    When this parameter is true, the container is given read-only access to its root file system. This parameter maps to ReadonlyRootfs in the docker conainer create command and the --read-only option to docker run.

    This parameter is not supported for Windows containers.

    " + "documentation":"

    When this parameter is true, the container is given read-only access to its root file system. This parameter maps to ReadonlyRootfs in the docker container create command and the --read-only option to docker run.

    This parameter is not supported for Windows containers.

    " }, "dnsServers":{ "shape":"StringList", - "documentation":"

    A list of DNS servers that are presented to the container. This parameter maps to Dns in the the docker conainer create command and the --dns option to docker run.

    This parameter is not supported for Windows containers.

    " + "documentation":"

    A list of DNS servers that are presented to the container. This parameter maps to Dns in the docker container create command and the --dns option to docker run.

    This parameter is not supported for Windows containers.

    " }, "dnsSearchDomains":{ "shape":"StringList", - "documentation":"

    A list of DNS search domains that are presented to the container. This parameter maps to DnsSearch in the docker conainer create command and the --dns-search option to docker run.

    This parameter is not supported for Windows containers.

    " + "documentation":"

    A list of DNS search domains that are presented to the container. This parameter maps to DnsSearch in the docker container create command and the --dns-search option to docker run.

    This parameter is not supported for Windows containers.

    " }, "extraHosts":{ "shape":"HostEntryList", - "documentation":"

    A list of hostnames and IP address mappings to append to the /etc/hosts file on the container. This parameter maps to ExtraHosts in the docker conainer create command and the --add-host option to docker run.

    This parameter isn't supported for Windows containers or tasks that use the awsvpc network mode.

    " + "documentation":"

    A list of hostnames and IP address mappings to append to the /etc/hosts file on the container. This parameter maps to ExtraHosts in the docker container create command and the --add-host option to docker run.

    This parameter isn't supported for Windows containers or tasks that use the awsvpc network mode.

    " }, "dockerSecurityOptions":{ "shape":"StringList", - "documentation":"

    A list of strings to provide custom configuration for multiple security systems. This field isn't valid for containers in tasks using the Fargate launch type.

    For Linux tasks on EC2, this parameter can be used to reference custom labels for SELinux and AppArmor multi-level security systems.

    For any tasks on EC2, this parameter can be used to reference a credential spec file that configures a container for Active Directory authentication. For more information, see Using gMSAs for Windows Containers and Using gMSAs for Linux Containers in the Amazon Elastic Container Service Developer Guide.

    This parameter maps to SecurityOpt in the docker conainer create command and the --security-opt option to docker run.

    The Amazon ECS container agent running on a container instance must register with the ECS_SELINUX_CAPABLE=true or ECS_APPARMOR_CAPABLE=true environment variables before containers placed on that instance can use these security options. For more information, see Amazon ECS Container Agent Configuration in the Amazon Elastic Container Service Developer Guide.

    Valid values: \"no-new-privileges\" | \"apparmor:PROFILE\" | \"label:value\" | \"credentialspec:CredentialSpecFilePath\"

    " + "documentation":"

    A list of strings to provide custom configuration for multiple security systems. This field isn't valid for containers in tasks using the Fargate launch type.

    For Linux tasks on EC2, this parameter can be used to reference custom labels for SELinux and AppArmor multi-level security systems.

    For any tasks on EC2, this parameter can be used to reference a credential spec file that configures a container for Active Directory authentication. For more information, see Using gMSAs for Windows Containers and Using gMSAs for Linux Containers in the Amazon Elastic Container Service Developer Guide.

    This parameter maps to SecurityOpt in the docker container create command and the --security-opt option to docker run.

    The Amazon ECS container agent running on a container instance must register with the ECS_SELINUX_CAPABLE=true or ECS_APPARMOR_CAPABLE=true environment variables before containers placed on that instance can use these security options. For more information, see Amazon ECS Container Agent Configuration in the Amazon Elastic Container Service Developer Guide.

    Valid values: \"no-new-privileges\" | \"apparmor:PROFILE\" | \"label:value\" | \"credentialspec:CredentialSpecFilePath\"

    " }, "interactive":{ "shape":"BoxedBoolean", - "documentation":"

    When this parameter is true, you can deploy containerized applications that require stdin or a tty to be allocated. This parameter maps to OpenStdin in the docker conainer create command and the --interactive option to docker run.

    " + "documentation":"

    When this parameter is true, you can deploy containerized applications that require stdin or a tty to be allocated. This parameter maps to OpenStdin in the docker container create command and the --interactive option to docker run.

    " }, "pseudoTerminal":{ "shape":"BoxedBoolean", - "documentation":"

    When this parameter is true, a TTY is allocated. This parameter maps to Tty in tthe docker conainer create command and the --tty option to docker run.

    " + "documentation":"

    When this parameter is true, a TTY is allocated. This parameter maps to Tty in the docker container create command and the --tty option to docker run.

    " }, "dockerLabels":{ "shape":"DockerLabelsMap", - "documentation":"

    A key/value map of labels to add to the container. This parameter maps to Labels in the docker conainer create command and the --label option to docker run. This parameter requires version 1.18 of the Docker Remote API or greater on your container instance. To check the Docker Remote API version on your container instance, log in to your container instance and run the following command: sudo docker version --format '{{.Server.APIVersion}}'

    " + "documentation":"

    A key/value map of labels to add to the container. This parameter maps to Labels in the docker container create command and the --label option to docker run. This parameter requires version 1.18 of the Docker Remote API or greater on your container instance. To check the Docker Remote API version on your container instance, log in to your container instance and run the following command: sudo docker version --format '{{.Server.APIVersion}}'

    " }, "ulimits":{ "shape":"UlimitList", - "documentation":"

    A list of ulimits to set in the container. If a ulimit value is specified in a task definition, it overrides the default values set by Docker. This parameter maps to Ulimits in tthe docker conainer create command and the --ulimit option to docker run. Valid naming values are displayed in the Ulimit data type.

    Amazon ECS tasks hosted on Fargate use the default resource limit values set by the operating system with the exception of the nofile resource limit parameter which Fargate overrides. The nofile resource limit sets a restriction on the number of open files that a container can use. The default nofile soft limit is 65535 and the default hard limit is 65535.

    This parameter requires version 1.18 of the Docker Remote API or greater on your container instance. To check the Docker Remote API version on your container instance, log in to your container instance and run the following command: sudo docker version --format '{{.Server.APIVersion}}'

    This parameter is not supported for Windows containers.

    " + "documentation":"

    A list of ulimits to set in the container. If a ulimit value is specified in a task definition, it overrides the default values set by Docker. This parameter maps to Ulimits in the docker container create command and the --ulimit option to docker run. Valid naming values are displayed in the Ulimit data type.

    Amazon ECS tasks hosted on Fargate use the default resource limit values set by the operating system with the exception of the nofile resource limit parameter which Fargate overrides. The nofile resource limit sets a restriction on the number of open files that a container can use. The default nofile soft limit is 65535 and the default hard limit is 65535.

    This parameter requires version 1.18 of the Docker Remote API or greater on your container instance. To check the Docker Remote API version on your container instance, log in to your container instance and run the following command: sudo docker version --format '{{.Server.APIVersion}}'

    This parameter is not supported for Windows containers.

    " }, "logConfiguration":{ "shape":"LogConfiguration", - "documentation":"

    The log configuration specification for the container.

    This parameter maps to LogConfig in the docker conainer create command and the --log-driver option to docker run. By default, containers use the same logging driver that the Docker daemon uses. However the container can use a different logging driver than the Docker daemon by specifying a log driver with this parameter in the container definition. To use a different logging driver for a container, the log system must be configured properly on the container instance (or on a different log server for remote logging options).

    Amazon ECS currently supports a subset of the logging drivers available to the Docker daemon (shown in the LogConfiguration data type). Additional log drivers may be available in future releases of the Amazon ECS container agent.

    This parameter requires version 1.18 of the Docker Remote API or greater on your container instance. To check the Docker Remote API version on your container instance, log in to your container instance and run the following command: sudo docker version --format '{{.Server.APIVersion}}'

    The Amazon ECS container agent running on a container instance must register the logging drivers available on that instance with the ECS_AVAILABLE_LOGGING_DRIVERS environment variable before containers placed on that instance can use these log configuration options. For more information, see Amazon ECS Container Agent Configuration in the Amazon Elastic Container Service Developer Guide.

    " + "documentation":"

    The log configuration specification for the container.

    This parameter maps to LogConfig in the docker container create command and the --log-driver option to docker run. By default, containers use the same logging driver that the Docker daemon uses. However the container can use a different logging driver than the Docker daemon by specifying a log driver with this parameter in the container definition. To use a different logging driver for a container, the log system must be configured properly on the container instance (or on a different log server for remote logging options).

    Amazon ECS currently supports a subset of the logging drivers available to the Docker daemon (shown in the LogConfiguration data type). Additional log drivers may be available in future releases of the Amazon ECS container agent.

    This parameter requires version 1.18 of the Docker Remote API or greater on your container instance. To check the Docker Remote API version on your container instance, log in to your container instance and run the following command: sudo docker version --format '{{.Server.APIVersion}}'

    The Amazon ECS container agent running on a container instance must register the logging drivers available on that instance with the ECS_AVAILABLE_LOGGING_DRIVERS environment variable before containers placed on that instance can use these log configuration options. For more information, see Amazon ECS Container Agent Configuration in the Amazon Elastic Container Service Developer Guide.

    " }, "healthCheck":{ "shape":"HealthCheck", - "documentation":"

    The container health check command and associated configuration parameters for the container. This parameter maps to HealthCheck in the docker conainer create command and the HEALTHCHECK parameter of docker run.

    " + "documentation":"

    The container health check command and associated configuration parameters for the container. This parameter maps to HealthCheck in the docker container create command and the HEALTHCHECK parameter of docker run.

    " }, "systemControls":{ "shape":"SystemControls", - "documentation":"

    A list of namespaced kernel parameters to set in the container. This parameter maps to Sysctls in tthe docker conainer create command and the --sysctl option to docker run. For example, you can configure net.ipv4.tcp_keepalive_time setting to maintain longer lived connections.

    " + "documentation":"

    A list of namespaced kernel parameters to set in the container. This parameter maps to Sysctls in the docker container create command and the --sysctl option to docker run. For example, you can configure net.ipv4.tcp_keepalive_time setting to maintain longer lived connections.

    " }, "resourceRequirements":{ "shape":"ResourceRequirements", @@ -2531,11 +2531,11 @@ }, "maximumPercent":{ "shape":"BoxedInteger", - "documentation":"

    If a service is using the rolling update (ECS) deployment type, the maximumPercent parameter represents an upper limit on the number of your service's tasks that are allowed in the RUNNING or PENDING state during a deployment, as a percentage of the desiredCount (rounded down to the nearest integer). This parameter enables you to define the deployment batch size. For example, if your service is using the REPLICA service scheduler and has a desiredCount of four tasks and a maximumPercent value of 200%, the scheduler may start four new tasks before stopping the four older tasks (provided that the cluster resources required to do this are available). The default maximumPercent value for a service using the REPLICA service scheduler is 200%.

    If a service is using either the blue/green (CODE_DEPLOY) or EXTERNAL deployment types and tasks that use the EC2 launch type, the maximum percent value is set to the default value and is used to define the upper limit on the number of the tasks in the service that remain in the RUNNING state while the container instances are in the DRAINING state. If the tasks in the service use the Fargate launch type, the maximum percent value is not used, although it is returned when describing your service.

    " + "documentation":"

    If a service is using the rolling update (ECS) deployment type, the maximumPercent parameter represents an upper limit on the number of your service's tasks that are allowed in the RUNNING or PENDING state during a deployment, as a percentage of the desiredCount (rounded down to the nearest integer). This parameter enables you to define the deployment batch size. For example, if your service is using the REPLICA service scheduler and has a desiredCount of four tasks and a maximumPercent value of 200%, the scheduler may start four new tasks before stopping the four older tasks (provided that the cluster resources required to do this are available). The default maximumPercent value for a service using the REPLICA service scheduler is 200%.

    If a service is using either the blue/green (CODE_DEPLOY) or EXTERNAL deployment types, and tasks in the service use the EC2 launch type, the maximum percent value is set to the default value. The maximum percent value is used to define the upper limit on the number of the tasks in the service that remain in the RUNNING state while the container instances are in the DRAINING state.

    You can't specify a custom maximumPercent value for a service that uses either the blue/green (CODE_DEPLOY) or EXTERNAL deployment types and has tasks that use the EC2 launch type.

    If the tasks in the service use the Fargate launch type, the maximum percent value is not used, although it is returned when describing your service.

    " }, "minimumHealthyPercent":{ "shape":"BoxedInteger", - "documentation":"

    If a service is using the rolling update (ECS) deployment type, the minimumHealthyPercent represents a lower limit on the number of your service's tasks that must remain in the RUNNING state during a deployment, as a percentage of the desiredCount (rounded up to the nearest integer). This parameter enables you to deploy without using additional cluster capacity. For example, if your service has a desiredCount of four tasks and a minimumHealthyPercent of 50%, the service scheduler may stop two existing tasks to free up cluster capacity before starting two new tasks.

    For services that do not use a load balancer, the following should be noted:

    • A service is considered healthy if all essential containers within the tasks in the service pass their health checks.

    • If a task has no essential containers with a health check defined, the service scheduler will wait for 40 seconds after a task reaches a RUNNING state before the task is counted towards the minimum healthy percent total.

    • If a task has one or more essential containers with a health check defined, the service scheduler will wait for the task to reach a healthy status before counting it towards the minimum healthy percent total. A task is considered healthy when all essential containers within the task have passed their health checks. The amount of time the service scheduler can wait for is determined by the container health check settings.

    For services that do use a load balancer, the following should be noted:

    • If a task has no essential containers with a health check defined, the service scheduler will wait for the load balancer target group health check to return a healthy status before counting the task towards the minimum healthy percent total.

    • If a task has an essential container with a health check defined, the service scheduler will wait for both the task to reach a healthy status and the load balancer target group health check to return a healthy status before counting the task towards the minimum healthy percent total.

    The default value for a replica service for minimumHealthyPercent is 100%. The default minimumHealthyPercent value for a service using the DAEMON service schedule is 0% for the CLI, the Amazon Web Services SDKs, and the APIs and 50% for the Amazon Web Services Management Console.

    The minimum number of healthy tasks during a deployment is the desiredCount multiplied by the minimumHealthyPercent/100, rounded up to the nearest integer value.

    If a service is using either the blue/green (CODE_DEPLOY) or EXTERNAL deployment types and is running tasks that use the EC2 launch type, the minimum healthy percent value is set to the default value and is used to define the lower limit on the number of the tasks in the service that remain in the RUNNING state while the container instances are in the DRAINING state. If a service is using either the blue/green (CODE_DEPLOY) or EXTERNAL deployment types and is running tasks that use the Fargate launch type, the minimum healthy percent value is not used, although it is returned when describing your service.

    " + "documentation":"

    If a service is using the rolling update (ECS) deployment type, the minimumHealthyPercent represents a lower limit on the number of your service's tasks that must remain in the RUNNING state during a deployment, as a percentage of the desiredCount (rounded up to the nearest integer). This parameter enables you to deploy without using additional cluster capacity. For example, if your service has a desiredCount of four tasks and a minimumHealthyPercent of 50%, the service scheduler may stop two existing tasks to free up cluster capacity before starting two new tasks.

    For services that do not use a load balancer, the following should be noted:

    • A service is considered healthy if all essential containers within the tasks in the service pass their health checks.

    • If a task has no essential containers with a health check defined, the service scheduler will wait for 40 seconds after a task reaches a RUNNING state before the task is counted towards the minimum healthy percent total.

    • If a task has one or more essential containers with a health check defined, the service scheduler will wait for the task to reach a healthy status before counting it towards the minimum healthy percent total. A task is considered healthy when all essential containers within the task have passed their health checks. The amount of time the service scheduler can wait for is determined by the container health check settings.

    For services that do use a load balancer, the following should be noted:

    • If a task has no essential containers with a health check defined, the service scheduler will wait for the load balancer target group health check to return a healthy status before counting the task towards the minimum healthy percent total.

    • If a task has an essential container with a health check defined, the service scheduler will wait for both the task to reach a healthy status and the load balancer target group health check to return a healthy status before counting the task towards the minimum healthy percent total.

    The default value for a replica service for minimumHealthyPercent is 100%. The default minimumHealthyPercent value for a service using the DAEMON service schedule is 0% for the CLI, the Amazon Web Services SDKs, and the APIs and 50% for the Amazon Web Services Management Console.

    The minimum number of healthy tasks during a deployment is the desiredCount multiplied by the minimumHealthyPercent/100, rounded up to the nearest integer value.

    If a service is using either the blue/green (CODE_DEPLOY) or EXTERNAL deployment types and is running tasks that use the EC2 launch type, the minimum healthy percent value is set to the default value. The minimum healthy percent value is used to define the lower limit on the number of the tasks in the service that remain in the RUNNING state while the container instances are in the DRAINING state.

    You can't specify a custom minimumHealthyPercent value for a service that uses either the blue/green (CODE_DEPLOY) or EXTERNAL deployment types and has tasks that use the EC2 launch type.

    If a service is using either the blue/green (CODE_DEPLOY) or EXTERNAL deployment types and is running tasks that use the Fargate launch type, the minimum healthy percent value is not used, although it is returned when describing your service.

    " }, "alarms":{ "shape":"DeploymentAlarms", @@ -2944,7 +2944,7 @@ }, "driver":{ "shape":"String", - "documentation":"

    The Docker volume driver to use. The driver value must match the driver name provided by Docker because it is used for task placement. If the driver was installed using the Docker plugin CLI, use docker plugin ls to retrieve the driver name from your container instance. If the driver was installed using another method, use Docker plugin discovery to retrieve the driver name. This parameter maps to Driver in the docker conainer create command and the xxdriver option to docker volume create.

    " + "documentation":"

    The Docker volume driver to use. The driver value must match the driver name provided by Docker because it is used for task placement. If the driver was installed using the Docker plugin CLI, use docker plugin ls to retrieve the driver name from your container instance. If the driver was installed using another method, use Docker plugin discovery to retrieve the driver name. This parameter maps to Driver in the docker container create command and the xxdriver option to docker volume create.

    " }, "driverOpts":{ "shape":"StringMap", @@ -2952,7 +2952,7 @@ }, "labels":{ "shape":"StringMap", - "documentation":"

    Custom metadata to add to your Docker volume. This parameter maps to Labels in the docker conainer create command and the xxlabel option to docker volume create.

    " + "documentation":"

    Custom metadata to add to your Docker volume. This parameter maps to Labels in the docker container create command and the xxlabel option to docker volume create.

    " } }, "documentation":"

    This parameter is specified when you're using Docker volumes. Docker volumes are only supported when you're using the EC2 launch type. Windows containers only support the use of the local driver. To use bind mounts, specify a host instead.

    " @@ -3328,7 +3328,7 @@ "members":{ "command":{ "shape":"StringList", - "documentation":"

    A string array representing the command that the container runs to determine if it is healthy. The string array must start with CMD to run the command arguments directly, or CMD-SHELL to run the command with the container's default shell.

    When you use the Amazon Web Services Management Console JSON panel, the Command Line Interface, or the APIs, enclose the list of commands in double quotes and brackets.

    [ \"CMD-SHELL\", \"curl -f http://localhost/ || exit 1\" ]

    You don't include the double quotes and brackets when you use the Amazon Web Services Management Console.

    CMD-SHELL, curl -f http://localhost/ || exit 1

    An exit code of 0 indicates success, and non-zero exit code indicates failure. For more information, see HealthCheck in tthe docker conainer create command

    " + "documentation":"

    A string array representing the command that the container runs to determine if it is healthy. The string array must start with CMD to run the command arguments directly, or CMD-SHELL to run the command with the container's default shell.

    When you use the Amazon Web Services Management Console JSON panel, the Command Line Interface, or the APIs, enclose the list of commands in double quotes and brackets.

    [ \"CMD-SHELL\", \"curl -f http://localhost/ || exit 1\" ]

    You don't include the double quotes and brackets when you use the Amazon Web Services Management Console.

    CMD-SHELL, curl -f http://localhost/ || exit 1

    An exit code of 0 indicates success, and non-zero exit code indicates failure. For more information, see HealthCheck in the docker container create command

    " }, "interval":{ "shape":"BoxedInteger", @@ -3494,11 +3494,11 @@ "members":{ "add":{ "shape":"StringList", - "documentation":"

    The Linux capabilities for the container that have been added to the default configuration provided by Docker. This parameter maps to CapAdd in the docker conainer create command and the --cap-add option to docker run.

    Tasks launched on Fargate only support adding the SYS_PTRACE kernel capability.

    Valid values: \"ALL\" | \"AUDIT_CONTROL\" | \"AUDIT_WRITE\" | \"BLOCK_SUSPEND\" | \"CHOWN\" | \"DAC_OVERRIDE\" | \"DAC_READ_SEARCH\" | \"FOWNER\" | \"FSETID\" | \"IPC_LOCK\" | \"IPC_OWNER\" | \"KILL\" | \"LEASE\" | \"LINUX_IMMUTABLE\" | \"MAC_ADMIN\" | \"MAC_OVERRIDE\" | \"MKNOD\" | \"NET_ADMIN\" | \"NET_BIND_SERVICE\" | \"NET_BROADCAST\" | \"NET_RAW\" | \"SETFCAP\" | \"SETGID\" | \"SETPCAP\" | \"SETUID\" | \"SYS_ADMIN\" | \"SYS_BOOT\" | \"SYS_CHROOT\" | \"SYS_MODULE\" | \"SYS_NICE\" | \"SYS_PACCT\" | \"SYS_PTRACE\" | \"SYS_RAWIO\" | \"SYS_RESOURCE\" | \"SYS_TIME\" | \"SYS_TTY_CONFIG\" | \"SYSLOG\" | \"WAKE_ALARM\"

    " + "documentation":"

    The Linux capabilities for the container that have been added to the default configuration provided by Docker. This parameter maps to CapAdd in the docker container create command and the --cap-add option to docker run.

    Tasks launched on Fargate only support adding the SYS_PTRACE kernel capability.

    Valid values: \"ALL\" | \"AUDIT_CONTROL\" | \"AUDIT_WRITE\" | \"BLOCK_SUSPEND\" | \"CHOWN\" | \"DAC_OVERRIDE\" | \"DAC_READ_SEARCH\" | \"FOWNER\" | \"FSETID\" | \"IPC_LOCK\" | \"IPC_OWNER\" | \"KILL\" | \"LEASE\" | \"LINUX_IMMUTABLE\" | \"MAC_ADMIN\" | \"MAC_OVERRIDE\" | \"MKNOD\" | \"NET_ADMIN\" | \"NET_BIND_SERVICE\" | \"NET_BROADCAST\" | \"NET_RAW\" | \"SETFCAP\" | \"SETGID\" | \"SETPCAP\" | \"SETUID\" | \"SYS_ADMIN\" | \"SYS_BOOT\" | \"SYS_CHROOT\" | \"SYS_MODULE\" | \"SYS_NICE\" | \"SYS_PACCT\" | \"SYS_PTRACE\" | \"SYS_RAWIO\" | \"SYS_RESOURCE\" | \"SYS_TIME\" | \"SYS_TTY_CONFIG\" | \"SYSLOG\" | \"WAKE_ALARM\"

    " }, "drop":{ "shape":"StringList", - "documentation":"

    The Linux capabilities for the container that have been removed from the default configuration provided by Docker. This parameter maps to CapDrop in the docker conainer create command and the --cap-drop option to docker run.

    Valid values: \"ALL\" | \"AUDIT_CONTROL\" | \"AUDIT_WRITE\" | \"BLOCK_SUSPEND\" | \"CHOWN\" | \"DAC_OVERRIDE\" | \"DAC_READ_SEARCH\" | \"FOWNER\" | \"FSETID\" | \"IPC_LOCK\" | \"IPC_OWNER\" | \"KILL\" | \"LEASE\" | \"LINUX_IMMUTABLE\" | \"MAC_ADMIN\" | \"MAC_OVERRIDE\" | \"MKNOD\" | \"NET_ADMIN\" | \"NET_BIND_SERVICE\" | \"NET_BROADCAST\" | \"NET_RAW\" | \"SETFCAP\" | \"SETGID\" | \"SETPCAP\" | \"SETUID\" | \"SYS_ADMIN\" | \"SYS_BOOT\" | \"SYS_CHROOT\" | \"SYS_MODULE\" | \"SYS_NICE\" | \"SYS_PACCT\" | \"SYS_PTRACE\" | \"SYS_RAWIO\" | \"SYS_RESOURCE\" | \"SYS_TIME\" | \"SYS_TTY_CONFIG\" | \"SYSLOG\" | \"WAKE_ALARM\"

    " + "documentation":"

    The Linux capabilities for the container that have been removed from the default configuration provided by Docker. This parameter maps to CapDrop in the docker container create command and the --cap-drop option to docker run.

    Valid values: \"ALL\" | \"AUDIT_CONTROL\" | \"AUDIT_WRITE\" | \"BLOCK_SUSPEND\" | \"CHOWN\" | \"DAC_OVERRIDE\" | \"DAC_READ_SEARCH\" | \"FOWNER\" | \"FSETID\" | \"IPC_LOCK\" | \"IPC_OWNER\" | \"KILL\" | \"LEASE\" | \"LINUX_IMMUTABLE\" | \"MAC_ADMIN\" | \"MAC_OVERRIDE\" | \"MKNOD\" | \"NET_ADMIN\" | \"NET_BIND_SERVICE\" | \"NET_BROADCAST\" | \"NET_RAW\" | \"SETFCAP\" | \"SETGID\" | \"SETPCAP\" | \"SETUID\" | \"SYS_ADMIN\" | \"SYS_BOOT\" | \"SYS_CHROOT\" | \"SYS_MODULE\" | \"SYS_NICE\" | \"SYS_PACCT\" | \"SYS_PTRACE\" | \"SYS_RAWIO\" | \"SYS_RESOURCE\" | \"SYS_TIME\" | \"SYS_TTY_CONFIG\" | \"SYSLOG\" | \"WAKE_ALARM\"

    " } }, "documentation":"

    The Linux capabilities to add or remove from the default Docker configuration for a container defined in the task definition. For more detailed information about these Linux capabilities, see the capabilities(7) Linux manual page.

    " @@ -3541,7 +3541,7 @@ }, "devices":{ "shape":"DevicesList", - "documentation":"

    Any host devices to expose to the container. This parameter maps to Devices in tthe docker conainer create command and the --device option to docker run.

    If you're using tasks that use the Fargate launch type, the devices parameter isn't supported.

    " + "documentation":"

    Any host devices to expose to the container. This parameter maps to Devices in the docker container create command and the --device option to docker run.

    If you're using tasks that use the Fargate launch type, the devices parameter isn't supported.

    " }, "initProcessEnabled":{ "shape":"BoxedBoolean", @@ -3972,7 +3972,7 @@ "documentation":"

    The secrets to pass to the log configuration. For more information, see Specifying sensitive data in the Amazon Elastic Container Service Developer Guide.

    " } }, - "documentation":"

    The log configuration for the container. This parameter maps to LogConfig in the docker conainer create command and the --log-driver option to docker run.

    By default, containers use the same logging driver that the Docker daemon uses. However, the container might use a different logging driver than the Docker daemon by specifying a log driver configuration in the container definition.

    Understand the following when specifying a log configuration for your containers.

    • Amazon ECS currently supports a subset of the logging drivers available to the Docker daemon. Additional log drivers may be available in future releases of the Amazon ECS container agent.

      For tasks on Fargate, the supported log drivers are awslogs, splunk, and awsfirelens.

      For tasks hosted on Amazon EC2 instances, the supported log drivers are awslogs, fluentd, gelf, json-file, journald,syslog, splunk, and awsfirelens.

    • This parameter requires version 1.18 of the Docker Remote API or greater on your container instance.

    • For tasks that are hosted on Amazon EC2 instances, the Amazon ECS container agent must register the available logging drivers with the ECS_AVAILABLE_LOGGING_DRIVERS environment variable before containers placed on that instance can use these log configuration options. For more information, see Amazon ECS container agent configuration in the Amazon Elastic Container Service Developer Guide.

    • For tasks that are on Fargate, because you don't have access to the underlying infrastructure your tasks are hosted on, any additional software needed must be installed outside of the task. For example, the Fluentd output aggregators or a remote host running Logstash to send Gelf logs to.

    " + "documentation":"

    The log configuration for the container. This parameter maps to LogConfig in the docker container create command and the --log-driver option to docker run.

    By default, containers use the same logging driver that the Docker daemon uses. However, the container might use a different logging driver than the Docker daemon by specifying a log driver configuration in the container definition.

    Understand the following when specifying a log configuration for your containers.

    • Amazon ECS currently supports a subset of the logging drivers available to the Docker daemon. Additional log drivers may be available in future releases of the Amazon ECS container agent.

      For tasks on Fargate, the supported log drivers are awslogs, splunk, and awsfirelens.

      For tasks hosted on Amazon EC2 instances, the supported log drivers are awslogs, fluentd, gelf, json-file, journald,syslog, splunk, and awsfirelens.

    • This parameter requires version 1.18 of the Docker Remote API or greater on your container instance.

    • For tasks that are hosted on Amazon EC2 instances, the Amazon ECS container agent must register the available logging drivers with the ECS_AVAILABLE_LOGGING_DRIVERS environment variable before containers placed on that instance can use these log configuration options. For more information, see Amazon ECS container agent configuration in the Amazon Elastic Container Service Developer Guide.

    • For tasks that are on Fargate, because you don't have access to the underlying infrastructure your tasks are hosted on, any additional software needed must be installed outside of the task. For example, the Fluentd output aggregators or a remote host running Logstash to send Gelf logs to.

    " }, "LogConfigurationOptionsMap":{ "type":"map", @@ -4387,7 +4387,7 @@ "documentation":"

    The port number range on the container that's bound to the dynamically mapped host port range.

    The following rules apply when you specify a containerPortRange:

    • You must use either the bridge network mode or the awsvpc network mode.

    • This parameter is available for both the EC2 and Fargate launch types.

    • This parameter is available for both the Linux and Windows operating systems.

    • The container instance must have at least version 1.67.0 of the container agent and at least version 1.67.0-1 of the ecs-init package

    • You can specify a maximum of 100 port ranges per container.

    • You do not specify a hostPortRange. The value of the hostPortRange is set as follows:

      • For containers in a task with the awsvpc network mode, the hostPortRange is set to the same value as the containerPortRange. This is a static mapping strategy.

      • For containers in a task with the bridge network mode, the Amazon ECS agent finds open host ports from the default ephemeral range and passes it to docker to bind them to the container ports.

    • The containerPortRange valid values are between 1 and 65535.

    • A port can only be included in one port mapping per container.

    • You cannot specify overlapping port ranges.

    • The first port in the range must be less than last port in the range.

    • Docker recommends that you turn off the docker-proxy in the Docker daemon config file when you have a large number of ports.

      For more information, see Issue #11185 on the Github website.

      For information about how to turn off the docker-proxy in the Docker daemon config file, see Docker daemon in the Amazon ECS Developer Guide.

    You can call DescribeTasks to view the hostPortRange which are the host ports that are bound to the container ports.

    " } }, - "documentation":"

    Port mappings allow containers to access ports on the host container instance to send or receive traffic. Port mappings are specified as part of the container definition.

    If you use containers in a task with the awsvpc or host network mode, specify the exposed ports using containerPort. The hostPort can be left blank or it must be the same value as the containerPort.

    Most fields of this parameter (containerPort, hostPort, protocol) maps to PortBindings in the docker conainer create command and the --publish option to docker run. If the network mode of a task definition is set to host, host ports must either be undefined or match the container port in the port mapping.

    You can't expose the same container port for multiple protocols. If you attempt this, an error is returned.

    After a task reaches the RUNNING status, manual and automatic host and container port assignments are visible in the networkBindings section of DescribeTasks API responses.

    " + "documentation":"

    Port mappings allow containers to access ports on the host container instance to send or receive traffic. Port mappings are specified as part of the container definition.

    If you use containers in a task with the awsvpc or host network mode, specify the exposed ports using containerPort. The hostPort can be left blank or it must be the same value as the containerPort.

    Most fields of this parameter (containerPort, hostPort, protocol) maps to PortBindings in the docker container create command and the --publish option to docker run. If the network mode of a task definition is set to host, host ports must either be undefined or match the container port in the port mapping.

    You can't expose the same container port for multiple protocols. If you attempt this, an error is returned.

    After a task reaches the RUNNING status, manual and automatic host and container port assignments are visible in the networkBindings section of DescribeTasks API responses.

    " }, "PortMappingList":{ "type":"list", @@ -4491,7 +4491,7 @@ "members":{ "name":{ "shape":"SettingName", - "documentation":"

    The Amazon ECS account setting name to modify.

    The following are the valid values for the account setting name.

    • serviceLongArnFormat - When modified, the Amazon Resource Name (ARN) and resource ID format of the resource type for a specified user, role, or the root user for an account is affected. The opt-in and opt-out account setting must be set for each Amazon ECS resource separately. The ARN and resource ID format of a resource is defined by the opt-in status of the user or role that created the resource. You must turn on this setting to use Amazon ECS features such as resource tagging.

    • taskLongArnFormat - When modified, the Amazon Resource Name (ARN) and resource ID format of the resource type for a specified user, role, or the root user for an account is affected. The opt-in and opt-out account setting must be set for each Amazon ECS resource separately. The ARN and resource ID format of a resource is defined by the opt-in status of the user or role that created the resource. You must turn on this setting to use Amazon ECS features such as resource tagging.

    • containerInstanceLongArnFormat - When modified, the Amazon Resource Name (ARN) and resource ID format of the resource type for a specified user, role, or the root user for an account is affected. The opt-in and opt-out account setting must be set for each Amazon ECS resource separately. The ARN and resource ID format of a resource is defined by the opt-in status of the user or role that created the resource. You must turn on this setting to use Amazon ECS features such as resource tagging.

    • awsvpcTrunking - When modified, the elastic network interface (ENI) limit for any new container instances that support the feature is changed. If awsvpcTrunking is turned on, any new container instances that support the feature are launched have the increased ENI limits available to them. For more information, see Elastic Network Interface Trunking in the Amazon Elastic Container Service Developer Guide.

    • containerInsights - When modified, the default setting indicating whether Amazon Web Services CloudWatch Container Insights is turned on for your clusters is changed. If containerInsights is turned on, any new clusters that are created will have Container Insights turned on unless you disable it during cluster creation. For more information, see CloudWatch Container Insights in the Amazon Elastic Container Service Developer Guide.

    • dualStackIPv6 - When turned on, when using a VPC in dual stack mode, your tasks using the awsvpc network mode can have an IPv6 address assigned. For more information on using IPv6 with tasks launched on Amazon EC2 instances, see Using a VPC in dual-stack mode. For more information on using IPv6 with tasks launched on Fargate, see Using a VPC in dual-stack mode.

    • fargateFIPSMode - If you specify fargateFIPSMode, Fargate FIPS 140 compliance is affected.

    • fargateTaskRetirementWaitPeriod - When Amazon Web Services determines that a security or infrastructure update is needed for an Amazon ECS task hosted on Fargate, the tasks need to be stopped and new tasks launched to replace them. Use fargateTaskRetirementWaitPeriod to configure the wait time to retire a Fargate task. For information about the Fargate tasks maintenance, see Amazon Web Services Fargate task maintenance in the Amazon ECS Developer Guide.

    • tagResourceAuthorization - Amazon ECS is introducing tagging authorization for resource creation. Users must have permissions for actions that create the resource, such as ecsCreateCluster. If tags are specified when you create a resource, Amazon Web Services performs additional authorization to verify if users or roles have permissions to create tags. Therefore, you must grant explicit permissions to use the ecs:TagResource action. For more information, see Grant permission to tag resources on creation in the Amazon ECS Developer Guide.

    • guardDutyActivate - The guardDutyActivate parameter is read-only in Amazon ECS and indicates whether Amazon ECS Runtime Monitoring is enabled or disabled by your security administrator in your Amazon ECS account. Amazon GuardDuty controls this account setting on your behalf. For more information, see Protecting Amazon ECS workloads with Amazon ECS Runtime Monitoring.

    " + "documentation":"

    The Amazon ECS account setting name to modify.

    The following are the valid values for the account setting name.

    • serviceLongArnFormat - When modified, the Amazon Resource Name (ARN) and resource ID format of the resource type for a specified user, role, or the root user for an account is affected. The opt-in and opt-out account setting must be set for each Amazon ECS resource separately. The ARN and resource ID format of a resource is defined by the opt-in status of the user or role that created the resource. You must turn on this setting to use Amazon ECS features such as resource tagging.

    • taskLongArnFormat - When modified, the Amazon Resource Name (ARN) and resource ID format of the resource type for a specified user, role, or the root user for an account is affected. The opt-in and opt-out account setting must be set for each Amazon ECS resource separately. The ARN and resource ID format of a resource is defined by the opt-in status of the user or role that created the resource. You must turn on this setting to use Amazon ECS features such as resource tagging.

    • containerInstanceLongArnFormat - When modified, the Amazon Resource Name (ARN) and resource ID format of the resource type for a specified user, role, or the root user for an account is affected. The opt-in and opt-out account setting must be set for each Amazon ECS resource separately. The ARN and resource ID format of a resource is defined by the opt-in status of the user or role that created the resource. You must turn on this setting to use Amazon ECS features such as resource tagging.

    • awsvpcTrunking - When modified, the elastic network interface (ENI) limit for any new container instances that support the feature is changed. If awsvpcTrunking is turned on, any new container instances that support the feature are launched have the increased ENI limits available to them. For more information, see Elastic Network Interface Trunking in the Amazon Elastic Container Service Developer Guide.

    • containerInsights - When modified, the default setting indicating whether Amazon Web Services CloudWatch Container Insights is turned on for your clusters is changed. If containerInsights is turned on, any new clusters that are created will have Container Insights turned on unless you disable it during cluster creation. For more information, see CloudWatch Container Insights in the Amazon Elastic Container Service Developer Guide.

    • dualStackIPv6 - When turned on, when using a VPC in dual stack mode, your tasks using the awsvpc network mode can have an IPv6 address assigned. For more information on using IPv6 with tasks launched on Amazon EC2 instances, see Using a VPC in dual-stack mode. For more information on using IPv6 with tasks launched on Fargate, see Using a VPC in dual-stack mode.

    • fargateTaskRetirementWaitPeriod - When Amazon Web Services determines that a security or infrastructure update is needed for an Amazon ECS task hosted on Fargate, the tasks need to be stopped and new tasks launched to replace them. Use fargateTaskRetirementWaitPeriod to configure the wait time to retire a Fargate task. For information about the Fargate tasks maintenance, see Amazon Web Services Fargate task maintenance in the Amazon ECS Developer Guide.

    • tagResourceAuthorization - Amazon ECS is introducing tagging authorization for resource creation. Users must have permissions for actions that create the resource, such as ecsCreateCluster. If tags are specified when you create a resource, Amazon Web Services performs additional authorization to verify if users or roles have permissions to create tags. Therefore, you must grant explicit permissions to use the ecs:TagResource action. For more information, see Grant permission to tag resources on creation in the Amazon ECS Developer Guide.

    • guardDutyActivate - The guardDutyActivate parameter is read-only in Amazon ECS and indicates whether Amazon ECS Runtime Monitoring is enabled or disabled by your security administrator in your Amazon ECS account. Amazon GuardDuty controls this account setting on your behalf. For more information, see Protecting Amazon ECS workloads with Amazon ECS Runtime Monitoring.

    " }, "value":{ "shape":"String", @@ -5702,7 +5702,7 @@ "documentation":"

    The namespaced kernel parameter to set a value for.

    Valid IPC namespace values: \"kernel.msgmax\" | \"kernel.msgmnb\" | \"kernel.msgmni\" | \"kernel.sem\" | \"kernel.shmall\" | \"kernel.shmmax\" | \"kernel.shmmni\" | \"kernel.shm_rmid_forced\", and Sysctls that start with \"fs.mqueue.*\"

    Valid network namespace values: Sysctls that start with \"net.*\"

    All of these values are supported by Fargate.

    " } }, - "documentation":"

    A list of namespaced kernel parameters to set in the container. This parameter maps to Sysctls in tthe docker conainer create command and the --sysctl option to docker run. For example, you can configure net.ipv4.tcp_keepalive_time setting to maintain longer lived connections.

    We don't recommend that you specify network-related systemControls parameters for multiple containers in a single task that also uses either the awsvpc or host network mode. Doing this has the following disadvantages:

    • For tasks that use the awsvpc network mode including Fargate, if you set systemControls for any container, it applies to all containers in the task. If you set different systemControls for multiple containers in a single task, the container that's started last determines which systemControls take effect.

    • For tasks that use the host network mode, the network namespace systemControls aren't supported.

    If you're setting an IPC resource namespace to use for the containers in the task, the following conditions apply to your system controls. For more information, see IPC mode.

    • For tasks that use the host IPC mode, IPC namespace systemControls aren't supported.

    • For tasks that use the task IPC mode, IPC namespace systemControls values apply to all containers within a task.

    This parameter is not supported for Windows containers.

    This parameter is only supported for tasks that are hosted on Fargate if the tasks are using platform version 1.4.0 or later (Linux). This isn't supported for Windows containers on Fargate.

    " + "documentation":"

    A list of namespaced kernel parameters to set in the container. This parameter maps to Sysctls in the docker container create command and the --sysctl option to docker run. For example, you can configure net.ipv4.tcp_keepalive_time setting to maintain longer lived connections.

    We don't recommend that you specify network-related systemControls parameters for multiple containers in a single task that also uses either the awsvpc or host network mode. Doing this has the following disadvantages:

    • For tasks that use the awsvpc network mode including Fargate, if you set systemControls for any container, it applies to all containers in the task. If you set different systemControls for multiple containers in a single task, the container that's started last determines which systemControls take effect.

    • For tasks that use the host network mode, the network namespace systemControls aren't supported.

    If you're setting an IPC resource namespace to use for the containers in the task, the following conditions apply to your system controls. For more information, see IPC mode.

    • For tasks that use the host IPC mode, IPC namespace systemControls aren't supported.

    • For tasks that use the task IPC mode, IPC namespace systemControls values apply to all containers within a task.

    This parameter is not supported for Windows containers.

    This parameter is only supported for tasks that are hosted on Fargate if the tasks are using platform version 1.4.0 or later (Linux). This isn't supported for Windows containers on Fargate.

    " }, "SystemControls":{ "type":"list", @@ -5987,7 +5987,7 @@ }, "compatibilities":{ "shape":"CompatibilityList", - "documentation":"

    The task launch types the task definition validated against during task definition registration. For more information, see Amazon ECS launch types in the Amazon Elastic Container Service Developer Guide.

    " + "documentation":"

    Amazon ECS validates the task definition parameters with those supported by the launch type. For more information, see Amazon ECS launch types in the Amazon Elastic Container Service Developer Guide.

    " }, "runtimePlatform":{ "shape":"RuntimePlatform", @@ -6437,11 +6437,11 @@ }, "softLimit":{ "shape":"Integer", - "documentation":"

    The soft limit for the ulimit type.

    " + "documentation":"

    The soft limit for the ulimit type. The value can be specified in bytes, seconds, or as a count, depending on the type of the ulimit.

    " }, "hardLimit":{ "shape":"Integer", - "documentation":"

    The hard limit for the ulimit type.

    " + "documentation":"

    The hard limit for the ulimit type. The value can be specified in bytes, seconds, or as a count, depending on the type of the ulimit.

    " } }, "documentation":"

    The ulimit settings to pass to the container.

    Amazon ECS tasks hosted on Fargate use the default resource limit values set by the operating system with the exception of the nofile resource limit parameter which Fargate overrides. The nofile resource limit sets a restriction on the number of open files that a container can use. The default nofile soft limit is 65535 and the default hard limit is 65535.

    You can specify the ulimit settings for a container in a task definition.

    " From 3a94bcf147dcde4afbbeb7d41414f8f93fe7dfb6 Mon Sep 17 00:00:00 2001 From: AWS <> Date: Tue, 17 Sep 2024 18:11:17 +0000 Subject: [PATCH 106/108] AWS CodeBuild Update: GitLab Enhancements - Add support for Self-Hosted GitLab runners in CodeBuild. Add group webhooks --- .changes/next-release/feature-AWSCodeBuild-ba98ee9.json | 6 ++++++ .../src/main/resources/codegen-resources/service-2.json | 9 +++++---- 2 files changed, 11 insertions(+), 4 deletions(-) create mode 100644 .changes/next-release/feature-AWSCodeBuild-ba98ee9.json diff --git a/.changes/next-release/feature-AWSCodeBuild-ba98ee9.json b/.changes/next-release/feature-AWSCodeBuild-ba98ee9.json new file mode 100644 index 000000000000..fe9d52b49f12 --- /dev/null +++ b/.changes/next-release/feature-AWSCodeBuild-ba98ee9.json @@ -0,0 +1,6 @@ +{ + "type": "feature", + "category": "AWS CodeBuild", + "contributor": "", + "description": "GitLab Enhancements - Add support for Self-Hosted GitLab runners in CodeBuild. Add group webhooks" +} diff --git a/services/codebuild/src/main/resources/codegen-resources/service-2.json b/services/codebuild/src/main/resources/codegen-resources/service-2.json index a7972dea350a..c599b860e5aa 100644 --- a/services/codebuild/src/main/resources/codegen-resources/service-2.json +++ b/services/codebuild/src/main/resources/codegen-resources/service-2.json @@ -3941,15 +3941,15 @@ "members":{ "name":{ "shape":"String", - "documentation":"

    The name of either the enterprise or organization that will send webhook events to CodeBuild, depending on if the webhook is a global or organization webhook respectively.

    " + "documentation":"

    The name of either the group, enterprise, or organization that will send webhook events to CodeBuild, depending on the type of webhook.

    " }, "domain":{ "shape":"String", - "documentation":"

    The domain of the GitHub Enterprise organization. Note that this parameter is only required if your project's source type is GITHUB_ENTERPRISE

    " + "documentation":"

    The domain of the GitHub Enterprise organization or the GitLab Self Managed group. Note that this parameter is only required if your project's source type is GITHUB_ENTERPRISE or GITLAB_SELF_MANAGED.

    " }, "scope":{ "shape":"WebhookScopeType", - "documentation":"

    The type of scope for a GitHub webhook.

    " + "documentation":"

    The type of scope for a GitHub or GitLab webhook.

    " } }, "documentation":"

    Contains configuration information about the scope for a webhook.

    " @@ -4867,7 +4867,8 @@ "type":"string", "enum":[ "GITHUB_ORGANIZATION", - "GITHUB_GLOBAL" + "GITHUB_GLOBAL", + "GITLAB_GROUP" ] }, "WrapperBoolean":{"type":"boolean"}, From caef28d12b7fbfbedb7075af6b5a82bc769d0feb Mon Sep 17 00:00:00 2001 From: AWS <> Date: Tue, 17 Sep 2024 18:13:32 +0000 Subject: [PATCH 107/108] Release 2.28.3. Updated CHANGELOG.md, README.md and all pom.xml. --- .changes/2.28.3.json | 42 +++++++++++++++++++ .../feature-AWSCodeBuild-ba98ee9.json | 6 --- .../feature-AWSLambda-90390be.json | 6 --- ...ure-AmazonEC2ContainerService-e2222da.json | 6 --- ...mazonElasticContainerRegistry-844a124.json | 6 --- ...azonRelationalDatabaseService-aa365a1.json | 6 --- ...AmazonSimpleSystemsManagerSSM-df12905.json | 6 --- CHANGELOG.md | 25 +++++++++++ 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/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/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/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/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/worklink/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 +- 478 files changed, 540 insertions(+), 509 deletions(-) create mode 100644 .changes/2.28.3.json delete mode 100644 .changes/next-release/feature-AWSCodeBuild-ba98ee9.json delete mode 100644 .changes/next-release/feature-AWSLambda-90390be.json delete mode 100644 .changes/next-release/feature-AmazonEC2ContainerService-e2222da.json delete mode 100644 .changes/next-release/feature-AmazonElasticContainerRegistry-844a124.json delete mode 100644 .changes/next-release/feature-AmazonRelationalDatabaseService-aa365a1.json delete mode 100644 .changes/next-release/feature-AmazonSimpleSystemsManagerSSM-df12905.json diff --git a/.changes/2.28.3.json b/.changes/2.28.3.json new file mode 100644 index 000000000000..f9a955e5c7a3 --- /dev/null +++ b/.changes/2.28.3.json @@ -0,0 +1,42 @@ +{ + "version": "2.28.3", + "date": "2024-09-17", + "entries": [ + { + "type": "feature", + "category": "AWS CodeBuild", + "contributor": "", + "description": "GitLab Enhancements - Add support for Self-Hosted GitLab runners in CodeBuild. Add group webhooks" + }, + { + "type": "feature", + "category": "AWS Lambda", + "contributor": "", + "description": "Support for JSON resource-based policies and block public access" + }, + { + "type": "feature", + "category": "Amazon EC2 Container Service", + "contributor": "", + "description": "This is a documentation only release to address various tickets." + }, + { + "type": "feature", + "category": "Amazon Elastic Container Registry", + "contributor": "", + "description": "The `DescribeImageScanning` API now includes `fixAvailable`, `exploitAvailable`, and `fixedInVersion` fields to provide more detailed information about the availability of fixes, exploits, and fixed versions for identified image vulnerabilities." + }, + { + "type": "feature", + "category": "Amazon Relational Database Service", + "contributor": "", + "description": "Updates Amazon RDS documentation with configuration information about the BYOL model for RDS for Db2." + }, + { + "type": "feature", + "category": "Amazon Simple Systems Manager (SSM)", + "contributor": "", + "description": "Support for additional levels of cross-account, cross-Region organizational units in Automation. Various documentation updates." + } + ] +} \ No newline at end of file diff --git a/.changes/next-release/feature-AWSCodeBuild-ba98ee9.json b/.changes/next-release/feature-AWSCodeBuild-ba98ee9.json deleted file mode 100644 index fe9d52b49f12..000000000000 --- a/.changes/next-release/feature-AWSCodeBuild-ba98ee9.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "AWS CodeBuild", - "contributor": "", - "description": "GitLab Enhancements - Add support for Self-Hosted GitLab runners in CodeBuild. Add group webhooks" -} diff --git a/.changes/next-release/feature-AWSLambda-90390be.json b/.changes/next-release/feature-AWSLambda-90390be.json deleted file mode 100644 index 1f98d4dc62e7..000000000000 --- a/.changes/next-release/feature-AWSLambda-90390be.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "AWS Lambda", - "contributor": "", - "description": "Support for JSON resource-based policies and block public access" -} diff --git a/.changes/next-release/feature-AmazonEC2ContainerService-e2222da.json b/.changes/next-release/feature-AmazonEC2ContainerService-e2222da.json deleted file mode 100644 index 115f6976d75b..000000000000 --- a/.changes/next-release/feature-AmazonEC2ContainerService-e2222da.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "Amazon EC2 Container Service", - "contributor": "", - "description": "This is a documentation only release to address various tickets." -} diff --git a/.changes/next-release/feature-AmazonElasticContainerRegistry-844a124.json b/.changes/next-release/feature-AmazonElasticContainerRegistry-844a124.json deleted file mode 100644 index bf3c65086ba7..000000000000 --- a/.changes/next-release/feature-AmazonElasticContainerRegistry-844a124.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "Amazon Elastic Container Registry", - "contributor": "", - "description": "The `DescribeImageScanning` API now includes `fixAvailable`, `exploitAvailable`, and `fixedInVersion` fields to provide more detailed information about the availability of fixes, exploits, and fixed versions for identified image vulnerabilities." -} diff --git a/.changes/next-release/feature-AmazonRelationalDatabaseService-aa365a1.json b/.changes/next-release/feature-AmazonRelationalDatabaseService-aa365a1.json deleted file mode 100644 index 4fef82af2e51..000000000000 --- a/.changes/next-release/feature-AmazonRelationalDatabaseService-aa365a1.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "Amazon Relational Database Service", - "contributor": "", - "description": "Updates Amazon RDS documentation with configuration information about the BYOL model for RDS for Db2." -} diff --git a/.changes/next-release/feature-AmazonSimpleSystemsManagerSSM-df12905.json b/.changes/next-release/feature-AmazonSimpleSystemsManagerSSM-df12905.json deleted file mode 100644 index bad14e8d4303..000000000000 --- a/.changes/next-release/feature-AmazonSimpleSystemsManagerSSM-df12905.json +++ /dev/null @@ -1,6 +0,0 @@ -{ - "type": "feature", - "category": "Amazon Simple Systems Manager (SSM)", - "contributor": "", - "description": "Support for additional levels of cross-account, cross-Region organizational units in Automation. Various documentation updates." -} diff --git a/CHANGELOG.md b/CHANGELOG.md index 775216ac4839..ed38f8f3528a 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,29 @@ #### 👋 _Looking for changelogs for older versions? You can find them in the [changelogs](./changelogs) directory._ +# __2.28.3__ __2024-09-17__ +## __AWS CodeBuild__ + - ### Features + - GitLab Enhancements - Add support for Self-Hosted GitLab runners in CodeBuild. Add group webhooks + +## __AWS Lambda__ + - ### Features + - Support for JSON resource-based policies and block public access + +## __Amazon EC2 Container Service__ + - ### Features + - This is a documentation only release to address various tickets. + +## __Amazon Elastic Container Registry__ + - ### Features + - The `DescribeImageScanning` API now includes `fixAvailable`, `exploitAvailable`, and `fixedInVersion` fields to provide more detailed information about the availability of fixes, exploits, and fixed versions for identified image vulnerabilities. + +## __Amazon Relational Database Service__ + - ### Features + - Updates Amazon RDS documentation with configuration information about the BYOL model for RDS for Db2. + +## __Amazon Simple Systems Manager (SSM)__ + - ### Features + - Support for additional levels of cross-account, cross-Region organizational units in Automation. Various documentation updates. + # __2.28.2__ __2024-09-16__ ## __AWS Elemental MediaLive__ - ### Features diff --git a/README.md b/README.md index 92a9805f69ad..6c49be4199f8 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.2 + 2.28.3 pom import @@ -85,12 +85,12 @@ Alternatively you can add dependencies for the specific services you use only: software.amazon.awssdk ec2 - 2.28.2 + 2.28.3 software.amazon.awssdk s3 - 2.28.2 + 2.28.3 ``` @@ -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.2 + 2.28.3 ``` diff --git a/archetypes/archetype-app-quickstart/pom.xml b/archetypes/archetype-app-quickstart/pom.xml index c90e8bb71eaf..c916ee5e52bf 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.3-SNAPSHOT + 2.28.3 4.0.0 diff --git a/archetypes/archetype-lambda/pom.xml b/archetypes/archetype-lambda/pom.xml index 9d9bc243a648..f3db430f08bc 100644 --- a/archetypes/archetype-lambda/pom.xml +++ b/archetypes/archetype-lambda/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.28.3-SNAPSHOT + 2.28.3 4.0.0 archetype-lambda diff --git a/archetypes/archetype-tools/pom.xml b/archetypes/archetype-tools/pom.xml index 196ea7e5688f..84e9e6df185b 100644 --- a/archetypes/archetype-tools/pom.xml +++ b/archetypes/archetype-tools/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.28.3-SNAPSHOT + 2.28.3 4.0.0 diff --git a/archetypes/pom.xml b/archetypes/pom.xml index 04b226642118..f2cba78c5f18 100644 --- a/archetypes/pom.xml +++ b/archetypes/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.3-SNAPSHOT + 2.28.3 4.0.0 archetypes diff --git a/aws-sdk-java/pom.xml b/aws-sdk-java/pom.xml index 2360c0c2bf84..2a3d5567d625 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.3-SNAPSHOT + 2.28.3 ../pom.xml aws-sdk-java diff --git a/bom-internal/pom.xml b/bom-internal/pom.xml index 255532bd04e5..311d3cb8c89e 100644 --- a/bom-internal/pom.xml +++ b/bom-internal/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.3-SNAPSHOT + 2.28.3 4.0.0 diff --git a/bom/pom.xml b/bom/pom.xml index 63769f86a0dd..a7032634089a 100644 --- a/bom/pom.xml +++ b/bom/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.3-SNAPSHOT + 2.28.3 ../pom.xml bom diff --git a/bundle-logging-bridge/pom.xml b/bundle-logging-bridge/pom.xml index a2b2485df790..ec234e9fa01a 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.3-SNAPSHOT + 2.28.3 bundle-logging-bridge jar diff --git a/bundle-sdk/pom.xml b/bundle-sdk/pom.xml index 32d0828bc1c4..d847a97ccb85 100644 --- a/bundle-sdk/pom.xml +++ b/bundle-sdk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.3-SNAPSHOT + 2.28.3 bundle-sdk jar diff --git a/bundle/pom.xml b/bundle/pom.xml index b838c20decbd..70d17e27cd8e 100644 --- a/bundle/pom.xml +++ b/bundle/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.3-SNAPSHOT + 2.28.3 bundle jar diff --git a/codegen-lite-maven-plugin/pom.xml b/codegen-lite-maven-plugin/pom.xml index 796505764c55..f23500ded3a1 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.3-SNAPSHOT + 2.28.3 ../pom.xml codegen-lite-maven-plugin diff --git a/codegen-lite/pom.xml b/codegen-lite/pom.xml index 5bd7072b4146..f2e465049435 100644 --- a/codegen-lite/pom.xml +++ b/codegen-lite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.3-SNAPSHOT + 2.28.3 codegen-lite AWS Java SDK :: Code Generator Lite diff --git a/codegen-maven-plugin/pom.xml b/codegen-maven-plugin/pom.xml index 2a0f97f3e182..77fe6e556968 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.3-SNAPSHOT + 2.28.3 ../pom.xml codegen-maven-plugin diff --git a/codegen/pom.xml b/codegen/pom.xml index 82d317dd42dd..d0183e1e32c8 100644 --- a/codegen/pom.xml +++ b/codegen/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.3-SNAPSHOT + 2.28.3 codegen AWS Java SDK :: Code Generator diff --git a/core/annotations/pom.xml b/core/annotations/pom.xml index ee59d6061534..ffdc1f2866a9 100644 --- a/core/annotations/pom.xml +++ b/core/annotations/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.3-SNAPSHOT + 2.28.3 4.0.0 diff --git a/core/arns/pom.xml b/core/arns/pom.xml index b85eda9c78a5..9523dddcc31b 100644 --- a/core/arns/pom.xml +++ b/core/arns/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.3-SNAPSHOT + 2.28.3 4.0.0 diff --git a/core/auth-crt/pom.xml b/core/auth-crt/pom.xml index 396df1f592e1..6cebf74e1a7e 100644 --- a/core/auth-crt/pom.xml +++ b/core/auth-crt/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.3-SNAPSHOT + 2.28.3 auth-crt diff --git a/core/auth/pom.xml b/core/auth/pom.xml index 02ee1856c3b0..7622c84d9fb6 100644 --- a/core/auth/pom.xml +++ b/core/auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.3-SNAPSHOT + 2.28.3 auth diff --git a/core/aws-core/pom.xml b/core/aws-core/pom.xml index 903e3d130d1b..da3bc62b0104 100644 --- a/core/aws-core/pom.xml +++ b/core/aws-core/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.3-SNAPSHOT + 2.28.3 aws-core diff --git a/core/checksums-spi/pom.xml b/core/checksums-spi/pom.xml index 80e719316cca..3f51d9def150 100644 --- a/core/checksums-spi/pom.xml +++ b/core/checksums-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.3-SNAPSHOT + 2.28.3 checksums-spi diff --git a/core/checksums/pom.xml b/core/checksums/pom.xml index ec68164df342..c1dbd5e4afd7 100644 --- a/core/checksums/pom.xml +++ b/core/checksums/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.3-SNAPSHOT + 2.28.3 checksums diff --git a/core/crt-core/pom.xml b/core/crt-core/pom.xml index a3b65e45cd57..3bbadffcb9db 100644 --- a/core/crt-core/pom.xml +++ b/core/crt-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.28.3-SNAPSHOT + 2.28.3 crt-core diff --git a/core/endpoints-spi/pom.xml b/core/endpoints-spi/pom.xml index 6f475509b96c..b13807afd63e 100644 --- a/core/endpoints-spi/pom.xml +++ b/core/endpoints-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.3-SNAPSHOT + 2.28.3 4.0.0 diff --git a/core/http-auth-aws-crt/pom.xml b/core/http-auth-aws-crt/pom.xml index 5c2e4b4798a3..edc5c8c2f9ce 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.3-SNAPSHOT + 2.28.3 http-auth-aws-crt diff --git a/core/http-auth-aws-eventstream/pom.xml b/core/http-auth-aws-eventstream/pom.xml index d984d17eb233..4aedb9515001 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.3-SNAPSHOT + 2.28.3 http-auth-aws-eventstream diff --git a/core/http-auth-aws/pom.xml b/core/http-auth-aws/pom.xml index 7f571d46a684..0046da8b6239 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.3-SNAPSHOT + 2.28.3 http-auth-aws diff --git a/core/http-auth-spi/pom.xml b/core/http-auth-spi/pom.xml index f57e85d48c3e..b98d796b1375 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.3-SNAPSHOT + 2.28.3 http-auth-spi diff --git a/core/http-auth/pom.xml b/core/http-auth/pom.xml index c9d1cd2d8339..55a02de96b05 100644 --- a/core/http-auth/pom.xml +++ b/core/http-auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.3-SNAPSHOT + 2.28.3 http-auth diff --git a/core/identity-spi/pom.xml b/core/identity-spi/pom.xml index 83dfbb305b7b..f2cbdbbed616 100644 --- a/core/identity-spi/pom.xml +++ b/core/identity-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.3-SNAPSHOT + 2.28.3 identity-spi diff --git a/core/imds/pom.xml b/core/imds/pom.xml index f03fcdfc6358..58f5fd07c7b7 100644 --- a/core/imds/pom.xml +++ b/core/imds/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.3-SNAPSHOT + 2.28.3 4.0.0 imds diff --git a/core/json-utils/pom.xml b/core/json-utils/pom.xml index 4683b0cc8094..780c3d3ec44b 100644 --- a/core/json-utils/pom.xml +++ b/core/json-utils/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.3-SNAPSHOT + 2.28.3 4.0.0 diff --git a/core/metrics-spi/pom.xml b/core/metrics-spi/pom.xml index e14cb186f7ae..eb431b2cdc10 100644 --- a/core/metrics-spi/pom.xml +++ b/core/metrics-spi/pom.xml @@ -5,7 +5,7 @@ core software.amazon.awssdk - 2.28.3-SNAPSHOT + 2.28.3 4.0.0 diff --git a/core/pom.xml b/core/pom.xml index a9ad45306cee..f9ba2733ac76 100644 --- a/core/pom.xml +++ b/core/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.3-SNAPSHOT + 2.28.3 core diff --git a/core/profiles/pom.xml b/core/profiles/pom.xml index 69ca25639a83..0ddd016667db 100644 --- a/core/profiles/pom.xml +++ b/core/profiles/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.3-SNAPSHOT + 2.28.3 profiles diff --git a/core/protocols/aws-cbor-protocol/pom.xml b/core/protocols/aws-cbor-protocol/pom.xml index 9b4d198a3762..5b3348a3c256 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.3-SNAPSHOT + 2.28.3 4.0.0 diff --git a/core/protocols/aws-json-protocol/pom.xml b/core/protocols/aws-json-protocol/pom.xml index 0744f1fab197..9accb93bc961 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.3-SNAPSHOT + 2.28.3 4.0.0 diff --git a/core/protocols/aws-query-protocol/pom.xml b/core/protocols/aws-query-protocol/pom.xml index 9a84b88cabe0..49148c5ff168 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.3-SNAPSHOT + 2.28.3 4.0.0 diff --git a/core/protocols/aws-xml-protocol/pom.xml b/core/protocols/aws-xml-protocol/pom.xml index 91f4d25cba28..b5b0323bf787 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.3-SNAPSHOT + 2.28.3 4.0.0 diff --git a/core/protocols/pom.xml b/core/protocols/pom.xml index f29813eef894..3634f0056db6 100644 --- a/core/protocols/pom.xml +++ b/core/protocols/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.3-SNAPSHOT + 2.28.3 4.0.0 diff --git a/core/protocols/protocol-core/pom.xml b/core/protocols/protocol-core/pom.xml index 70f3681f9148..6c3e7e0d3c62 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.3-SNAPSHOT + 2.28.3 4.0.0 diff --git a/core/regions/pom.xml b/core/regions/pom.xml index 57907e38321f..d027d260c4dd 100644 --- a/core/regions/pom.xml +++ b/core/regions/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.3-SNAPSHOT + 2.28.3 regions diff --git a/core/retries-spi/pom.xml b/core/retries-spi/pom.xml index 42f7eea9ccee..28b02f32fb73 100644 --- a/core/retries-spi/pom.xml +++ b/core/retries-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.3-SNAPSHOT + 2.28.3 4.0.0 diff --git a/core/retries/pom.xml b/core/retries/pom.xml index c11245e1fba2..425ceb609018 100644 --- a/core/retries/pom.xml +++ b/core/retries/pom.xml @@ -21,7 +21,7 @@ core software.amazon.awssdk - 2.28.3-SNAPSHOT + 2.28.3 4.0.0 diff --git a/core/sdk-core/pom.xml b/core/sdk-core/pom.xml index dcd521a0a1a2..643a253c7b6b 100644 --- a/core/sdk-core/pom.xml +++ b/core/sdk-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.28.3-SNAPSHOT + 2.28.3 sdk-core AWS Java SDK :: SDK Core diff --git a/http-client-spi/pom.xml b/http-client-spi/pom.xml index 41693cc98da5..4326d312f637 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.3-SNAPSHOT + 2.28.3 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 b97f0c0cba9e..4f5c222da5c3 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.3-SNAPSHOT + 2.28.3 apache-client diff --git a/http-clients/aws-crt-client/pom.xml b/http-clients/aws-crt-client/pom.xml index f935c1bf48e1..c27e3715ec8a 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.3-SNAPSHOT + 2.28.3 4.0.0 diff --git a/http-clients/netty-nio-client/pom.xml b/http-clients/netty-nio-client/pom.xml index 4a722c8889b4..1edc6aa671cc 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.3-SNAPSHOT + 2.28.3 4.0.0 diff --git a/http-clients/pom.xml b/http-clients/pom.xml index 9cf9e344e955..71e5426affe6 100644 --- a/http-clients/pom.xml +++ b/http-clients/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.3-SNAPSHOT + 2.28.3 4.0.0 diff --git a/http-clients/url-connection-client/pom.xml b/http-clients/url-connection-client/pom.xml index f79555929634..5f6e11fd1b68 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.3-SNAPSHOT + 2.28.3 4.0.0 diff --git a/metric-publishers/cloudwatch-metric-publisher/pom.xml b/metric-publishers/cloudwatch-metric-publisher/pom.xml index 7faab316baca..ad4da0a6d464 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.3-SNAPSHOT + 2.28.3 cloudwatch-metric-publisher diff --git a/metric-publishers/pom.xml b/metric-publishers/pom.xml index b0110f79cf96..cfb463b052ae 100644 --- a/metric-publishers/pom.xml +++ b/metric-publishers/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.3-SNAPSHOT + 2.28.3 metric-publishers diff --git a/pom.xml b/pom.xml index 4d8f6b50e6a9..a94299a870fa 100644 --- a/pom.xml +++ b/pom.xml @@ -20,7 +20,7 @@ 4.0.0 software.amazon.awssdk aws-sdk-java-pom - 2.28.3-SNAPSHOT + 2.28.3 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 004b6cf974cc..4c1b5c459e14 100644 --- a/release-scripts/pom.xml +++ b/release-scripts/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.3-SNAPSHOT + 2.28.3 ../pom.xml release-scripts diff --git a/services-custom/dynamodb-enhanced/pom.xml b/services-custom/dynamodb-enhanced/pom.xml index 8bfe729cd766..7689528f5f94 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.3-SNAPSHOT + 2.28.3 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 74954ca8f88a..c2c9fb1158a7 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.3-SNAPSHOT + 2.28.3 ../../pom.xml iam-policy-builder diff --git a/services-custom/pom.xml b/services-custom/pom.xml index 98ea8e55affd..f1da7b1fc39a 100644 --- a/services-custom/pom.xml +++ b/services-custom/pom.xml @@ -19,7 +19,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.3-SNAPSHOT + 2.28.3 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 b2a14620f4f7..0a0e092478b8 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.3-SNAPSHOT + 2.28.3 ../../pom.xml s3-event-notifications diff --git a/services-custom/s3-transfer-manager/pom.xml b/services-custom/s3-transfer-manager/pom.xml index e527f1d9bf98..4bacbff605f3 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.3-SNAPSHOT + 2.28.3 ../../pom.xml s3-transfer-manager diff --git a/services/accessanalyzer/pom.xml b/services/accessanalyzer/pom.xml index ce609581ddb4..ddc7e53f44c6 100644 --- a/services/accessanalyzer/pom.xml +++ b/services/accessanalyzer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 accessanalyzer AWS Java SDK :: Services :: AccessAnalyzer diff --git a/services/account/pom.xml b/services/account/pom.xml index b511ef3e4eec..77fae553e3d4 100644 --- a/services/account/pom.xml +++ b/services/account/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 account AWS Java SDK :: Services :: Account diff --git a/services/acm/pom.xml b/services/acm/pom.xml index 106405f99c31..4f6ee8fae2a0 100644 --- a/services/acm/pom.xml +++ b/services/acm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 acm AWS Java SDK :: Services :: AWS Certificate Manager diff --git a/services/acmpca/pom.xml b/services/acmpca/pom.xml index 2c478159dd43..08b35f44ea7c 100644 --- a/services/acmpca/pom.xml +++ b/services/acmpca/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 acmpca AWS Java SDK :: Services :: ACM PCA diff --git a/services/amp/pom.xml b/services/amp/pom.xml index eeed6a49b66f..200839b60132 100644 --- a/services/amp/pom.xml +++ b/services/amp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 amp AWS Java SDK :: Services :: Amp diff --git a/services/amplify/pom.xml b/services/amplify/pom.xml index 1079f7b85a7c..55544651cdda 100644 --- a/services/amplify/pom.xml +++ b/services/amplify/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 amplify AWS Java SDK :: Services :: Amplify diff --git a/services/amplifybackend/pom.xml b/services/amplifybackend/pom.xml index 955189b067b3..d7e2cbd1bed4 100644 --- a/services/amplifybackend/pom.xml +++ b/services/amplifybackend/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 amplifybackend AWS Java SDK :: Services :: Amplify Backend diff --git a/services/amplifyuibuilder/pom.xml b/services/amplifyuibuilder/pom.xml index 154f85edafc5..dd1e66f71783 100644 --- a/services/amplifyuibuilder/pom.xml +++ b/services/amplifyuibuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 amplifyuibuilder AWS Java SDK :: Services :: Amplify UI Builder diff --git a/services/apigateway/pom.xml b/services/apigateway/pom.xml index e7fb2aa79729..b5e58767427e 100644 --- a/services/apigateway/pom.xml +++ b/services/apigateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 apigateway AWS Java SDK :: Services :: Amazon API Gateway diff --git a/services/apigatewaymanagementapi/pom.xml b/services/apigatewaymanagementapi/pom.xml index 6596a046e964..e861a007eccc 100644 --- a/services/apigatewaymanagementapi/pom.xml +++ b/services/apigatewaymanagementapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 apigatewaymanagementapi AWS Java SDK :: Services :: ApiGatewayManagementApi diff --git a/services/apigatewayv2/pom.xml b/services/apigatewayv2/pom.xml index 16e54d8a8cad..fc16fe6da0b2 100644 --- a/services/apigatewayv2/pom.xml +++ b/services/apigatewayv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 apigatewayv2 AWS Java SDK :: Services :: ApiGatewayV2 diff --git a/services/appconfig/pom.xml b/services/appconfig/pom.xml index 586edec23fdd..7768d85095c2 100644 --- a/services/appconfig/pom.xml +++ b/services/appconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 appconfig AWS Java SDK :: Services :: AppConfig diff --git a/services/appconfigdata/pom.xml b/services/appconfigdata/pom.xml index 6aee929ee2db..fc96c321c6e2 100644 --- a/services/appconfigdata/pom.xml +++ b/services/appconfigdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 appconfigdata AWS Java SDK :: Services :: App Config Data diff --git a/services/appfabric/pom.xml b/services/appfabric/pom.xml index 76cef68d5e90..d8166ddc715e 100644 --- a/services/appfabric/pom.xml +++ b/services/appfabric/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 appfabric AWS Java SDK :: Services :: App Fabric diff --git a/services/appflow/pom.xml b/services/appflow/pom.xml index 3f1b67309de9..719cbcf5c656 100644 --- a/services/appflow/pom.xml +++ b/services/appflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 appflow AWS Java SDK :: Services :: Appflow diff --git a/services/appintegrations/pom.xml b/services/appintegrations/pom.xml index 97025156a9a5..f8f4e5096753 100644 --- a/services/appintegrations/pom.xml +++ b/services/appintegrations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 appintegrations AWS Java SDK :: Services :: App Integrations diff --git a/services/applicationautoscaling/pom.xml b/services/applicationautoscaling/pom.xml index b7bd3cd0b921..226c3e31b9e8 100644 --- a/services/applicationautoscaling/pom.xml +++ b/services/applicationautoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 applicationautoscaling AWS Java SDK :: Services :: AWS Application Auto Scaling diff --git a/services/applicationcostprofiler/pom.xml b/services/applicationcostprofiler/pom.xml index 8cc8178a3938..cbaed520b9dc 100644 --- a/services/applicationcostprofiler/pom.xml +++ b/services/applicationcostprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 applicationcostprofiler AWS Java SDK :: Services :: Application Cost Profiler diff --git a/services/applicationdiscovery/pom.xml b/services/applicationdiscovery/pom.xml index 8ecdc37d76d2..008c8e912cd7 100644 --- a/services/applicationdiscovery/pom.xml +++ b/services/applicationdiscovery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 applicationdiscovery AWS Java SDK :: Services :: AWS Application Discovery Service diff --git a/services/applicationinsights/pom.xml b/services/applicationinsights/pom.xml index 2769126a90ee..a58b508e602f 100644 --- a/services/applicationinsights/pom.xml +++ b/services/applicationinsights/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 applicationinsights AWS Java SDK :: Services :: Application Insights diff --git a/services/applicationsignals/pom.xml b/services/applicationsignals/pom.xml index 1d97c327e718..7a75d7f28900 100644 --- a/services/applicationsignals/pom.xml +++ b/services/applicationsignals/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 applicationsignals AWS Java SDK :: Services :: Application Signals diff --git a/services/appmesh/pom.xml b/services/appmesh/pom.xml index 4e1568c6f2dc..7f0c3139caea 100644 --- a/services/appmesh/pom.xml +++ b/services/appmesh/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 appmesh AWS Java SDK :: Services :: App Mesh diff --git a/services/apprunner/pom.xml b/services/apprunner/pom.xml index 8b38afe2dd35..bd76b7e810f2 100644 --- a/services/apprunner/pom.xml +++ b/services/apprunner/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 apprunner AWS Java SDK :: Services :: App Runner diff --git a/services/appstream/pom.xml b/services/appstream/pom.xml index 0957df5fc2f0..00e611b2c00c 100644 --- a/services/appstream/pom.xml +++ b/services/appstream/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 appstream AWS Java SDK :: Services :: Amazon AppStream diff --git a/services/appsync/pom.xml b/services/appsync/pom.xml index 9d975dd9b719..ba7cb78f8b02 100644 --- a/services/appsync/pom.xml +++ b/services/appsync/pom.xml @@ -21,7 +21,7 @@ services software.amazon.awssdk - 2.28.3-SNAPSHOT + 2.28.3 appsync diff --git a/services/apptest/pom.xml b/services/apptest/pom.xml index 37cf15c666ef..969739bdbe3c 100644 --- a/services/apptest/pom.xml +++ b/services/apptest/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 apptest AWS Java SDK :: Services :: App Test diff --git a/services/arczonalshift/pom.xml b/services/arczonalshift/pom.xml index 40ea4220b179..a97568b207bb 100644 --- a/services/arczonalshift/pom.xml +++ b/services/arczonalshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 arczonalshift AWS Java SDK :: Services :: ARC Zonal Shift diff --git a/services/artifact/pom.xml b/services/artifact/pom.xml index bf7f797801c0..4e1c8af11b81 100644 --- a/services/artifact/pom.xml +++ b/services/artifact/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 artifact AWS Java SDK :: Services :: Artifact diff --git a/services/athena/pom.xml b/services/athena/pom.xml index b39c27bb405b..12a408218f88 100644 --- a/services/athena/pom.xml +++ b/services/athena/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 athena AWS Java SDK :: Services :: Amazon Athena diff --git a/services/auditmanager/pom.xml b/services/auditmanager/pom.xml index 2227e1b8d076..e425f5a0a1e7 100644 --- a/services/auditmanager/pom.xml +++ b/services/auditmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 auditmanager AWS Java SDK :: Services :: Audit Manager diff --git a/services/autoscaling/pom.xml b/services/autoscaling/pom.xml index 8caa5ee0c6ed..846df1322938 100644 --- a/services/autoscaling/pom.xml +++ b/services/autoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 autoscaling AWS Java SDK :: Services :: Auto Scaling diff --git a/services/autoscalingplans/pom.xml b/services/autoscalingplans/pom.xml index 5b02b07ed618..a479e2e06eb4 100644 --- a/services/autoscalingplans/pom.xml +++ b/services/autoscalingplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 autoscalingplans AWS Java SDK :: Services :: Auto Scaling Plans diff --git a/services/b2bi/pom.xml b/services/b2bi/pom.xml index 6a64b4bbb72d..f2bf8fc3eb23 100644 --- a/services/b2bi/pom.xml +++ b/services/b2bi/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 b2bi AWS Java SDK :: Services :: B2 Bi diff --git a/services/backup/pom.xml b/services/backup/pom.xml index d0177cf39bf6..1c3d372d9285 100644 --- a/services/backup/pom.xml +++ b/services/backup/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 backup AWS Java SDK :: Services :: Backup diff --git a/services/backupgateway/pom.xml b/services/backupgateway/pom.xml index adb73f27d6c5..3fe89928f805 100644 --- a/services/backupgateway/pom.xml +++ b/services/backupgateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 backupgateway AWS Java SDK :: Services :: Backup Gateway diff --git a/services/batch/pom.xml b/services/batch/pom.xml index 4363ba800318..18e6cfc7f7de 100644 --- a/services/batch/pom.xml +++ b/services/batch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 batch AWS Java SDK :: Services :: AWS Batch diff --git a/services/bcmdataexports/pom.xml b/services/bcmdataexports/pom.xml index fe6ecb90e18b..6d2cc2671099 100644 --- a/services/bcmdataexports/pom.xml +++ b/services/bcmdataexports/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 bcmdataexports AWS Java SDK :: Services :: BCM Data Exports diff --git a/services/bedrock/pom.xml b/services/bedrock/pom.xml index 40c3bde2be4b..1befa3a77902 100644 --- a/services/bedrock/pom.xml +++ b/services/bedrock/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 bedrock AWS Java SDK :: Services :: Bedrock diff --git a/services/bedrockagent/pom.xml b/services/bedrockagent/pom.xml index 1d0485c90faf..28d612688744 100644 --- a/services/bedrockagent/pom.xml +++ b/services/bedrockagent/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 bedrockagent AWS Java SDK :: Services :: Bedrock Agent diff --git a/services/bedrockagentruntime/pom.xml b/services/bedrockagentruntime/pom.xml index 4df016e76f66..021e28d6ac03 100644 --- a/services/bedrockagentruntime/pom.xml +++ b/services/bedrockagentruntime/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 bedrockagentruntime AWS Java SDK :: Services :: Bedrock Agent Runtime diff --git a/services/bedrockruntime/pom.xml b/services/bedrockruntime/pom.xml index db636e61ec40..c6c2b850d8f0 100644 --- a/services/bedrockruntime/pom.xml +++ b/services/bedrockruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 bedrockruntime AWS Java SDK :: Services :: Bedrock Runtime diff --git a/services/billingconductor/pom.xml b/services/billingconductor/pom.xml index 0e50a4de84b0..c61a5b104478 100644 --- a/services/billingconductor/pom.xml +++ b/services/billingconductor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 billingconductor AWS Java SDK :: Services :: Billingconductor diff --git a/services/braket/pom.xml b/services/braket/pom.xml index 1e895b28d368..5f86e817af30 100644 --- a/services/braket/pom.xml +++ b/services/braket/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 braket AWS Java SDK :: Services :: Braket diff --git a/services/budgets/pom.xml b/services/budgets/pom.xml index 705826a6bbe4..fcbd983c77f3 100644 --- a/services/budgets/pom.xml +++ b/services/budgets/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 budgets AWS Java SDK :: Services :: AWS Budgets diff --git a/services/chatbot/pom.xml b/services/chatbot/pom.xml index 96ce7c68d03c..67f87c77d755 100644 --- a/services/chatbot/pom.xml +++ b/services/chatbot/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 chatbot AWS Java SDK :: Services :: Chatbot diff --git a/services/chime/pom.xml b/services/chime/pom.xml index 7f1bd1e164c8..d6c6b993626b 100644 --- a/services/chime/pom.xml +++ b/services/chime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 chime AWS Java SDK :: Services :: Chime diff --git a/services/chimesdkidentity/pom.xml b/services/chimesdkidentity/pom.xml index e348207b39a7..f57f38d87ba0 100644 --- a/services/chimesdkidentity/pom.xml +++ b/services/chimesdkidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 chimesdkidentity AWS Java SDK :: Services :: Chime SDK Identity diff --git a/services/chimesdkmediapipelines/pom.xml b/services/chimesdkmediapipelines/pom.xml index 3a8fd77b43a1..f75fa4acb9d6 100644 --- a/services/chimesdkmediapipelines/pom.xml +++ b/services/chimesdkmediapipelines/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 chimesdkmediapipelines AWS Java SDK :: Services :: Chime SDK Media Pipelines diff --git a/services/chimesdkmeetings/pom.xml b/services/chimesdkmeetings/pom.xml index 69c111eb8c7d..5809f288d9bc 100644 --- a/services/chimesdkmeetings/pom.xml +++ b/services/chimesdkmeetings/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 chimesdkmeetings AWS Java SDK :: Services :: Chime SDK Meetings diff --git a/services/chimesdkmessaging/pom.xml b/services/chimesdkmessaging/pom.xml index 284e02b68751..fb605089c671 100644 --- a/services/chimesdkmessaging/pom.xml +++ b/services/chimesdkmessaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 chimesdkmessaging AWS Java SDK :: Services :: Chime SDK Messaging diff --git a/services/chimesdkvoice/pom.xml b/services/chimesdkvoice/pom.xml index 7e4144268c2a..3637e7eec141 100644 --- a/services/chimesdkvoice/pom.xml +++ b/services/chimesdkvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 chimesdkvoice AWS Java SDK :: Services :: Chime SDK Voice diff --git a/services/cleanrooms/pom.xml b/services/cleanrooms/pom.xml index 84e448e856ce..3c39cab9cf30 100644 --- a/services/cleanrooms/pom.xml +++ b/services/cleanrooms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 cleanrooms AWS Java SDK :: Services :: Clean Rooms diff --git a/services/cleanroomsml/pom.xml b/services/cleanroomsml/pom.xml index 098ac57d69a2..0adcb63cc32d 100644 --- a/services/cleanroomsml/pom.xml +++ b/services/cleanroomsml/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 cleanroomsml AWS Java SDK :: Services :: Clean Rooms ML diff --git a/services/cloud9/pom.xml b/services/cloud9/pom.xml index 8d0697f5ac44..33d067543cbb 100644 --- a/services/cloud9/pom.xml +++ b/services/cloud9/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3-SNAPSHOT + 2.28.3 4.0.0 cloud9 diff --git a/services/cloudcontrol/pom.xml b/services/cloudcontrol/pom.xml index c3e4f87e57b9..87c8e33f58d2 100644 --- a/services/cloudcontrol/pom.xml +++ b/services/cloudcontrol/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 cloudcontrol AWS Java SDK :: Services :: Cloud Control diff --git a/services/clouddirectory/pom.xml b/services/clouddirectory/pom.xml index 5a44507ededd..aeb4cf4c9247 100644 --- a/services/clouddirectory/pom.xml +++ b/services/clouddirectory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 clouddirectory AWS Java SDK :: Services :: Amazon CloudDirectory diff --git a/services/cloudformation/pom.xml b/services/cloudformation/pom.xml index ed6ab7e9cd48..1ec632b01101 100644 --- a/services/cloudformation/pom.xml +++ b/services/cloudformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 cloudformation AWS Java SDK :: Services :: AWS CloudFormation diff --git a/services/cloudfront/pom.xml b/services/cloudfront/pom.xml index bb7a15661829..1f615a2406fc 100644 --- a/services/cloudfront/pom.xml +++ b/services/cloudfront/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 cloudfront AWS Java SDK :: Services :: Amazon CloudFront diff --git a/services/cloudfrontkeyvaluestore/pom.xml b/services/cloudfrontkeyvaluestore/pom.xml index cf4d22305362..8c7a0528544d 100644 --- a/services/cloudfrontkeyvaluestore/pom.xml +++ b/services/cloudfrontkeyvaluestore/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 cloudfrontkeyvaluestore AWS Java SDK :: Services :: Cloud Front Key Value Store diff --git a/services/cloudhsm/pom.xml b/services/cloudhsm/pom.xml index 905fb10763fa..97839bfdbeb3 100644 --- a/services/cloudhsm/pom.xml +++ b/services/cloudhsm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 cloudhsm AWS Java SDK :: Services :: AWS CloudHSM diff --git a/services/cloudhsmv2/pom.xml b/services/cloudhsmv2/pom.xml index faf6acd2abc9..26c5a36c2aba 100644 --- a/services/cloudhsmv2/pom.xml +++ b/services/cloudhsmv2/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3-SNAPSHOT + 2.28.3 4.0.0 cloudhsmv2 diff --git a/services/cloudsearch/pom.xml b/services/cloudsearch/pom.xml index ee5c93e69691..9a9d19123d6d 100644 --- a/services/cloudsearch/pom.xml +++ b/services/cloudsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 cloudsearch AWS Java SDK :: Services :: Amazon CloudSearch diff --git a/services/cloudsearchdomain/pom.xml b/services/cloudsearchdomain/pom.xml index 7c727a8d6918..c064760326b4 100644 --- a/services/cloudsearchdomain/pom.xml +++ b/services/cloudsearchdomain/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 cloudsearchdomain AWS Java SDK :: Services :: Amazon CloudSearch Domain diff --git a/services/cloudtrail/pom.xml b/services/cloudtrail/pom.xml index fa13e8fd8987..1fc288376aae 100644 --- a/services/cloudtrail/pom.xml +++ b/services/cloudtrail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 cloudtrail AWS Java SDK :: Services :: AWS CloudTrail diff --git a/services/cloudtraildata/pom.xml b/services/cloudtraildata/pom.xml index 973439402da8..22eb9672c3ea 100644 --- a/services/cloudtraildata/pom.xml +++ b/services/cloudtraildata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 cloudtraildata AWS Java SDK :: Services :: Cloud Trail Data diff --git a/services/cloudwatch/pom.xml b/services/cloudwatch/pom.xml index 02f868d35f37..96813fa20d0a 100644 --- a/services/cloudwatch/pom.xml +++ b/services/cloudwatch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 cloudwatch AWS Java SDK :: Services :: Amazon CloudWatch diff --git a/services/cloudwatchevents/pom.xml b/services/cloudwatchevents/pom.xml index 724d14b73ff6..a16e02beba19 100644 --- a/services/cloudwatchevents/pom.xml +++ b/services/cloudwatchevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 cloudwatchevents AWS Java SDK :: Services :: Amazon CloudWatch Events diff --git a/services/cloudwatchlogs/pom.xml b/services/cloudwatchlogs/pom.xml index 189e9e4e5c08..96259904f18c 100644 --- a/services/cloudwatchlogs/pom.xml +++ b/services/cloudwatchlogs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 cloudwatchlogs AWS Java SDK :: Services :: Amazon CloudWatch Logs diff --git a/services/codeartifact/pom.xml b/services/codeartifact/pom.xml index 1062757bad72..20886b4675cc 100644 --- a/services/codeartifact/pom.xml +++ b/services/codeartifact/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 codeartifact AWS Java SDK :: Services :: Codeartifact diff --git a/services/codebuild/pom.xml b/services/codebuild/pom.xml index 88d0e37cc086..a34cd53b7f49 100644 --- a/services/codebuild/pom.xml +++ b/services/codebuild/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 codebuild AWS Java SDK :: Services :: AWS Code Build diff --git a/services/codecatalyst/pom.xml b/services/codecatalyst/pom.xml index 06984569e85e..57575a2eb3c3 100644 --- a/services/codecatalyst/pom.xml +++ b/services/codecatalyst/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 codecatalyst AWS Java SDK :: Services :: Code Catalyst diff --git a/services/codecommit/pom.xml b/services/codecommit/pom.xml index e9ad6db9a6d6..530ef96d6fd1 100644 --- a/services/codecommit/pom.xml +++ b/services/codecommit/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 codecommit AWS Java SDK :: Services :: AWS CodeCommit diff --git a/services/codeconnections/pom.xml b/services/codeconnections/pom.xml index a9922be78405..8107ac0a1a23 100644 --- a/services/codeconnections/pom.xml +++ b/services/codeconnections/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 codeconnections AWS Java SDK :: Services :: Code Connections diff --git a/services/codedeploy/pom.xml b/services/codedeploy/pom.xml index a20d9f74f273..529e55b70e00 100644 --- a/services/codedeploy/pom.xml +++ b/services/codedeploy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 codedeploy AWS Java SDK :: Services :: AWS CodeDeploy diff --git a/services/codeguruprofiler/pom.xml b/services/codeguruprofiler/pom.xml index bab83a1e0b1d..27cec615cc85 100644 --- a/services/codeguruprofiler/pom.xml +++ b/services/codeguruprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 codeguruprofiler AWS Java SDK :: Services :: CodeGuruProfiler diff --git a/services/codegurureviewer/pom.xml b/services/codegurureviewer/pom.xml index e0cde6d7ce28..7d3332209c7c 100644 --- a/services/codegurureviewer/pom.xml +++ b/services/codegurureviewer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 codegurureviewer AWS Java SDK :: Services :: CodeGuru Reviewer diff --git a/services/codegurusecurity/pom.xml b/services/codegurusecurity/pom.xml index 5e5a02d80043..c7ab500be59b 100644 --- a/services/codegurusecurity/pom.xml +++ b/services/codegurusecurity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 codegurusecurity AWS Java SDK :: Services :: Code Guru Security diff --git a/services/codepipeline/pom.xml b/services/codepipeline/pom.xml index 56e06970dc8d..2318e7815f49 100644 --- a/services/codepipeline/pom.xml +++ b/services/codepipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 codepipeline AWS Java SDK :: Services :: AWS CodePipeline diff --git a/services/codestarconnections/pom.xml b/services/codestarconnections/pom.xml index fce05446d075..2d1222a6b288 100644 --- a/services/codestarconnections/pom.xml +++ b/services/codestarconnections/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 codestarconnections AWS Java SDK :: Services :: CodeStar connections diff --git a/services/codestarnotifications/pom.xml b/services/codestarnotifications/pom.xml index 102478cb59f5..14acd234ac17 100644 --- a/services/codestarnotifications/pom.xml +++ b/services/codestarnotifications/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 codestarnotifications AWS Java SDK :: Services :: Codestar Notifications diff --git a/services/cognitoidentity/pom.xml b/services/cognitoidentity/pom.xml index 6d34488c082e..a39733b0ce9b 100644 --- a/services/cognitoidentity/pom.xml +++ b/services/cognitoidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 cognitoidentity AWS Java SDK :: Services :: Amazon Cognito Identity diff --git a/services/cognitoidentityprovider/pom.xml b/services/cognitoidentityprovider/pom.xml index 23556823f374..865fbda65bdf 100644 --- a/services/cognitoidentityprovider/pom.xml +++ b/services/cognitoidentityprovider/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 cognitoidentityprovider AWS Java SDK :: Services :: Amazon Cognito Identity Provider Service diff --git a/services/cognitosync/pom.xml b/services/cognitosync/pom.xml index 425656031b50..fb71270fad27 100644 --- a/services/cognitosync/pom.xml +++ b/services/cognitosync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 cognitosync AWS Java SDK :: Services :: Amazon Cognito Sync diff --git a/services/comprehend/pom.xml b/services/comprehend/pom.xml index 391a5b6e0ab8..38fb8149e8cc 100644 --- a/services/comprehend/pom.xml +++ b/services/comprehend/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3-SNAPSHOT + 2.28.3 4.0.0 comprehend diff --git a/services/comprehendmedical/pom.xml b/services/comprehendmedical/pom.xml index 71004943d0e8..3df80e9c99d2 100644 --- a/services/comprehendmedical/pom.xml +++ b/services/comprehendmedical/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 comprehendmedical AWS Java SDK :: Services :: ComprehendMedical diff --git a/services/computeoptimizer/pom.xml b/services/computeoptimizer/pom.xml index 0f9240425f2b..af9c8ffe8340 100644 --- a/services/computeoptimizer/pom.xml +++ b/services/computeoptimizer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 computeoptimizer AWS Java SDK :: Services :: Compute Optimizer diff --git a/services/config/pom.xml b/services/config/pom.xml index 7baeb5253ee1..88ecea46d265 100644 --- a/services/config/pom.xml +++ b/services/config/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 config AWS Java SDK :: Services :: AWS Config diff --git a/services/connect/pom.xml b/services/connect/pom.xml index 94663c9bd8bd..4dc9a4160c4a 100644 --- a/services/connect/pom.xml +++ b/services/connect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 connect AWS Java SDK :: Services :: Connect diff --git a/services/connectcampaigns/pom.xml b/services/connectcampaigns/pom.xml index 0c4077bf46d4..1bea33d2c356 100644 --- a/services/connectcampaigns/pom.xml +++ b/services/connectcampaigns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 connectcampaigns AWS Java SDK :: Services :: Connect Campaigns diff --git a/services/connectcases/pom.xml b/services/connectcases/pom.xml index 3cd7c1c3176b..7925ebb025b1 100644 --- a/services/connectcases/pom.xml +++ b/services/connectcases/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 connectcases AWS Java SDK :: Services :: Connect Cases diff --git a/services/connectcontactlens/pom.xml b/services/connectcontactlens/pom.xml index 0a56e80cafc2..db463815ddcd 100644 --- a/services/connectcontactlens/pom.xml +++ b/services/connectcontactlens/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 connectcontactlens AWS Java SDK :: Services :: Connect Contact Lens diff --git a/services/connectparticipant/pom.xml b/services/connectparticipant/pom.xml index 7265b44fa9e1..16603d662ee5 100644 --- a/services/connectparticipant/pom.xml +++ b/services/connectparticipant/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 connectparticipant AWS Java SDK :: Services :: ConnectParticipant diff --git a/services/controlcatalog/pom.xml b/services/controlcatalog/pom.xml index 1e3d7cc23ce2..e510dfe0725f 100644 --- a/services/controlcatalog/pom.xml +++ b/services/controlcatalog/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 controlcatalog AWS Java SDK :: Services :: Control Catalog diff --git a/services/controltower/pom.xml b/services/controltower/pom.xml index 497fca8433fd..b4976ea789f4 100644 --- a/services/controltower/pom.xml +++ b/services/controltower/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 controltower AWS Java SDK :: Services :: Control Tower diff --git a/services/costandusagereport/pom.xml b/services/costandusagereport/pom.xml index 8d4c168c2e3f..521a83d7481c 100644 --- a/services/costandusagereport/pom.xml +++ b/services/costandusagereport/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 costandusagereport AWS Java SDK :: Services :: AWS Cost and Usage Report diff --git a/services/costexplorer/pom.xml b/services/costexplorer/pom.xml index cfb43576e256..8ed23a6396e1 100644 --- a/services/costexplorer/pom.xml +++ b/services/costexplorer/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3-SNAPSHOT + 2.28.3 4.0.0 costexplorer diff --git a/services/costoptimizationhub/pom.xml b/services/costoptimizationhub/pom.xml index 4feeb89ccd6c..316abf36c6b5 100644 --- a/services/costoptimizationhub/pom.xml +++ b/services/costoptimizationhub/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 costoptimizationhub AWS Java SDK :: Services :: Cost Optimization Hub diff --git a/services/customerprofiles/pom.xml b/services/customerprofiles/pom.xml index c508ca0754b4..6e412912e2e2 100644 --- a/services/customerprofiles/pom.xml +++ b/services/customerprofiles/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 customerprofiles AWS Java SDK :: Services :: Customer Profiles diff --git a/services/databasemigration/pom.xml b/services/databasemigration/pom.xml index 31a5accd720c..d0082565b739 100644 --- a/services/databasemigration/pom.xml +++ b/services/databasemigration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 databasemigration AWS Java SDK :: Services :: AWS Database Migration Service diff --git a/services/databrew/pom.xml b/services/databrew/pom.xml index 85f54a851cdd..2e61ed3da00c 100644 --- a/services/databrew/pom.xml +++ b/services/databrew/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 databrew AWS Java SDK :: Services :: Data Brew diff --git a/services/dataexchange/pom.xml b/services/dataexchange/pom.xml index 4e7fcbd586b5..1cdf8c2978cc 100644 --- a/services/dataexchange/pom.xml +++ b/services/dataexchange/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 dataexchange AWS Java SDK :: Services :: DataExchange diff --git a/services/datapipeline/pom.xml b/services/datapipeline/pom.xml index b207aec61c44..33d76b720c50 100644 --- a/services/datapipeline/pom.xml +++ b/services/datapipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 datapipeline AWS Java SDK :: Services :: AWS Data Pipeline diff --git a/services/datasync/pom.xml b/services/datasync/pom.xml index ac8fd37bba55..fe3028511d85 100644 --- a/services/datasync/pom.xml +++ b/services/datasync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 datasync AWS Java SDK :: Services :: DataSync diff --git a/services/datazone/pom.xml b/services/datazone/pom.xml index 38719d8063de..c336cea84477 100644 --- a/services/datazone/pom.xml +++ b/services/datazone/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 datazone AWS Java SDK :: Services :: Data Zone diff --git a/services/dax/pom.xml b/services/dax/pom.xml index bc78ba914d46..839f3f3f1dbc 100644 --- a/services/dax/pom.xml +++ b/services/dax/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 dax AWS Java SDK :: Services :: Amazon DynamoDB Accelerator (DAX) diff --git a/services/deadline/pom.xml b/services/deadline/pom.xml index 0fc909b5f0c4..54bde93e88e5 100644 --- a/services/deadline/pom.xml +++ b/services/deadline/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 deadline AWS Java SDK :: Services :: Deadline diff --git a/services/detective/pom.xml b/services/detective/pom.xml index 5ebb4a64edc9..98f7448a3afc 100644 --- a/services/detective/pom.xml +++ b/services/detective/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 detective AWS Java SDK :: Services :: Detective diff --git a/services/devicefarm/pom.xml b/services/devicefarm/pom.xml index 6e8a81198a0c..7549e40b1fa2 100644 --- a/services/devicefarm/pom.xml +++ b/services/devicefarm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 devicefarm AWS Java SDK :: Services :: AWS Device Farm diff --git a/services/devopsguru/pom.xml b/services/devopsguru/pom.xml index 6a5193f9e3bb..fad8fdb5fa31 100644 --- a/services/devopsguru/pom.xml +++ b/services/devopsguru/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 devopsguru AWS Java SDK :: Services :: Dev Ops Guru diff --git a/services/directconnect/pom.xml b/services/directconnect/pom.xml index 9f8ccbf4bd18..03c1acbbebe9 100644 --- a/services/directconnect/pom.xml +++ b/services/directconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 directconnect AWS Java SDK :: Services :: AWS Direct Connect diff --git a/services/directory/pom.xml b/services/directory/pom.xml index a025eef5e60f..8aa1b5df8bd0 100644 --- a/services/directory/pom.xml +++ b/services/directory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 directory AWS Java SDK :: Services :: AWS Directory Service diff --git a/services/dlm/pom.xml b/services/dlm/pom.xml index 202c57da49b7..8369754038dc 100644 --- a/services/dlm/pom.xml +++ b/services/dlm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 dlm AWS Java SDK :: Services :: DLM diff --git a/services/docdb/pom.xml b/services/docdb/pom.xml index f66d31a569ba..ab72972203dd 100644 --- a/services/docdb/pom.xml +++ b/services/docdb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 docdb AWS Java SDK :: Services :: DocDB diff --git a/services/docdbelastic/pom.xml b/services/docdbelastic/pom.xml index 9b3dc73a6017..dcdbe14b6a20 100644 --- a/services/docdbelastic/pom.xml +++ b/services/docdbelastic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 docdbelastic AWS Java SDK :: Services :: Doc DB Elastic diff --git a/services/drs/pom.xml b/services/drs/pom.xml index fc13f0a4a87c..c0e6584b6668 100644 --- a/services/drs/pom.xml +++ b/services/drs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 drs AWS Java SDK :: Services :: Drs diff --git a/services/dynamodb/pom.xml b/services/dynamodb/pom.xml index 8b834a61b59b..e31a6c9eb5ee 100644 --- a/services/dynamodb/pom.xml +++ b/services/dynamodb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 dynamodb AWS Java SDK :: Services :: Amazon DynamoDB diff --git a/services/ebs/pom.xml b/services/ebs/pom.xml index 09dc3af0472e..e3b2a5d788a4 100644 --- a/services/ebs/pom.xml +++ b/services/ebs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 ebs AWS Java SDK :: Services :: EBS diff --git a/services/ec2/pom.xml b/services/ec2/pom.xml index 3dc0d2de4ad6..f732d014a92e 100644 --- a/services/ec2/pom.xml +++ b/services/ec2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 ec2 AWS Java SDK :: Services :: Amazon EC2 diff --git a/services/ec2instanceconnect/pom.xml b/services/ec2instanceconnect/pom.xml index 07e862773280..c11954bca81b 100644 --- a/services/ec2instanceconnect/pom.xml +++ b/services/ec2instanceconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 ec2instanceconnect AWS Java SDK :: Services :: EC2 Instance Connect diff --git a/services/ecr/pom.xml b/services/ecr/pom.xml index 134966e2265b..7db1734fdd47 100644 --- a/services/ecr/pom.xml +++ b/services/ecr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 ecr AWS Java SDK :: Services :: Amazon EC2 Container Registry diff --git a/services/ecrpublic/pom.xml b/services/ecrpublic/pom.xml index 958317c2fefa..1a8c774a6150 100644 --- a/services/ecrpublic/pom.xml +++ b/services/ecrpublic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 ecrpublic AWS Java SDK :: Services :: ECR PUBLIC diff --git a/services/ecs/pom.xml b/services/ecs/pom.xml index e444b7e3e7a6..5cc142e2dc50 100644 --- a/services/ecs/pom.xml +++ b/services/ecs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 ecs AWS Java SDK :: Services :: Amazon EC2 Container Service diff --git a/services/efs/pom.xml b/services/efs/pom.xml index d7ffdd9370b9..adc7ddb628dc 100644 --- a/services/efs/pom.xml +++ b/services/efs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 efs AWS Java SDK :: Services :: Amazon Elastic File System diff --git a/services/eks/pom.xml b/services/eks/pom.xml index c3393564d659..8bacdee92a55 100644 --- a/services/eks/pom.xml +++ b/services/eks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 eks AWS Java SDK :: Services :: EKS diff --git a/services/eksauth/pom.xml b/services/eksauth/pom.xml index 22b5f96c24c9..17bf567f5003 100644 --- a/services/eksauth/pom.xml +++ b/services/eksauth/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 eksauth AWS Java SDK :: Services :: EKS Auth diff --git a/services/elasticache/pom.xml b/services/elasticache/pom.xml index d0ac7fbf568d..60fda00acb1d 100644 --- a/services/elasticache/pom.xml +++ b/services/elasticache/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 elasticache AWS Java SDK :: Services :: Amazon ElastiCache diff --git a/services/elasticbeanstalk/pom.xml b/services/elasticbeanstalk/pom.xml index aaf69c7431e7..dcbdff746e69 100644 --- a/services/elasticbeanstalk/pom.xml +++ b/services/elasticbeanstalk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 elasticbeanstalk AWS Java SDK :: Services :: AWS Elastic Beanstalk diff --git a/services/elasticinference/pom.xml b/services/elasticinference/pom.xml index 6d6efc25529a..2aa2049ef106 100644 --- a/services/elasticinference/pom.xml +++ b/services/elasticinference/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 elasticinference AWS Java SDK :: Services :: Elastic Inference diff --git a/services/elasticloadbalancing/pom.xml b/services/elasticloadbalancing/pom.xml index 7d89fc7ba8b5..517bed80d911 100644 --- a/services/elasticloadbalancing/pom.xml +++ b/services/elasticloadbalancing/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 elasticloadbalancing AWS Java SDK :: Services :: Elastic Load Balancing diff --git a/services/elasticloadbalancingv2/pom.xml b/services/elasticloadbalancingv2/pom.xml index f70e32e12cb7..db2edc113a05 100644 --- a/services/elasticloadbalancingv2/pom.xml +++ b/services/elasticloadbalancingv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 elasticloadbalancingv2 AWS Java SDK :: Services :: Elastic Load Balancing V2 diff --git a/services/elasticsearch/pom.xml b/services/elasticsearch/pom.xml index 5667d203ef83..edb6aab4ad40 100644 --- a/services/elasticsearch/pom.xml +++ b/services/elasticsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 elasticsearch AWS Java SDK :: Services :: Amazon Elasticsearch Service diff --git a/services/elastictranscoder/pom.xml b/services/elastictranscoder/pom.xml index e7033e0797e6..89a9c9e9cd29 100644 --- a/services/elastictranscoder/pom.xml +++ b/services/elastictranscoder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 elastictranscoder AWS Java SDK :: Services :: Amazon Elastic Transcoder diff --git a/services/emr/pom.xml b/services/emr/pom.xml index de36afea0e69..8a0b29e48284 100644 --- a/services/emr/pom.xml +++ b/services/emr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 emr AWS Java SDK :: Services :: Amazon EMR diff --git a/services/emrcontainers/pom.xml b/services/emrcontainers/pom.xml index dd27187124f4..016c80edfeac 100644 --- a/services/emrcontainers/pom.xml +++ b/services/emrcontainers/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 emrcontainers AWS Java SDK :: Services :: EMR Containers diff --git a/services/emrserverless/pom.xml b/services/emrserverless/pom.xml index bb0926f6733b..53d9ff5843af 100644 --- a/services/emrserverless/pom.xml +++ b/services/emrserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 emrserverless AWS Java SDK :: Services :: EMR Serverless diff --git a/services/entityresolution/pom.xml b/services/entityresolution/pom.xml index 72c6b736870e..0d72e767f202 100644 --- a/services/entityresolution/pom.xml +++ b/services/entityresolution/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 entityresolution AWS Java SDK :: Services :: Entity Resolution diff --git a/services/eventbridge/pom.xml b/services/eventbridge/pom.xml index fd29dc65c729..96a93c5f0f3a 100644 --- a/services/eventbridge/pom.xml +++ b/services/eventbridge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 eventbridge AWS Java SDK :: Services :: EventBridge diff --git a/services/evidently/pom.xml b/services/evidently/pom.xml index 3da742d31b79..0fe45f735ded 100644 --- a/services/evidently/pom.xml +++ b/services/evidently/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 evidently AWS Java SDK :: Services :: Evidently diff --git a/services/finspace/pom.xml b/services/finspace/pom.xml index 33298edee759..d786ff3acdcd 100644 --- a/services/finspace/pom.xml +++ b/services/finspace/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 finspace AWS Java SDK :: Services :: Finspace diff --git a/services/finspacedata/pom.xml b/services/finspacedata/pom.xml index 9e8a2bdd73f9..0524215fe3e9 100644 --- a/services/finspacedata/pom.xml +++ b/services/finspacedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 finspacedata AWS Java SDK :: Services :: Finspace Data diff --git a/services/firehose/pom.xml b/services/firehose/pom.xml index 030c7316e998..2b700c837aeb 100644 --- a/services/firehose/pom.xml +++ b/services/firehose/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 firehose AWS Java SDK :: Services :: Amazon Kinesis Firehose diff --git a/services/fis/pom.xml b/services/fis/pom.xml index 1376ed04bc88..ce636dff72f4 100644 --- a/services/fis/pom.xml +++ b/services/fis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 fis AWS Java SDK :: Services :: Fis diff --git a/services/fms/pom.xml b/services/fms/pom.xml index cdae179b2600..d9efebfc2362 100644 --- a/services/fms/pom.xml +++ b/services/fms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 fms AWS Java SDK :: Services :: FMS diff --git a/services/forecast/pom.xml b/services/forecast/pom.xml index cb9838e10f67..4385f35e2e24 100644 --- a/services/forecast/pom.xml +++ b/services/forecast/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 forecast AWS Java SDK :: Services :: Forecast diff --git a/services/forecastquery/pom.xml b/services/forecastquery/pom.xml index a5ee1daa000b..e49693d18a25 100644 --- a/services/forecastquery/pom.xml +++ b/services/forecastquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 forecastquery AWS Java SDK :: Services :: Forecastquery diff --git a/services/frauddetector/pom.xml b/services/frauddetector/pom.xml index c45c968db873..8320f8e89da7 100644 --- a/services/frauddetector/pom.xml +++ b/services/frauddetector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 frauddetector AWS Java SDK :: Services :: FraudDetector diff --git a/services/freetier/pom.xml b/services/freetier/pom.xml index c759c7c2930a..32d21230f394 100644 --- a/services/freetier/pom.xml +++ b/services/freetier/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 freetier AWS Java SDK :: Services :: Free Tier diff --git a/services/fsx/pom.xml b/services/fsx/pom.xml index 6051bf85d8de..70b1fb9cca19 100644 --- a/services/fsx/pom.xml +++ b/services/fsx/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 fsx AWS Java SDK :: Services :: FSx diff --git a/services/gamelift/pom.xml b/services/gamelift/pom.xml index 016e92183181..bbe716301485 100644 --- a/services/gamelift/pom.xml +++ b/services/gamelift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 gamelift AWS Java SDK :: Services :: AWS GameLift diff --git a/services/glacier/pom.xml b/services/glacier/pom.xml index e18ce377c31a..d0a75bb9d96a 100644 --- a/services/glacier/pom.xml +++ b/services/glacier/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 glacier AWS Java SDK :: Services :: Amazon Glacier diff --git a/services/globalaccelerator/pom.xml b/services/globalaccelerator/pom.xml index 93730b49439a..00dbca9d2852 100644 --- a/services/globalaccelerator/pom.xml +++ b/services/globalaccelerator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 globalaccelerator AWS Java SDK :: Services :: Global Accelerator diff --git a/services/glue/pom.xml b/services/glue/pom.xml index 687f6b5666a3..e0c2bcffbce9 100644 --- a/services/glue/pom.xml +++ b/services/glue/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3-SNAPSHOT + 2.28.3 4.0.0 glue diff --git a/services/grafana/pom.xml b/services/grafana/pom.xml index 2b23bf6fba0f..18bc899bf383 100644 --- a/services/grafana/pom.xml +++ b/services/grafana/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 grafana AWS Java SDK :: Services :: Grafana diff --git a/services/greengrass/pom.xml b/services/greengrass/pom.xml index ebf19c2de508..7cdf9c03f203 100644 --- a/services/greengrass/pom.xml +++ b/services/greengrass/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 greengrass AWS Java SDK :: Services :: AWS Greengrass diff --git a/services/greengrassv2/pom.xml b/services/greengrassv2/pom.xml index 720af10556d6..d063d4833ab6 100644 --- a/services/greengrassv2/pom.xml +++ b/services/greengrassv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 greengrassv2 AWS Java SDK :: Services :: Greengrass V2 diff --git a/services/groundstation/pom.xml b/services/groundstation/pom.xml index 5f714ec7024a..c394b919c0a5 100644 --- a/services/groundstation/pom.xml +++ b/services/groundstation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 groundstation AWS Java SDK :: Services :: GroundStation diff --git a/services/guardduty/pom.xml b/services/guardduty/pom.xml index 346a20c87cbd..ad8a8a625709 100644 --- a/services/guardduty/pom.xml +++ b/services/guardduty/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3-SNAPSHOT + 2.28.3 4.0.0 guardduty diff --git a/services/health/pom.xml b/services/health/pom.xml index 71f082098bbe..f4869f21be8b 100644 --- a/services/health/pom.xml +++ b/services/health/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 health AWS Java SDK :: Services :: AWS Health APIs and Notifications diff --git a/services/healthlake/pom.xml b/services/healthlake/pom.xml index 0dac9194a215..177b1c47580a 100644 --- a/services/healthlake/pom.xml +++ b/services/healthlake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 healthlake AWS Java SDK :: Services :: Health Lake diff --git a/services/iam/pom.xml b/services/iam/pom.xml index 087dc4b1352b..031f7763cbad 100644 --- a/services/iam/pom.xml +++ b/services/iam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 iam AWS Java SDK :: Services :: AWS IAM diff --git a/services/identitystore/pom.xml b/services/identitystore/pom.xml index 30f141b0ddd3..513cf4411fe6 100644 --- a/services/identitystore/pom.xml +++ b/services/identitystore/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 identitystore AWS Java SDK :: Services :: Identitystore diff --git a/services/imagebuilder/pom.xml b/services/imagebuilder/pom.xml index c9121e9d122b..12f757b4d1c7 100644 --- a/services/imagebuilder/pom.xml +++ b/services/imagebuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 imagebuilder AWS Java SDK :: Services :: Imagebuilder diff --git a/services/inspector/pom.xml b/services/inspector/pom.xml index 15dd05dc1703..d817d3d135f3 100644 --- a/services/inspector/pom.xml +++ b/services/inspector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 inspector AWS Java SDK :: Services :: Amazon Inspector Service diff --git a/services/inspector2/pom.xml b/services/inspector2/pom.xml index 2f632e859312..1b1323e5217b 100644 --- a/services/inspector2/pom.xml +++ b/services/inspector2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 inspector2 AWS Java SDK :: Services :: Inspector2 diff --git a/services/inspectorscan/pom.xml b/services/inspectorscan/pom.xml index 6ddbacc8d169..f1856d994ea3 100644 --- a/services/inspectorscan/pom.xml +++ b/services/inspectorscan/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 inspectorscan AWS Java SDK :: Services :: Inspector Scan diff --git a/services/internetmonitor/pom.xml b/services/internetmonitor/pom.xml index 675a28ffe814..e0170c6640f4 100644 --- a/services/internetmonitor/pom.xml +++ b/services/internetmonitor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 internetmonitor AWS Java SDK :: Services :: Internet Monitor diff --git a/services/iot/pom.xml b/services/iot/pom.xml index e6aa8ff209c9..ba26ee48d810 100644 --- a/services/iot/pom.xml +++ b/services/iot/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 iot AWS Java SDK :: Services :: AWS IoT diff --git a/services/iot1clickdevices/pom.xml b/services/iot1clickdevices/pom.xml index 924e009f7f8e..4c48114dea13 100644 --- a/services/iot1clickdevices/pom.xml +++ b/services/iot1clickdevices/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 iot1clickdevices AWS Java SDK :: Services :: IoT 1Click Devices Service diff --git a/services/iot1clickprojects/pom.xml b/services/iot1clickprojects/pom.xml index f5d43843513f..af25f206eb5a 100644 --- a/services/iot1clickprojects/pom.xml +++ b/services/iot1clickprojects/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 iot1clickprojects AWS Java SDK :: Services :: IoT 1Click Projects diff --git a/services/iotanalytics/pom.xml b/services/iotanalytics/pom.xml index e79b610fae73..ebf4d5b07337 100644 --- a/services/iotanalytics/pom.xml +++ b/services/iotanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 iotanalytics AWS Java SDK :: Services :: IoTAnalytics diff --git a/services/iotdataplane/pom.xml b/services/iotdataplane/pom.xml index 416e28494662..2ef2d5f5ac85 100644 --- a/services/iotdataplane/pom.xml +++ b/services/iotdataplane/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 iotdataplane AWS Java SDK :: Services :: AWS IoT Data Plane diff --git a/services/iotdeviceadvisor/pom.xml b/services/iotdeviceadvisor/pom.xml index f5c4f9ff3845..2fc027cefefa 100644 --- a/services/iotdeviceadvisor/pom.xml +++ b/services/iotdeviceadvisor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 iotdeviceadvisor AWS Java SDK :: Services :: Iot Device Advisor diff --git a/services/iotevents/pom.xml b/services/iotevents/pom.xml index a4a1ad5b7029..b4ce3e2224b9 100644 --- a/services/iotevents/pom.xml +++ b/services/iotevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 iotevents AWS Java SDK :: Services :: IoT Events diff --git a/services/ioteventsdata/pom.xml b/services/ioteventsdata/pom.xml index c3a643cf9a9f..6079cd04a08f 100644 --- a/services/ioteventsdata/pom.xml +++ b/services/ioteventsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 ioteventsdata AWS Java SDK :: Services :: IoT Events Data diff --git a/services/iotfleethub/pom.xml b/services/iotfleethub/pom.xml index ea801cc37518..5867309dc0b1 100644 --- a/services/iotfleethub/pom.xml +++ b/services/iotfleethub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 iotfleethub AWS Java SDK :: Services :: Io T Fleet Hub diff --git a/services/iotfleetwise/pom.xml b/services/iotfleetwise/pom.xml index 054b66623190..a5fb18026d45 100644 --- a/services/iotfleetwise/pom.xml +++ b/services/iotfleetwise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 iotfleetwise AWS Java SDK :: Services :: Io T Fleet Wise diff --git a/services/iotjobsdataplane/pom.xml b/services/iotjobsdataplane/pom.xml index c49dcfaac025..ce12aa1b440b 100644 --- a/services/iotjobsdataplane/pom.xml +++ b/services/iotjobsdataplane/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 iotjobsdataplane AWS Java SDK :: Services :: IoT Jobs Data Plane diff --git a/services/iotsecuretunneling/pom.xml b/services/iotsecuretunneling/pom.xml index 9c560e2f3e0f..c3e34be27827 100644 --- a/services/iotsecuretunneling/pom.xml +++ b/services/iotsecuretunneling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 iotsecuretunneling AWS Java SDK :: Services :: IoTSecureTunneling diff --git a/services/iotsitewise/pom.xml b/services/iotsitewise/pom.xml index 5716c06ca871..4f7ed0395c78 100644 --- a/services/iotsitewise/pom.xml +++ b/services/iotsitewise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 iotsitewise AWS Java SDK :: Services :: Io T Site Wise diff --git a/services/iotthingsgraph/pom.xml b/services/iotthingsgraph/pom.xml index 891e5c5398db..e1dd89e5bc30 100644 --- a/services/iotthingsgraph/pom.xml +++ b/services/iotthingsgraph/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 iotthingsgraph AWS Java SDK :: Services :: IoTThingsGraph diff --git a/services/iottwinmaker/pom.xml b/services/iottwinmaker/pom.xml index a7f11dfdecdf..21abe4355769 100644 --- a/services/iottwinmaker/pom.xml +++ b/services/iottwinmaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 iottwinmaker AWS Java SDK :: Services :: Io T Twin Maker diff --git a/services/iotwireless/pom.xml b/services/iotwireless/pom.xml index 1b4111615cfa..2ca41c7e5283 100644 --- a/services/iotwireless/pom.xml +++ b/services/iotwireless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 iotwireless AWS Java SDK :: Services :: IoT Wireless diff --git a/services/ivs/pom.xml b/services/ivs/pom.xml index 5d09f29aed9f..25d77a659e00 100644 --- a/services/ivs/pom.xml +++ b/services/ivs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 ivs AWS Java SDK :: Services :: Ivs diff --git a/services/ivschat/pom.xml b/services/ivschat/pom.xml index 340fa03ef1d5..baaf21992e0f 100644 --- a/services/ivschat/pom.xml +++ b/services/ivschat/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 ivschat AWS Java SDK :: Services :: Ivschat diff --git a/services/ivsrealtime/pom.xml b/services/ivsrealtime/pom.xml index 327e70cb1e15..4dafb6ee056e 100644 --- a/services/ivsrealtime/pom.xml +++ b/services/ivsrealtime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 ivsrealtime AWS Java SDK :: Services :: IVS Real Time diff --git a/services/kafka/pom.xml b/services/kafka/pom.xml index a25d7c1334f3..74026ca89853 100644 --- a/services/kafka/pom.xml +++ b/services/kafka/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 kafka AWS Java SDK :: Services :: Kafka diff --git a/services/kafkaconnect/pom.xml b/services/kafkaconnect/pom.xml index 17f345c24693..4969a4139e87 100644 --- a/services/kafkaconnect/pom.xml +++ b/services/kafkaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 kafkaconnect AWS Java SDK :: Services :: Kafka Connect diff --git a/services/kendra/pom.xml b/services/kendra/pom.xml index f0327612818c..837873d0766d 100644 --- a/services/kendra/pom.xml +++ b/services/kendra/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 kendra AWS Java SDK :: Services :: Kendra diff --git a/services/kendraranking/pom.xml b/services/kendraranking/pom.xml index 20e87d63af5a..238d5923e4da 100644 --- a/services/kendraranking/pom.xml +++ b/services/kendraranking/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 kendraranking AWS Java SDK :: Services :: Kendra Ranking diff --git a/services/keyspaces/pom.xml b/services/keyspaces/pom.xml index 2b686fed018d..bab09119a552 100644 --- a/services/keyspaces/pom.xml +++ b/services/keyspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 keyspaces AWS Java SDK :: Services :: Keyspaces diff --git a/services/kinesis/pom.xml b/services/kinesis/pom.xml index 069d1dfe9b8b..c2714970446a 100644 --- a/services/kinesis/pom.xml +++ b/services/kinesis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 kinesis AWS Java SDK :: Services :: Amazon Kinesis diff --git a/services/kinesisanalytics/pom.xml b/services/kinesisanalytics/pom.xml index 01eb9a511c86..e2a9b58ced32 100644 --- a/services/kinesisanalytics/pom.xml +++ b/services/kinesisanalytics/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 kinesisanalytics AWS Java SDK :: Services :: Amazon Kinesis Analytics diff --git a/services/kinesisanalyticsv2/pom.xml b/services/kinesisanalyticsv2/pom.xml index 717bea6e788c..e5a688ab656d 100644 --- a/services/kinesisanalyticsv2/pom.xml +++ b/services/kinesisanalyticsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 kinesisanalyticsv2 AWS Java SDK :: Services :: Kinesis Analytics V2 diff --git a/services/kinesisvideo/pom.xml b/services/kinesisvideo/pom.xml index 04eebfa5896f..c54e07a789d1 100644 --- a/services/kinesisvideo/pom.xml +++ b/services/kinesisvideo/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3-SNAPSHOT + 2.28.3 4.0.0 kinesisvideo diff --git a/services/kinesisvideoarchivedmedia/pom.xml b/services/kinesisvideoarchivedmedia/pom.xml index da7c550fb8ff..db6d593ee777 100644 --- a/services/kinesisvideoarchivedmedia/pom.xml +++ b/services/kinesisvideoarchivedmedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 kinesisvideoarchivedmedia AWS Java SDK :: Services :: Kinesis Video Archived Media diff --git a/services/kinesisvideomedia/pom.xml b/services/kinesisvideomedia/pom.xml index 3390fc6db3e4..de1628be7e64 100644 --- a/services/kinesisvideomedia/pom.xml +++ b/services/kinesisvideomedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 kinesisvideomedia AWS Java SDK :: Services :: Kinesis Video Media diff --git a/services/kinesisvideosignaling/pom.xml b/services/kinesisvideosignaling/pom.xml index d609e46d1c89..4b4da0ef926e 100644 --- a/services/kinesisvideosignaling/pom.xml +++ b/services/kinesisvideosignaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 kinesisvideosignaling AWS Java SDK :: Services :: Kinesis Video Signaling diff --git a/services/kinesisvideowebrtcstorage/pom.xml b/services/kinesisvideowebrtcstorage/pom.xml index 644644844dab..8d7e4921ad9f 100644 --- a/services/kinesisvideowebrtcstorage/pom.xml +++ b/services/kinesisvideowebrtcstorage/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 kinesisvideowebrtcstorage AWS Java SDK :: Services :: Kinesis Video Web RTC Storage diff --git a/services/kms/pom.xml b/services/kms/pom.xml index da8227e8e8e7..a3c544b282e7 100644 --- a/services/kms/pom.xml +++ b/services/kms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 kms AWS Java SDK :: Services :: AWS KMS diff --git a/services/lakeformation/pom.xml b/services/lakeformation/pom.xml index bd1f1f0d5a70..ea500c460b26 100644 --- a/services/lakeformation/pom.xml +++ b/services/lakeformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 lakeformation AWS Java SDK :: Services :: LakeFormation diff --git a/services/lambda/pom.xml b/services/lambda/pom.xml index 8a5bfee56242..773c38ab654b 100644 --- a/services/lambda/pom.xml +++ b/services/lambda/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 lambda AWS Java SDK :: Services :: AWS Lambda diff --git a/services/launchwizard/pom.xml b/services/launchwizard/pom.xml index db22f4cac430..9d34461f6725 100644 --- a/services/launchwizard/pom.xml +++ b/services/launchwizard/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 launchwizard AWS Java SDK :: Services :: Launch Wizard diff --git a/services/lexmodelbuilding/pom.xml b/services/lexmodelbuilding/pom.xml index a8edbda7af76..ca39899794cf 100644 --- a/services/lexmodelbuilding/pom.xml +++ b/services/lexmodelbuilding/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 lexmodelbuilding AWS Java SDK :: Services :: Amazon Lex Model Building diff --git a/services/lexmodelsv2/pom.xml b/services/lexmodelsv2/pom.xml index 9761a335b5d5..f6ce240a102b 100644 --- a/services/lexmodelsv2/pom.xml +++ b/services/lexmodelsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 lexmodelsv2 AWS Java SDK :: Services :: Lex Models V2 diff --git a/services/lexruntime/pom.xml b/services/lexruntime/pom.xml index a2655b57b304..becf240957f7 100644 --- a/services/lexruntime/pom.xml +++ b/services/lexruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 lexruntime AWS Java SDK :: Services :: Amazon Lex Runtime diff --git a/services/lexruntimev2/pom.xml b/services/lexruntimev2/pom.xml index 783921c6da50..d8de2d51b2bf 100644 --- a/services/lexruntimev2/pom.xml +++ b/services/lexruntimev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 lexruntimev2 AWS Java SDK :: Services :: Lex Runtime V2 diff --git a/services/licensemanager/pom.xml b/services/licensemanager/pom.xml index 6147c841e14f..1f23f5c560da 100644 --- a/services/licensemanager/pom.xml +++ b/services/licensemanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 licensemanager AWS Java SDK :: Services :: License Manager diff --git a/services/licensemanagerlinuxsubscriptions/pom.xml b/services/licensemanagerlinuxsubscriptions/pom.xml index 10ef8450b162..67cd208d3cdf 100644 --- a/services/licensemanagerlinuxsubscriptions/pom.xml +++ b/services/licensemanagerlinuxsubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 licensemanagerlinuxsubscriptions AWS Java SDK :: Services :: License Manager Linux Subscriptions diff --git a/services/licensemanagerusersubscriptions/pom.xml b/services/licensemanagerusersubscriptions/pom.xml index 1b61ae163d6b..33f7d665ff1c 100644 --- a/services/licensemanagerusersubscriptions/pom.xml +++ b/services/licensemanagerusersubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 licensemanagerusersubscriptions AWS Java SDK :: Services :: License Manager User Subscriptions diff --git a/services/lightsail/pom.xml b/services/lightsail/pom.xml index 7a989d403461..9b3d2f2bad8f 100644 --- a/services/lightsail/pom.xml +++ b/services/lightsail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 lightsail AWS Java SDK :: Services :: Amazon Lightsail diff --git a/services/location/pom.xml b/services/location/pom.xml index 0a22cd6630b7..ee6bae552d06 100644 --- a/services/location/pom.xml +++ b/services/location/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 location AWS Java SDK :: Services :: Location diff --git a/services/lookoutequipment/pom.xml b/services/lookoutequipment/pom.xml index d37ec51ea6c8..54204e092ddb 100644 --- a/services/lookoutequipment/pom.xml +++ b/services/lookoutequipment/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 lookoutequipment AWS Java SDK :: Services :: Lookout Equipment diff --git a/services/lookoutmetrics/pom.xml b/services/lookoutmetrics/pom.xml index 72d83770c0e6..7b0a01a2347b 100644 --- a/services/lookoutmetrics/pom.xml +++ b/services/lookoutmetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 lookoutmetrics AWS Java SDK :: Services :: Lookout Metrics diff --git a/services/lookoutvision/pom.xml b/services/lookoutvision/pom.xml index 248fe07b894c..560c246d79e0 100644 --- a/services/lookoutvision/pom.xml +++ b/services/lookoutvision/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 lookoutvision AWS Java SDK :: Services :: Lookout Vision diff --git a/services/m2/pom.xml b/services/m2/pom.xml index b1eb987a5f5f..8c847c47688e 100644 --- a/services/m2/pom.xml +++ b/services/m2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 m2 AWS Java SDK :: Services :: M2 diff --git a/services/machinelearning/pom.xml b/services/machinelearning/pom.xml index 701382a77886..120fb5dd551c 100644 --- a/services/machinelearning/pom.xml +++ b/services/machinelearning/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 machinelearning AWS Java SDK :: Services :: Amazon Machine Learning diff --git a/services/macie2/pom.xml b/services/macie2/pom.xml index c80ce8371d40..5298a32825dd 100644 --- a/services/macie2/pom.xml +++ b/services/macie2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 macie2 AWS Java SDK :: Services :: Macie2 diff --git a/services/mailmanager/pom.xml b/services/mailmanager/pom.xml index a68df2643bea..51bc9789632f 100644 --- a/services/mailmanager/pom.xml +++ b/services/mailmanager/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 mailmanager AWS Java SDK :: Services :: Mail Manager diff --git a/services/managedblockchain/pom.xml b/services/managedblockchain/pom.xml index e70b1c3e1bd9..f51c70ff22fc 100644 --- a/services/managedblockchain/pom.xml +++ b/services/managedblockchain/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 managedblockchain AWS Java SDK :: Services :: ManagedBlockchain diff --git a/services/managedblockchainquery/pom.xml b/services/managedblockchainquery/pom.xml index 930e3c302985..f02925bc5953 100644 --- a/services/managedblockchainquery/pom.xml +++ b/services/managedblockchainquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 managedblockchainquery AWS Java SDK :: Services :: Managed Blockchain Query diff --git a/services/marketplaceagreement/pom.xml b/services/marketplaceagreement/pom.xml index 51d35951cb95..11f913f0e4e5 100644 --- a/services/marketplaceagreement/pom.xml +++ b/services/marketplaceagreement/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 marketplaceagreement AWS Java SDK :: Services :: Marketplace Agreement diff --git a/services/marketplacecatalog/pom.xml b/services/marketplacecatalog/pom.xml index 2f1ea5dc0372..7f0968a6963a 100644 --- a/services/marketplacecatalog/pom.xml +++ b/services/marketplacecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 marketplacecatalog AWS Java SDK :: Services :: Marketplace Catalog diff --git a/services/marketplacecommerceanalytics/pom.xml b/services/marketplacecommerceanalytics/pom.xml index 5d3f049e18c7..46ffa3b71395 100644 --- a/services/marketplacecommerceanalytics/pom.xml +++ b/services/marketplacecommerceanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 marketplacecommerceanalytics AWS Java SDK :: Services :: AWS Marketplace Commerce Analytics diff --git a/services/marketplacedeployment/pom.xml b/services/marketplacedeployment/pom.xml index 2ade063153d1..56a905af5921 100644 --- a/services/marketplacedeployment/pom.xml +++ b/services/marketplacedeployment/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 marketplacedeployment AWS Java SDK :: Services :: Marketplace Deployment diff --git a/services/marketplaceentitlement/pom.xml b/services/marketplaceentitlement/pom.xml index a5362ff47bca..9b28e812b2a9 100644 --- a/services/marketplaceentitlement/pom.xml +++ b/services/marketplaceentitlement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 marketplaceentitlement AWS Java SDK :: Services :: AWS Marketplace Entitlement diff --git a/services/marketplacemetering/pom.xml b/services/marketplacemetering/pom.xml index 426e805d2181..e474e2488842 100644 --- a/services/marketplacemetering/pom.xml +++ b/services/marketplacemetering/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 marketplacemetering AWS Java SDK :: Services :: AWS Marketplace Metering Service diff --git a/services/mediaconnect/pom.xml b/services/mediaconnect/pom.xml index 234716476246..6ff073f184e2 100644 --- a/services/mediaconnect/pom.xml +++ b/services/mediaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 mediaconnect AWS Java SDK :: Services :: MediaConnect diff --git a/services/mediaconvert/pom.xml b/services/mediaconvert/pom.xml index a497d03af07d..5ae31db74db9 100644 --- a/services/mediaconvert/pom.xml +++ b/services/mediaconvert/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3-SNAPSHOT + 2.28.3 4.0.0 mediaconvert diff --git a/services/medialive/pom.xml b/services/medialive/pom.xml index f43f160c8be3..70bf2b2b19d5 100644 --- a/services/medialive/pom.xml +++ b/services/medialive/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3-SNAPSHOT + 2.28.3 4.0.0 medialive diff --git a/services/mediapackage/pom.xml b/services/mediapackage/pom.xml index bcefa7a9da72..60bc48d03b61 100644 --- a/services/mediapackage/pom.xml +++ b/services/mediapackage/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3-SNAPSHOT + 2.28.3 4.0.0 mediapackage diff --git a/services/mediapackagev2/pom.xml b/services/mediapackagev2/pom.xml index 07b619bdf13f..28bb4c63f407 100644 --- a/services/mediapackagev2/pom.xml +++ b/services/mediapackagev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 mediapackagev2 AWS Java SDK :: Services :: Media Package V2 diff --git a/services/mediapackagevod/pom.xml b/services/mediapackagevod/pom.xml index 4150e00c4593..aa9c2a67cdea 100644 --- a/services/mediapackagevod/pom.xml +++ b/services/mediapackagevod/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 mediapackagevod AWS Java SDK :: Services :: MediaPackage Vod diff --git a/services/mediastore/pom.xml b/services/mediastore/pom.xml index c109745c4599..2576b7684978 100644 --- a/services/mediastore/pom.xml +++ b/services/mediastore/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3-SNAPSHOT + 2.28.3 4.0.0 mediastore diff --git a/services/mediastoredata/pom.xml b/services/mediastoredata/pom.xml index 6f429590c9d3..0c4f7e751c07 100644 --- a/services/mediastoredata/pom.xml +++ b/services/mediastoredata/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3-SNAPSHOT + 2.28.3 4.0.0 mediastoredata diff --git a/services/mediatailor/pom.xml b/services/mediatailor/pom.xml index 0518126ac04c..207a28c5a7dd 100644 --- a/services/mediatailor/pom.xml +++ b/services/mediatailor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 mediatailor AWS Java SDK :: Services :: MediaTailor diff --git a/services/medicalimaging/pom.xml b/services/medicalimaging/pom.xml index 31ee553b2f7c..36061ae28d04 100644 --- a/services/medicalimaging/pom.xml +++ b/services/medicalimaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 medicalimaging AWS Java SDK :: Services :: Medical Imaging diff --git a/services/memorydb/pom.xml b/services/memorydb/pom.xml index 90d225bd003e..3a857fed199e 100644 --- a/services/memorydb/pom.xml +++ b/services/memorydb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 memorydb AWS Java SDK :: Services :: Memory DB diff --git a/services/mgn/pom.xml b/services/mgn/pom.xml index 45ec9f1c162c..a0f4da1a6ff8 100644 --- a/services/mgn/pom.xml +++ b/services/mgn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 mgn AWS Java SDK :: Services :: Mgn diff --git a/services/migrationhub/pom.xml b/services/migrationhub/pom.xml index ce641b4fc26c..e956389feed2 100644 --- a/services/migrationhub/pom.xml +++ b/services/migrationhub/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3-SNAPSHOT + 2.28.3 4.0.0 migrationhub diff --git a/services/migrationhubconfig/pom.xml b/services/migrationhubconfig/pom.xml index 022ccee73c54..f5c4ca97fcab 100644 --- a/services/migrationhubconfig/pom.xml +++ b/services/migrationhubconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 migrationhubconfig AWS Java SDK :: Services :: MigrationHub Config diff --git a/services/migrationhuborchestrator/pom.xml b/services/migrationhuborchestrator/pom.xml index d50dc36319b0..e7478ccb9593 100644 --- a/services/migrationhuborchestrator/pom.xml +++ b/services/migrationhuborchestrator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 migrationhuborchestrator AWS Java SDK :: Services :: Migration Hub Orchestrator diff --git a/services/migrationhubrefactorspaces/pom.xml b/services/migrationhubrefactorspaces/pom.xml index 5e3d3d413c1d..a109da678a28 100644 --- a/services/migrationhubrefactorspaces/pom.xml +++ b/services/migrationhubrefactorspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 migrationhubrefactorspaces AWS Java SDK :: Services :: Migration Hub Refactor Spaces diff --git a/services/migrationhubstrategy/pom.xml b/services/migrationhubstrategy/pom.xml index 8a43be15530d..a33dd6d3e92e 100644 --- a/services/migrationhubstrategy/pom.xml +++ b/services/migrationhubstrategy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 migrationhubstrategy AWS Java SDK :: Services :: Migration Hub Strategy diff --git a/services/mq/pom.xml b/services/mq/pom.xml index a8cf429c407b..a536aef8a7e0 100644 --- a/services/mq/pom.xml +++ b/services/mq/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3-SNAPSHOT + 2.28.3 4.0.0 mq diff --git a/services/mturk/pom.xml b/services/mturk/pom.xml index ccd6788e9da9..a76264153b7f 100644 --- a/services/mturk/pom.xml +++ b/services/mturk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 mturk AWS Java SDK :: Services :: Amazon Mechanical Turk Requester diff --git a/services/mwaa/pom.xml b/services/mwaa/pom.xml index 37d630b65119..f03bafa2bf2d 100644 --- a/services/mwaa/pom.xml +++ b/services/mwaa/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 mwaa AWS Java SDK :: Services :: MWAA diff --git a/services/neptune/pom.xml b/services/neptune/pom.xml index f8482f6223e6..4641b3c1b014 100644 --- a/services/neptune/pom.xml +++ b/services/neptune/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 neptune AWS Java SDK :: Services :: Neptune diff --git a/services/neptunedata/pom.xml b/services/neptunedata/pom.xml index 524b906b55b4..1efd233e5aca 100644 --- a/services/neptunedata/pom.xml +++ b/services/neptunedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 neptunedata AWS Java SDK :: Services :: Neptunedata diff --git a/services/neptunegraph/pom.xml b/services/neptunegraph/pom.xml index 9a71317f9931..b4a86c71c8c4 100644 --- a/services/neptunegraph/pom.xml +++ b/services/neptunegraph/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 neptunegraph AWS Java SDK :: Services :: Neptune Graph diff --git a/services/networkfirewall/pom.xml b/services/networkfirewall/pom.xml index a6343f853ba2..eba32221d1ac 100644 --- a/services/networkfirewall/pom.xml +++ b/services/networkfirewall/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 networkfirewall AWS Java SDK :: Services :: Network Firewall diff --git a/services/networkmanager/pom.xml b/services/networkmanager/pom.xml index 752eec9f0424..ff87494b51af 100644 --- a/services/networkmanager/pom.xml +++ b/services/networkmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 networkmanager AWS Java SDK :: Services :: NetworkManager diff --git a/services/networkmonitor/pom.xml b/services/networkmonitor/pom.xml index 9ff306ed8ded..6334bdc454cd 100644 --- a/services/networkmonitor/pom.xml +++ b/services/networkmonitor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 networkmonitor AWS Java SDK :: Services :: Network Monitor diff --git a/services/nimble/pom.xml b/services/nimble/pom.xml index e6f1d209e147..3682eabf13de 100644 --- a/services/nimble/pom.xml +++ b/services/nimble/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 nimble AWS Java SDK :: Services :: Nimble diff --git a/services/oam/pom.xml b/services/oam/pom.xml index 31eb7699244b..5c2175125518 100644 --- a/services/oam/pom.xml +++ b/services/oam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 oam AWS Java SDK :: Services :: OAM diff --git a/services/omics/pom.xml b/services/omics/pom.xml index 386f2f71ec74..310e760c507f 100644 --- a/services/omics/pom.xml +++ b/services/omics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 omics AWS Java SDK :: Services :: Omics diff --git a/services/opensearch/pom.xml b/services/opensearch/pom.xml index 866733d679d5..709849508604 100644 --- a/services/opensearch/pom.xml +++ b/services/opensearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 opensearch AWS Java SDK :: Services :: Open Search diff --git a/services/opensearchserverless/pom.xml b/services/opensearchserverless/pom.xml index 4df8d50ae3f6..18a1047d5b6c 100644 --- a/services/opensearchserverless/pom.xml +++ b/services/opensearchserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 opensearchserverless AWS Java SDK :: Services :: Open Search Serverless diff --git a/services/opsworks/pom.xml b/services/opsworks/pom.xml index 1f3be47de3e7..4c3b5e96b6a9 100644 --- a/services/opsworks/pom.xml +++ b/services/opsworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 opsworks AWS Java SDK :: Services :: AWS OpsWorks diff --git a/services/opsworkscm/pom.xml b/services/opsworkscm/pom.xml index 69e8d0077f1d..e93046e770f8 100644 --- a/services/opsworkscm/pom.xml +++ b/services/opsworkscm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 opsworkscm AWS Java SDK :: Services :: AWS OpsWorks for Chef Automate diff --git a/services/organizations/pom.xml b/services/organizations/pom.xml index d49e36057ece..9de4e6ff7442 100644 --- a/services/organizations/pom.xml +++ b/services/organizations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 organizations AWS Java SDK :: Services :: AWS Organizations diff --git a/services/osis/pom.xml b/services/osis/pom.xml index e2953c1e229d..bf994d33a857 100644 --- a/services/osis/pom.xml +++ b/services/osis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 osis AWS Java SDK :: Services :: OSIS diff --git a/services/outposts/pom.xml b/services/outposts/pom.xml index 7a3a97de963b..e4ae89fef514 100644 --- a/services/outposts/pom.xml +++ b/services/outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 outposts AWS Java SDK :: Services :: Outposts diff --git a/services/panorama/pom.xml b/services/panorama/pom.xml index c38efb9f3ad3..6b8c242e84b9 100644 --- a/services/panorama/pom.xml +++ b/services/panorama/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 panorama AWS Java SDK :: Services :: Panorama diff --git a/services/paymentcryptography/pom.xml b/services/paymentcryptography/pom.xml index 05fee5f80cff..ac24cabe1833 100644 --- a/services/paymentcryptography/pom.xml +++ b/services/paymentcryptography/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 paymentcryptography AWS Java SDK :: Services :: Payment Cryptography diff --git a/services/paymentcryptographydata/pom.xml b/services/paymentcryptographydata/pom.xml index 7d73cbb42be2..a7454b43b416 100644 --- a/services/paymentcryptographydata/pom.xml +++ b/services/paymentcryptographydata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 paymentcryptographydata AWS Java SDK :: Services :: Payment Cryptography Data diff --git a/services/pcaconnectorad/pom.xml b/services/pcaconnectorad/pom.xml index ad72a221a531..c5f98d3ea60f 100644 --- a/services/pcaconnectorad/pom.xml +++ b/services/pcaconnectorad/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 pcaconnectorad AWS Java SDK :: Services :: Pca Connector Ad diff --git a/services/pcaconnectorscep/pom.xml b/services/pcaconnectorscep/pom.xml index d0df0e1163da..cd93b345a252 100644 --- a/services/pcaconnectorscep/pom.xml +++ b/services/pcaconnectorscep/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 pcaconnectorscep AWS Java SDK :: Services :: Pca Connector Scep diff --git a/services/pcs/pom.xml b/services/pcs/pom.xml index 5064f2456da3..c19dd60be9ec 100644 --- a/services/pcs/pom.xml +++ b/services/pcs/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 pcs AWS Java SDK :: Services :: PCS diff --git a/services/personalize/pom.xml b/services/personalize/pom.xml index 6235421ecfb4..cb8d03f1aa19 100644 --- a/services/personalize/pom.xml +++ b/services/personalize/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 personalize AWS Java SDK :: Services :: Personalize diff --git a/services/personalizeevents/pom.xml b/services/personalizeevents/pom.xml index 7135169e819d..2cbb5c563a8e 100644 --- a/services/personalizeevents/pom.xml +++ b/services/personalizeevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 personalizeevents AWS Java SDK :: Services :: Personalize Events diff --git a/services/personalizeruntime/pom.xml b/services/personalizeruntime/pom.xml index 435c20533959..e042cdd42380 100644 --- a/services/personalizeruntime/pom.xml +++ b/services/personalizeruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 personalizeruntime AWS Java SDK :: Services :: Personalize Runtime diff --git a/services/pi/pom.xml b/services/pi/pom.xml index 9a0edf8584d5..ffe8500afd08 100644 --- a/services/pi/pom.xml +++ b/services/pi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 pi AWS Java SDK :: Services :: PI diff --git a/services/pinpoint/pom.xml b/services/pinpoint/pom.xml index 8c6b5f9b1eed..c4f01d738958 100644 --- a/services/pinpoint/pom.xml +++ b/services/pinpoint/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 pinpoint AWS Java SDK :: Services :: Amazon Pinpoint diff --git a/services/pinpointemail/pom.xml b/services/pinpointemail/pom.xml index 3852847d4020..d982648c55f0 100644 --- a/services/pinpointemail/pom.xml +++ b/services/pinpointemail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 pinpointemail AWS Java SDK :: Services :: Pinpoint Email diff --git a/services/pinpointsmsvoice/pom.xml b/services/pinpointsmsvoice/pom.xml index 36e01158c864..68df0e20164a 100644 --- a/services/pinpointsmsvoice/pom.xml +++ b/services/pinpointsmsvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 pinpointsmsvoice AWS Java SDK :: Services :: Pinpoint SMS Voice diff --git a/services/pinpointsmsvoicev2/pom.xml b/services/pinpointsmsvoicev2/pom.xml index a4bd60ecc2ac..7b4999cd2a07 100644 --- a/services/pinpointsmsvoicev2/pom.xml +++ b/services/pinpointsmsvoicev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 pinpointsmsvoicev2 AWS Java SDK :: Services :: Pinpoint SMS Voice V2 diff --git a/services/pipes/pom.xml b/services/pipes/pom.xml index 76aa6d9e94ce..e6c085233a58 100644 --- a/services/pipes/pom.xml +++ b/services/pipes/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 pipes AWS Java SDK :: Services :: Pipes diff --git a/services/polly/pom.xml b/services/polly/pom.xml index 13fcb815227c..bd2a766d6818 100644 --- a/services/polly/pom.xml +++ b/services/polly/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 polly AWS Java SDK :: Services :: Amazon Polly diff --git a/services/pom.xml b/services/pom.xml index 76c4156150db..bf5eb1df2940 100644 --- a/services/pom.xml +++ b/services/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.3-SNAPSHOT + 2.28.3 services AWS Java SDK :: Services diff --git a/services/pricing/pom.xml b/services/pricing/pom.xml index 48a395e7ef8f..9c4e9e54eb33 100644 --- a/services/pricing/pom.xml +++ b/services/pricing/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3-SNAPSHOT + 2.28.3 4.0.0 pricing diff --git a/services/privatenetworks/pom.xml b/services/privatenetworks/pom.xml index b8825f27425d..1b7a8aa9db91 100644 --- a/services/privatenetworks/pom.xml +++ b/services/privatenetworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 privatenetworks AWS Java SDK :: Services :: Private Networks diff --git a/services/proton/pom.xml b/services/proton/pom.xml index 81ab4e9d1639..4543e198a86b 100644 --- a/services/proton/pom.xml +++ b/services/proton/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 proton AWS Java SDK :: Services :: Proton diff --git a/services/qapps/pom.xml b/services/qapps/pom.xml index 97f788f95472..c739f68947c5 100644 --- a/services/qapps/pom.xml +++ b/services/qapps/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 qapps AWS Java SDK :: Services :: Q Apps diff --git a/services/qbusiness/pom.xml b/services/qbusiness/pom.xml index 19d0d82b820f..19fc6dc8508e 100644 --- a/services/qbusiness/pom.xml +++ b/services/qbusiness/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 qbusiness AWS Java SDK :: Services :: Q Business diff --git a/services/qconnect/pom.xml b/services/qconnect/pom.xml index 52b7f648c409..ee564a015cc6 100644 --- a/services/qconnect/pom.xml +++ b/services/qconnect/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 qconnect AWS Java SDK :: Services :: Q Connect diff --git a/services/qldb/pom.xml b/services/qldb/pom.xml index 4e20104384b5..0317209c3b75 100644 --- a/services/qldb/pom.xml +++ b/services/qldb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 qldb AWS Java SDK :: Services :: QLDB diff --git a/services/qldbsession/pom.xml b/services/qldbsession/pom.xml index 26f13ea19e3d..67cf8c35d0f1 100644 --- a/services/qldbsession/pom.xml +++ b/services/qldbsession/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 qldbsession AWS Java SDK :: Services :: QLDB Session diff --git a/services/quicksight/pom.xml b/services/quicksight/pom.xml index a19116443bfc..be0368f3f0e3 100644 --- a/services/quicksight/pom.xml +++ b/services/quicksight/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 quicksight AWS Java SDK :: Services :: QuickSight diff --git a/services/ram/pom.xml b/services/ram/pom.xml index 444602fdea54..5c6dcfb367e7 100644 --- a/services/ram/pom.xml +++ b/services/ram/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 ram AWS Java SDK :: Services :: RAM diff --git a/services/rbin/pom.xml b/services/rbin/pom.xml index 56c81d572646..352c7eaa5123 100644 --- a/services/rbin/pom.xml +++ b/services/rbin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 rbin AWS Java SDK :: Services :: Rbin diff --git a/services/rds/pom.xml b/services/rds/pom.xml index c52f1de150ff..3c3716032c33 100644 --- a/services/rds/pom.xml +++ b/services/rds/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 rds AWS Java SDK :: Services :: Amazon RDS diff --git a/services/rdsdata/pom.xml b/services/rdsdata/pom.xml index c806774e17b2..2a1e4589fe9e 100644 --- a/services/rdsdata/pom.xml +++ b/services/rdsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 rdsdata AWS Java SDK :: Services :: RDS Data diff --git a/services/redshift/pom.xml b/services/redshift/pom.xml index 61f578899ea6..98f0491274a0 100644 --- a/services/redshift/pom.xml +++ b/services/redshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 redshift AWS Java SDK :: Services :: Amazon Redshift diff --git a/services/redshiftdata/pom.xml b/services/redshiftdata/pom.xml index 5bcf75ea3d91..446c637b3218 100644 --- a/services/redshiftdata/pom.xml +++ b/services/redshiftdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 redshiftdata AWS Java SDK :: Services :: Redshift Data diff --git a/services/redshiftserverless/pom.xml b/services/redshiftserverless/pom.xml index 466351e226c9..c3311d430157 100644 --- a/services/redshiftserverless/pom.xml +++ b/services/redshiftserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 redshiftserverless AWS Java SDK :: Services :: Redshift Serverless diff --git a/services/rekognition/pom.xml b/services/rekognition/pom.xml index b3b2c865c06a..2a7568606c5d 100644 --- a/services/rekognition/pom.xml +++ b/services/rekognition/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 rekognition AWS Java SDK :: Services :: Amazon Rekognition diff --git a/services/repostspace/pom.xml b/services/repostspace/pom.xml index d04faa1f9765..818bb3987556 100644 --- a/services/repostspace/pom.xml +++ b/services/repostspace/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 repostspace AWS Java SDK :: Services :: Repostspace diff --git a/services/resiliencehub/pom.xml b/services/resiliencehub/pom.xml index 0db96c5c54b9..509d59ac9fdd 100644 --- a/services/resiliencehub/pom.xml +++ b/services/resiliencehub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 resiliencehub AWS Java SDK :: Services :: Resiliencehub diff --git a/services/resourceexplorer2/pom.xml b/services/resourceexplorer2/pom.xml index 6bbf14238da2..a723083e233a 100644 --- a/services/resourceexplorer2/pom.xml +++ b/services/resourceexplorer2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 resourceexplorer2 AWS Java SDK :: Services :: Resource Explorer 2 diff --git a/services/resourcegroups/pom.xml b/services/resourcegroups/pom.xml index 42d8ea5fcfc2..bc0e629c25f2 100644 --- a/services/resourcegroups/pom.xml +++ b/services/resourcegroups/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3-SNAPSHOT + 2.28.3 4.0.0 resourcegroups diff --git a/services/resourcegroupstaggingapi/pom.xml b/services/resourcegroupstaggingapi/pom.xml index 6ab22e23ed98..6086bfef68e2 100644 --- a/services/resourcegroupstaggingapi/pom.xml +++ b/services/resourcegroupstaggingapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 resourcegroupstaggingapi AWS Java SDK :: Services :: AWS Resource Groups Tagging API diff --git a/services/robomaker/pom.xml b/services/robomaker/pom.xml index 696745ae9b8b..17d5d379e085 100644 --- a/services/robomaker/pom.xml +++ b/services/robomaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 robomaker AWS Java SDK :: Services :: RoboMaker diff --git a/services/rolesanywhere/pom.xml b/services/rolesanywhere/pom.xml index 92ecc685eb70..e1ae64341b60 100644 --- a/services/rolesanywhere/pom.xml +++ b/services/rolesanywhere/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 rolesanywhere AWS Java SDK :: Services :: Roles Anywhere diff --git a/services/route53/pom.xml b/services/route53/pom.xml index 31586a5b9914..7c9e174e1138 100644 --- a/services/route53/pom.xml +++ b/services/route53/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 route53 AWS Java SDK :: Services :: Amazon Route53 diff --git a/services/route53domains/pom.xml b/services/route53domains/pom.xml index e18ddfc9320d..7a36095392e3 100644 --- a/services/route53domains/pom.xml +++ b/services/route53domains/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 route53domains AWS Java SDK :: Services :: Amazon Route53 Domains diff --git a/services/route53profiles/pom.xml b/services/route53profiles/pom.xml index b924e58d2997..40797cc40765 100644 --- a/services/route53profiles/pom.xml +++ b/services/route53profiles/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 route53profiles AWS Java SDK :: Services :: Route53 Profiles diff --git a/services/route53recoverycluster/pom.xml b/services/route53recoverycluster/pom.xml index 360f2fd44da1..c6fee17a9310 100644 --- a/services/route53recoverycluster/pom.xml +++ b/services/route53recoverycluster/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 route53recoverycluster AWS Java SDK :: Services :: Route53 Recovery Cluster diff --git a/services/route53recoverycontrolconfig/pom.xml b/services/route53recoverycontrolconfig/pom.xml index d886b0ef99c1..f2dced86948f 100644 --- a/services/route53recoverycontrolconfig/pom.xml +++ b/services/route53recoverycontrolconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 route53recoverycontrolconfig AWS Java SDK :: Services :: Route53 Recovery Control Config diff --git a/services/route53recoveryreadiness/pom.xml b/services/route53recoveryreadiness/pom.xml index a0cdf4fb3979..5d564d9f5fe6 100644 --- a/services/route53recoveryreadiness/pom.xml +++ b/services/route53recoveryreadiness/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 route53recoveryreadiness AWS Java SDK :: Services :: Route53 Recovery Readiness diff --git a/services/route53resolver/pom.xml b/services/route53resolver/pom.xml index 4161e6cf18f5..12183e628137 100644 --- a/services/route53resolver/pom.xml +++ b/services/route53resolver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 route53resolver AWS Java SDK :: Services :: Route53Resolver diff --git a/services/rum/pom.xml b/services/rum/pom.xml index d8dc0b7f4c82..08667679dd83 100644 --- a/services/rum/pom.xml +++ b/services/rum/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 rum AWS Java SDK :: Services :: RUM diff --git a/services/s3/pom.xml b/services/s3/pom.xml index 988276bb0900..d49755899312 100644 --- a/services/s3/pom.xml +++ b/services/s3/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 s3 AWS Java SDK :: Services :: Amazon S3 diff --git a/services/s3control/pom.xml b/services/s3control/pom.xml index f989c5a4a4a6..cd0b2dc5d178 100644 --- a/services/s3control/pom.xml +++ b/services/s3control/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 s3control AWS Java SDK :: Services :: Amazon S3 Control diff --git a/services/s3outposts/pom.xml b/services/s3outposts/pom.xml index 4bf5562754ae..8fd3f8290b96 100644 --- a/services/s3outposts/pom.xml +++ b/services/s3outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 s3outposts AWS Java SDK :: Services :: S3 Outposts diff --git a/services/sagemaker/pom.xml b/services/sagemaker/pom.xml index 182f0214be28..eb68397a7580 100644 --- a/services/sagemaker/pom.xml +++ b/services/sagemaker/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3-SNAPSHOT + 2.28.3 4.0.0 sagemaker diff --git a/services/sagemakera2iruntime/pom.xml b/services/sagemakera2iruntime/pom.xml index 966a3eae938a..5af50d3e75ca 100644 --- a/services/sagemakera2iruntime/pom.xml +++ b/services/sagemakera2iruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 sagemakera2iruntime AWS Java SDK :: Services :: SageMaker A2I Runtime diff --git a/services/sagemakeredge/pom.xml b/services/sagemakeredge/pom.xml index 640737dd7080..15caebff71b8 100644 --- a/services/sagemakeredge/pom.xml +++ b/services/sagemakeredge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 sagemakeredge AWS Java SDK :: Services :: Sagemaker Edge diff --git a/services/sagemakerfeaturestoreruntime/pom.xml b/services/sagemakerfeaturestoreruntime/pom.xml index a8fc2ff8be72..e1bdbffba6c1 100644 --- a/services/sagemakerfeaturestoreruntime/pom.xml +++ b/services/sagemakerfeaturestoreruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 sagemakerfeaturestoreruntime AWS Java SDK :: Services :: Sage Maker Feature Store Runtime diff --git a/services/sagemakergeospatial/pom.xml b/services/sagemakergeospatial/pom.xml index b1db31750f08..907c251ff00c 100644 --- a/services/sagemakergeospatial/pom.xml +++ b/services/sagemakergeospatial/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 sagemakergeospatial AWS Java SDK :: Services :: Sage Maker Geospatial diff --git a/services/sagemakermetrics/pom.xml b/services/sagemakermetrics/pom.xml index 8f2d5b90f314..a3f91d531bff 100644 --- a/services/sagemakermetrics/pom.xml +++ b/services/sagemakermetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 sagemakermetrics AWS Java SDK :: Services :: Sage Maker Metrics diff --git a/services/sagemakerruntime/pom.xml b/services/sagemakerruntime/pom.xml index d1c9c9c31be3..4a4979c483c6 100644 --- a/services/sagemakerruntime/pom.xml +++ b/services/sagemakerruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 sagemakerruntime AWS Java SDK :: Services :: SageMaker Runtime diff --git a/services/savingsplans/pom.xml b/services/savingsplans/pom.xml index b6411f1a39cc..a793e5298c71 100644 --- a/services/savingsplans/pom.xml +++ b/services/savingsplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 savingsplans AWS Java SDK :: Services :: Savingsplans diff --git a/services/scheduler/pom.xml b/services/scheduler/pom.xml index cdd548085166..db27047254ee 100644 --- a/services/scheduler/pom.xml +++ b/services/scheduler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 scheduler AWS Java SDK :: Services :: Scheduler diff --git a/services/schemas/pom.xml b/services/schemas/pom.xml index 94be2dcb0289..77162988dc83 100644 --- a/services/schemas/pom.xml +++ b/services/schemas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 schemas AWS Java SDK :: Services :: Schemas diff --git a/services/secretsmanager/pom.xml b/services/secretsmanager/pom.xml index 060bdd253f36..58192cd4e254 100644 --- a/services/secretsmanager/pom.xml +++ b/services/secretsmanager/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 secretsmanager AWS Java SDK :: Services :: AWS Secrets Manager diff --git a/services/securityhub/pom.xml b/services/securityhub/pom.xml index f00bfd4f9f3a..e6780dd1a8e0 100644 --- a/services/securityhub/pom.xml +++ b/services/securityhub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 securityhub AWS Java SDK :: Services :: SecurityHub diff --git a/services/securitylake/pom.xml b/services/securitylake/pom.xml index d4cef3b1ce6c..57ed5dc76719 100644 --- a/services/securitylake/pom.xml +++ b/services/securitylake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 securitylake AWS Java SDK :: Services :: Security Lake diff --git a/services/serverlessapplicationrepository/pom.xml b/services/serverlessapplicationrepository/pom.xml index 9ec4065736cf..e90b47c35d72 100644 --- a/services/serverlessapplicationrepository/pom.xml +++ b/services/serverlessapplicationrepository/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3-SNAPSHOT + 2.28.3 4.0.0 serverlessapplicationrepository diff --git a/services/servicecatalog/pom.xml b/services/servicecatalog/pom.xml index 684b810f59fc..2ff4480e3e2e 100644 --- a/services/servicecatalog/pom.xml +++ b/services/servicecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 servicecatalog AWS Java SDK :: Services :: AWS Service Catalog diff --git a/services/servicecatalogappregistry/pom.xml b/services/servicecatalogappregistry/pom.xml index 85218b065f6d..6020181eb98c 100644 --- a/services/servicecatalogappregistry/pom.xml +++ b/services/servicecatalogappregistry/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 servicecatalogappregistry AWS Java SDK :: Services :: Service Catalog App Registry diff --git a/services/servicediscovery/pom.xml b/services/servicediscovery/pom.xml index bc2ec2be4b89..f34ea6e48991 100644 --- a/services/servicediscovery/pom.xml +++ b/services/servicediscovery/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3-SNAPSHOT + 2.28.3 4.0.0 servicediscovery diff --git a/services/servicequotas/pom.xml b/services/servicequotas/pom.xml index a310c8be5a4a..8845a410b4cf 100644 --- a/services/servicequotas/pom.xml +++ b/services/servicequotas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 servicequotas AWS Java SDK :: Services :: Service Quotas diff --git a/services/ses/pom.xml b/services/ses/pom.xml index 20cf37ce1b8a..d7726563e36d 100644 --- a/services/ses/pom.xml +++ b/services/ses/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 ses AWS Java SDK :: Services :: Amazon SES diff --git a/services/sesv2/pom.xml b/services/sesv2/pom.xml index 8c78ac35b2ae..e1fe5c340011 100644 --- a/services/sesv2/pom.xml +++ b/services/sesv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 sesv2 AWS Java SDK :: Services :: SESv2 diff --git a/services/sfn/pom.xml b/services/sfn/pom.xml index ef89c50aa4f8..5564a161fae3 100644 --- a/services/sfn/pom.xml +++ b/services/sfn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 sfn AWS Java SDK :: Services :: AWS Step Functions diff --git a/services/shield/pom.xml b/services/shield/pom.xml index 42b6aa8787bd..8855612429f0 100644 --- a/services/shield/pom.xml +++ b/services/shield/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 shield AWS Java SDK :: Services :: AWS Shield diff --git a/services/signer/pom.xml b/services/signer/pom.xml index a5b7e9b2aecf..7dcf8045f419 100644 --- a/services/signer/pom.xml +++ b/services/signer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 signer AWS Java SDK :: Services :: Signer diff --git a/services/simspaceweaver/pom.xml b/services/simspaceweaver/pom.xml index 4ebef8052504..a21aaf4e985b 100644 --- a/services/simspaceweaver/pom.xml +++ b/services/simspaceweaver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 simspaceweaver AWS Java SDK :: Services :: Sim Space Weaver diff --git a/services/sms/pom.xml b/services/sms/pom.xml index 22290f6ab651..11e132267671 100644 --- a/services/sms/pom.xml +++ b/services/sms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 sms AWS Java SDK :: Services :: AWS Server Migration diff --git a/services/snowball/pom.xml b/services/snowball/pom.xml index 45d67dd323d0..1ae6c13e097c 100644 --- a/services/snowball/pom.xml +++ b/services/snowball/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 snowball AWS Java SDK :: Services :: Amazon Snowball diff --git a/services/snowdevicemanagement/pom.xml b/services/snowdevicemanagement/pom.xml index fce049eb93fb..d86f138b2d12 100644 --- a/services/snowdevicemanagement/pom.xml +++ b/services/snowdevicemanagement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 snowdevicemanagement AWS Java SDK :: Services :: Snow Device Management diff --git a/services/sns/pom.xml b/services/sns/pom.xml index 931ed77adcd0..4a561053ed6d 100644 --- a/services/sns/pom.xml +++ b/services/sns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 sns AWS Java SDK :: Services :: Amazon SNS diff --git a/services/sqs/pom.xml b/services/sqs/pom.xml index 753db2b8e18a..09bcc5a99c2f 100644 --- a/services/sqs/pom.xml +++ b/services/sqs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 sqs AWS Java SDK :: Services :: Amazon SQS diff --git a/services/ssm/pom.xml b/services/ssm/pom.xml index 86dd724b365a..82e7d4d57e7b 100644 --- a/services/ssm/pom.xml +++ b/services/ssm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 ssm AWS Java SDK :: Services :: AWS Simple Systems Management (SSM) diff --git a/services/ssmcontacts/pom.xml b/services/ssmcontacts/pom.xml index b63fc9e9f40c..e09db3648e57 100644 --- a/services/ssmcontacts/pom.xml +++ b/services/ssmcontacts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 ssmcontacts AWS Java SDK :: Services :: SSM Contacts diff --git a/services/ssmincidents/pom.xml b/services/ssmincidents/pom.xml index 78ef69eb67e9..625b4db04ec0 100644 --- a/services/ssmincidents/pom.xml +++ b/services/ssmincidents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 ssmincidents AWS Java SDK :: Services :: SSM Incidents diff --git a/services/ssmquicksetup/pom.xml b/services/ssmquicksetup/pom.xml index aacd4f529898..e768106490d5 100644 --- a/services/ssmquicksetup/pom.xml +++ b/services/ssmquicksetup/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 ssmquicksetup AWS Java SDK :: Services :: SSM Quick Setup diff --git a/services/ssmsap/pom.xml b/services/ssmsap/pom.xml index fa4bc680e619..01afdf6be85b 100644 --- a/services/ssmsap/pom.xml +++ b/services/ssmsap/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 ssmsap AWS Java SDK :: Services :: Ssm Sap diff --git a/services/sso/pom.xml b/services/sso/pom.xml index bc96431b468b..af99cd944bb5 100644 --- a/services/sso/pom.xml +++ b/services/sso/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 sso AWS Java SDK :: Services :: SSO diff --git a/services/ssoadmin/pom.xml b/services/ssoadmin/pom.xml index e5f9e125e542..e0abaae2a6b9 100644 --- a/services/ssoadmin/pom.xml +++ b/services/ssoadmin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 ssoadmin AWS Java SDK :: Services :: SSO Admin diff --git a/services/ssooidc/pom.xml b/services/ssooidc/pom.xml index 9ef48071834a..542faa059b96 100644 --- a/services/ssooidc/pom.xml +++ b/services/ssooidc/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 ssooidc AWS Java SDK :: Services :: SSO OIDC diff --git a/services/storagegateway/pom.xml b/services/storagegateway/pom.xml index ae9cd5ea6e2b..79691b8363d1 100644 --- a/services/storagegateway/pom.xml +++ b/services/storagegateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 storagegateway AWS Java SDK :: Services :: AWS Storage Gateway diff --git a/services/sts/pom.xml b/services/sts/pom.xml index 3cd479553e26..1f969365a196 100644 --- a/services/sts/pom.xml +++ b/services/sts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 sts AWS Java SDK :: Services :: AWS STS diff --git a/services/supplychain/pom.xml b/services/supplychain/pom.xml index ebb45a6ee5b0..e666fa97b4ee 100644 --- a/services/supplychain/pom.xml +++ b/services/supplychain/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 supplychain AWS Java SDK :: Services :: Supply Chain diff --git a/services/support/pom.xml b/services/support/pom.xml index 003c8b4e3327..f6bd1bd16d27 100644 --- a/services/support/pom.xml +++ b/services/support/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 support AWS Java SDK :: Services :: AWS Support diff --git a/services/supportapp/pom.xml b/services/supportapp/pom.xml index 1d8523a19ae2..ae9b90d784f5 100644 --- a/services/supportapp/pom.xml +++ b/services/supportapp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 supportapp AWS Java SDK :: Services :: Support App diff --git a/services/swf/pom.xml b/services/swf/pom.xml index ae693c58b15e..4f63b72a4ce8 100644 --- a/services/swf/pom.xml +++ b/services/swf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 swf AWS Java SDK :: Services :: Amazon SWF diff --git a/services/synthetics/pom.xml b/services/synthetics/pom.xml index dd75024d4347..2010cc465be4 100644 --- a/services/synthetics/pom.xml +++ b/services/synthetics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 synthetics AWS Java SDK :: Services :: Synthetics diff --git a/services/taxsettings/pom.xml b/services/taxsettings/pom.xml index 0f4aed4a9b53..da28b3308c01 100644 --- a/services/taxsettings/pom.xml +++ b/services/taxsettings/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 taxsettings AWS Java SDK :: Services :: Tax Settings diff --git a/services/textract/pom.xml b/services/textract/pom.xml index 4d138207e7e8..10857e37d7a3 100644 --- a/services/textract/pom.xml +++ b/services/textract/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 textract AWS Java SDK :: Services :: Textract diff --git a/services/timestreaminfluxdb/pom.xml b/services/timestreaminfluxdb/pom.xml index 7195552ab867..4363a0dcd863 100644 --- a/services/timestreaminfluxdb/pom.xml +++ b/services/timestreaminfluxdb/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 timestreaminfluxdb AWS Java SDK :: Services :: Timestream Influx DB diff --git a/services/timestreamquery/pom.xml b/services/timestreamquery/pom.xml index feb9c26c5e6d..c7f19b68ce09 100644 --- a/services/timestreamquery/pom.xml +++ b/services/timestreamquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 timestreamquery AWS Java SDK :: Services :: Timestream Query diff --git a/services/timestreamwrite/pom.xml b/services/timestreamwrite/pom.xml index f2eaed34c180..01764fbb7b20 100644 --- a/services/timestreamwrite/pom.xml +++ b/services/timestreamwrite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 timestreamwrite AWS Java SDK :: Services :: Timestream Write diff --git a/services/tnb/pom.xml b/services/tnb/pom.xml index d9ef9010b101..be4caa7da64c 100644 --- a/services/tnb/pom.xml +++ b/services/tnb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 tnb AWS Java SDK :: Services :: Tnb diff --git a/services/transcribe/pom.xml b/services/transcribe/pom.xml index 03eab797e493..34f086dac4e2 100644 --- a/services/transcribe/pom.xml +++ b/services/transcribe/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 transcribe AWS Java SDK :: Services :: Transcribe diff --git a/services/transcribestreaming/pom.xml b/services/transcribestreaming/pom.xml index afa8e199a0fe..feb8a0df7ca4 100644 --- a/services/transcribestreaming/pom.xml +++ b/services/transcribestreaming/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 transcribestreaming AWS Java SDK :: Services :: AWS Transcribe Streaming diff --git a/services/transfer/pom.xml b/services/transfer/pom.xml index 372e4348fd0c..b902e38d70b9 100644 --- a/services/transfer/pom.xml +++ b/services/transfer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 transfer AWS Java SDK :: Services :: Transfer diff --git a/services/translate/pom.xml b/services/translate/pom.xml index 40f6ee4a24bf..cea101af7a81 100644 --- a/services/translate/pom.xml +++ b/services/translate/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3-SNAPSHOT + 2.28.3 4.0.0 translate diff --git a/services/trustedadvisor/pom.xml b/services/trustedadvisor/pom.xml index c90cc3d27a22..c406930781bf 100644 --- a/services/trustedadvisor/pom.xml +++ b/services/trustedadvisor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 trustedadvisor AWS Java SDK :: Services :: Trusted Advisor diff --git a/services/verifiedpermissions/pom.xml b/services/verifiedpermissions/pom.xml index 7e5999c59f04..771c97aa06c9 100644 --- a/services/verifiedpermissions/pom.xml +++ b/services/verifiedpermissions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 verifiedpermissions AWS Java SDK :: Services :: Verified Permissions diff --git a/services/voiceid/pom.xml b/services/voiceid/pom.xml index b26973704c8d..a97855b4e6d8 100644 --- a/services/voiceid/pom.xml +++ b/services/voiceid/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 voiceid AWS Java SDK :: Services :: Voice ID diff --git a/services/vpclattice/pom.xml b/services/vpclattice/pom.xml index 701191092904..961324ddcd69 100644 --- a/services/vpclattice/pom.xml +++ b/services/vpclattice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 vpclattice AWS Java SDK :: Services :: VPC Lattice diff --git a/services/waf/pom.xml b/services/waf/pom.xml index aff3796dc6f8..34416347bb34 100644 --- a/services/waf/pom.xml +++ b/services/waf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 waf AWS Java SDK :: Services :: AWS WAF diff --git a/services/wafv2/pom.xml b/services/wafv2/pom.xml index c6a2bdc4fcd7..811d948fb22a 100644 --- a/services/wafv2/pom.xml +++ b/services/wafv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 wafv2 AWS Java SDK :: Services :: WAFV2 diff --git a/services/wellarchitected/pom.xml b/services/wellarchitected/pom.xml index 5223790fca11..f728325b1a58 100644 --- a/services/wellarchitected/pom.xml +++ b/services/wellarchitected/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 wellarchitected AWS Java SDK :: Services :: Well Architected diff --git a/services/wisdom/pom.xml b/services/wisdom/pom.xml index 59c47074b287..a2b74f799dac 100644 --- a/services/wisdom/pom.xml +++ b/services/wisdom/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 wisdom AWS Java SDK :: Services :: Wisdom diff --git a/services/workdocs/pom.xml b/services/workdocs/pom.xml index 0969849d88cc..823fe2ab37a8 100644 --- a/services/workdocs/pom.xml +++ b/services/workdocs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 workdocs AWS Java SDK :: Services :: Amazon WorkDocs diff --git a/services/worklink/pom.xml b/services/worklink/pom.xml index f65c342f07a4..dd2d563b8e77 100644 --- a/services/worklink/pom.xml +++ b/services/worklink/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 worklink AWS Java SDK :: Services :: WorkLink diff --git a/services/workmail/pom.xml b/services/workmail/pom.xml index e306bca6ed7c..f10a72108ddd 100644 --- a/services/workmail/pom.xml +++ b/services/workmail/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3-SNAPSHOT + 2.28.3 4.0.0 workmail diff --git a/services/workmailmessageflow/pom.xml b/services/workmailmessageflow/pom.xml index 0abb44c8fdc9..c9b471d6854e 100644 --- a/services/workmailmessageflow/pom.xml +++ b/services/workmailmessageflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 workmailmessageflow AWS Java SDK :: Services :: WorkMailMessageFlow diff --git a/services/workspaces/pom.xml b/services/workspaces/pom.xml index 27faee43c8be..581ec174c66d 100644 --- a/services/workspaces/pom.xml +++ b/services/workspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 workspaces AWS Java SDK :: Services :: Amazon WorkSpaces diff --git a/services/workspacesthinclient/pom.xml b/services/workspacesthinclient/pom.xml index ea2bd67d1a57..48c7de2a8ae3 100644 --- a/services/workspacesthinclient/pom.xml +++ b/services/workspacesthinclient/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 workspacesthinclient AWS Java SDK :: Services :: Work Spaces Thin Client diff --git a/services/workspacesweb/pom.xml b/services/workspacesweb/pom.xml index 5f5e91266938..de5766c58809 100644 --- a/services/workspacesweb/pom.xml +++ b/services/workspacesweb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 workspacesweb AWS Java SDK :: Services :: Work Spaces Web diff --git a/services/xray/pom.xml b/services/xray/pom.xml index e843bb620a0d..80d3fd372adc 100644 --- a/services/xray/pom.xml +++ b/services/xray/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3-SNAPSHOT + 2.28.3 xray AWS Java SDK :: Services :: AWS X-Ray diff --git a/test/auth-tests/pom.xml b/test/auth-tests/pom.xml index d447b82da62a..1031d7195ebc 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.3-SNAPSHOT + 2.28.3 ../../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 68ecf3886aff..57bab4cca3ca 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.3-SNAPSHOT + 2.28.3 ../../pom.xml 4.0.0 diff --git a/test/bundle-shading-tests/pom.xml b/test/bundle-shading-tests/pom.xml index 1f66060b9a2a..39a4014f7b0a 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.3-SNAPSHOT + 2.28.3 ../../pom.xml 4.0.0 diff --git a/test/codegen-generated-classes-test/pom.xml b/test/codegen-generated-classes-test/pom.xml index 61896cf0cd9a..b1bc7e388b72 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.3-SNAPSHOT + 2.28.3 ../../pom.xml diff --git a/test/crt-unavailable-tests/pom.xml b/test/crt-unavailable-tests/pom.xml index 4c10ac9ffa78..85cd6b63709d 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.3-SNAPSHOT + 2.28.3 ../../pom.xml 4.0.0 diff --git a/test/http-client-tests/pom.xml b/test/http-client-tests/pom.xml index 8c45562b4c29..bdec21df5f40 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.3-SNAPSHOT + 2.28.3 ../../pom.xml http-client-tests diff --git a/test/module-path-tests/pom.xml b/test/module-path-tests/pom.xml index 9dee9f9494c7..be2596e0da1b 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.3-SNAPSHOT + 2.28.3 ../../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 3653ed09c366..1cf1533ca533 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.3-SNAPSHOT + 2.28.3 ../../pom.xml diff --git a/test/protocol-tests-core/pom.xml b/test/protocol-tests-core/pom.xml index 77ce67abd506..e3d3c685e109 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.3-SNAPSHOT + 2.28.3 ../../pom.xml 4.0.0 diff --git a/test/protocol-tests/pom.xml b/test/protocol-tests/pom.xml index 17640b438c10..cf6296210a3a 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.3-SNAPSHOT + 2.28.3 ../../pom.xml 4.0.0 diff --git a/test/region-testing/pom.xml b/test/region-testing/pom.xml index be4b9b66264d..d7754b4caa2c 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.3-SNAPSHOT + 2.28.3 ../../pom.xml 4.0.0 diff --git a/test/ruleset-testing-core/pom.xml b/test/ruleset-testing-core/pom.xml index 0f9107cd7b26..f77cb9755796 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.3-SNAPSHOT + 2.28.3 ../../pom.xml 4.0.0 diff --git a/test/s3-benchmarks/pom.xml b/test/s3-benchmarks/pom.xml index 4e42c0a58418..f69383e420f9 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.3-SNAPSHOT + 2.28.3 ../../pom.xml 4.0.0 diff --git a/test/sdk-benchmarks/pom.xml b/test/sdk-benchmarks/pom.xml index af90b8983293..9cd138a6d3e9 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.3-SNAPSHOT + 2.28.3 ../../pom.xml diff --git a/test/sdk-native-image-test/pom.xml b/test/sdk-native-image-test/pom.xml index 538675d1e83d..fd2213509942 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.3-SNAPSHOT + 2.28.3 ../../pom.xml 4.0.0 diff --git a/test/service-test-utils/pom.xml b/test/service-test-utils/pom.xml index 349427ef5b12..31cf4643f3cf 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.3-SNAPSHOT + 2.28.3 ../../pom.xml service-test-utils diff --git a/test/stability-tests/pom.xml b/test/stability-tests/pom.xml index 072f01015c0e..b3b77ed76412 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.3-SNAPSHOT + 2.28.3 ../../pom.xml 4.0.0 diff --git a/test/test-utils/pom.xml b/test/test-utils/pom.xml index 7b758c31417a..ae15e5ab38bb 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.3-SNAPSHOT + 2.28.3 ../../pom.xml test-utils diff --git a/test/tests-coverage-reporting/pom.xml b/test/tests-coverage-reporting/pom.xml index 56702420201f..5944bbb320ad 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.3-SNAPSHOT + 2.28.3 ../../pom.xml 4.0.0 diff --git a/test/v2-migration-tests/pom.xml b/test/v2-migration-tests/pom.xml index 6ceaa53552ea..25b5d985fa62 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.3-SNAPSHOT + 2.28.3 ../.. diff --git a/third-party/pom.xml b/third-party/pom.xml index 096fe0c69f08..cc9375834eac 100644 --- a/third-party/pom.xml +++ b/third-party/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.3-SNAPSHOT + 2.28.3 third-party diff --git a/third-party/third-party-jackson-core/pom.xml b/third-party/third-party-jackson-core/pom.xml index 8fc0a075fd01..648ec9b2fad7 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.3-SNAPSHOT + 2.28.3 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 bbed850b20c2..e55f567164dc 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.3-SNAPSHOT + 2.28.3 4.0.0 diff --git a/third-party/third-party-slf4j-api/pom.xml b/third-party/third-party-slf4j-api/pom.xml index 01ecb070dceb..6e3658746b38 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.3-SNAPSHOT + 2.28.3 4.0.0 diff --git a/utils/pom.xml b/utils/pom.xml index f665241ae05d..10d74aa64a73 100644 --- a/utils/pom.xml +++ b/utils/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.3-SNAPSHOT + 2.28.3 4.0.0 diff --git a/v2-migration/pom.xml b/v2-migration/pom.xml index 23a7fcaf1526..995e2f36849c 100644 --- a/v2-migration/pom.xml +++ b/v2-migration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.3-SNAPSHOT + 2.28.3 ../pom.xml From c5ffece540ff7b492bcb450e498cf8b27e022c1e Mon Sep 17 00:00:00 2001 From: AWS <> Date: Tue, 17 Sep 2024 18:55:50 +0000 Subject: [PATCH 108/108] Update to next snapshot version: 2.28.4-SNAPSHOT --- 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/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 +- metric-publishers/cloudwatch-metric-publisher/pom.xml | 2 +- metric-publishers/pom.xml | 2 +- pom.xml | 4 ++-- 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 +- services-custom/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/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 +- services/licensemanagerlinuxsubscriptions/pom.xml | 2 +- services/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/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 +- services/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/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/worklink/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 +- test/bundle-logging-bridge-binding-test/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 +- test/old-client-version-compatibility-test/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 +- third-party/third-party-jackson-dataformat-cbor/pom.xml | 2 +- third-party/third-party-slf4j-api/pom.xml | 2 +- utils/pom.xml | 2 +- v2-migration/pom.xml | 2 +- 469 files changed, 470 insertions(+), 470 deletions(-) diff --git a/archetypes/archetype-app-quickstart/pom.xml b/archetypes/archetype-app-quickstart/pom.xml index c916ee5e52bf..ec08605b6949 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.3 + 2.28.4-SNAPSHOT 4.0.0 diff --git a/archetypes/archetype-lambda/pom.xml b/archetypes/archetype-lambda/pom.xml index f3db430f08bc..0a6d0f82babb 100644 --- a/archetypes/archetype-lambda/pom.xml +++ b/archetypes/archetype-lambda/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.28.3 + 2.28.4-SNAPSHOT 4.0.0 archetype-lambda diff --git a/archetypes/archetype-tools/pom.xml b/archetypes/archetype-tools/pom.xml index 84e9e6df185b..e4481f1f6b2e 100644 --- a/archetypes/archetype-tools/pom.xml +++ b/archetypes/archetype-tools/pom.xml @@ -20,7 +20,7 @@ archetypes software.amazon.awssdk - 2.28.3 + 2.28.4-SNAPSHOT 4.0.0 diff --git a/archetypes/pom.xml b/archetypes/pom.xml index f2cba78c5f18..55abc1738544 100644 --- a/archetypes/pom.xml +++ b/archetypes/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.3 + 2.28.4-SNAPSHOT 4.0.0 archetypes diff --git a/aws-sdk-java/pom.xml b/aws-sdk-java/pom.xml index 2a3d5567d625..8a9b7efe2647 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.3 + 2.28.4-SNAPSHOT ../pom.xml aws-sdk-java diff --git a/bom-internal/pom.xml b/bom-internal/pom.xml index 311d3cb8c89e..adebb4cdc1d1 100644 --- a/bom-internal/pom.xml +++ b/bom-internal/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.3 + 2.28.4-SNAPSHOT 4.0.0 diff --git a/bom/pom.xml b/bom/pom.xml index a7032634089a..90e656bb5a12 100644 --- a/bom/pom.xml +++ b/bom/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.3 + 2.28.4-SNAPSHOT ../pom.xml bom diff --git a/bundle-logging-bridge/pom.xml b/bundle-logging-bridge/pom.xml index ec234e9fa01a..d635e6f3a8d5 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.3 + 2.28.4-SNAPSHOT bundle-logging-bridge jar diff --git a/bundle-sdk/pom.xml b/bundle-sdk/pom.xml index d847a97ccb85..ead303616c73 100644 --- a/bundle-sdk/pom.xml +++ b/bundle-sdk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.3 + 2.28.4-SNAPSHOT bundle-sdk jar diff --git a/bundle/pom.xml b/bundle/pom.xml index 70d17e27cd8e..2b0311c2857c 100644 --- a/bundle/pom.xml +++ b/bundle/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.3 + 2.28.4-SNAPSHOT bundle jar diff --git a/codegen-lite-maven-plugin/pom.xml b/codegen-lite-maven-plugin/pom.xml index f23500ded3a1..213ab683931d 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.3 + 2.28.4-SNAPSHOT ../pom.xml codegen-lite-maven-plugin diff --git a/codegen-lite/pom.xml b/codegen-lite/pom.xml index f2e465049435..3a5003a96de4 100644 --- a/codegen-lite/pom.xml +++ b/codegen-lite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.3 + 2.28.4-SNAPSHOT codegen-lite AWS Java SDK :: Code Generator Lite diff --git a/codegen-maven-plugin/pom.xml b/codegen-maven-plugin/pom.xml index 77fe6e556968..7c3198e8b24a 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.3 + 2.28.4-SNAPSHOT ../pom.xml codegen-maven-plugin diff --git a/codegen/pom.xml b/codegen/pom.xml index d0183e1e32c8..d69b61f9b8fe 100644 --- a/codegen/pom.xml +++ b/codegen/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.3 + 2.28.4-SNAPSHOT codegen AWS Java SDK :: Code Generator diff --git a/core/annotations/pom.xml b/core/annotations/pom.xml index ffdc1f2866a9..aa4a11168394 100644 --- a/core/annotations/pom.xml +++ b/core/annotations/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.3 + 2.28.4-SNAPSHOT 4.0.0 diff --git a/core/arns/pom.xml b/core/arns/pom.xml index 9523dddcc31b..d380544afe9b 100644 --- a/core/arns/pom.xml +++ b/core/arns/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.3 + 2.28.4-SNAPSHOT 4.0.0 diff --git a/core/auth-crt/pom.xml b/core/auth-crt/pom.xml index 6cebf74e1a7e..e014b9b05eae 100644 --- a/core/auth-crt/pom.xml +++ b/core/auth-crt/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.3 + 2.28.4-SNAPSHOT auth-crt diff --git a/core/auth/pom.xml b/core/auth/pom.xml index 7622c84d9fb6..5d037fbb773a 100644 --- a/core/auth/pom.xml +++ b/core/auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.3 + 2.28.4-SNAPSHOT auth diff --git a/core/aws-core/pom.xml b/core/aws-core/pom.xml index da3bc62b0104..544e60808d93 100644 --- a/core/aws-core/pom.xml +++ b/core/aws-core/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.3 + 2.28.4-SNAPSHOT aws-core diff --git a/core/checksums-spi/pom.xml b/core/checksums-spi/pom.xml index 3f51d9def150..5fe31d56092a 100644 --- a/core/checksums-spi/pom.xml +++ b/core/checksums-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.3 + 2.28.4-SNAPSHOT checksums-spi diff --git a/core/checksums/pom.xml b/core/checksums/pom.xml index c1dbd5e4afd7..072c0bd801e7 100644 --- a/core/checksums/pom.xml +++ b/core/checksums/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.3 + 2.28.4-SNAPSHOT checksums diff --git a/core/crt-core/pom.xml b/core/crt-core/pom.xml index 3bbadffcb9db..96c71c69c97d 100644 --- a/core/crt-core/pom.xml +++ b/core/crt-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.28.3 + 2.28.4-SNAPSHOT crt-core diff --git a/core/endpoints-spi/pom.xml b/core/endpoints-spi/pom.xml index b13807afd63e..cfa2b680f9b5 100644 --- a/core/endpoints-spi/pom.xml +++ b/core/endpoints-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.3 + 2.28.4-SNAPSHOT 4.0.0 diff --git a/core/http-auth-aws-crt/pom.xml b/core/http-auth-aws-crt/pom.xml index edc5c8c2f9ce..0d66878ada25 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.3 + 2.28.4-SNAPSHOT http-auth-aws-crt diff --git a/core/http-auth-aws-eventstream/pom.xml b/core/http-auth-aws-eventstream/pom.xml index 4aedb9515001..b7418a2dda8e 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.3 + 2.28.4-SNAPSHOT http-auth-aws-eventstream diff --git a/core/http-auth-aws/pom.xml b/core/http-auth-aws/pom.xml index 0046da8b6239..22def0ccf64d 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.3 + 2.28.4-SNAPSHOT http-auth-aws diff --git a/core/http-auth-spi/pom.xml b/core/http-auth-spi/pom.xml index b98d796b1375..cd4237f69aea 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.3 + 2.28.4-SNAPSHOT http-auth-spi diff --git a/core/http-auth/pom.xml b/core/http-auth/pom.xml index 55a02de96b05..e316bc97751f 100644 --- a/core/http-auth/pom.xml +++ b/core/http-auth/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.3 + 2.28.4-SNAPSHOT http-auth diff --git a/core/identity-spi/pom.xml b/core/identity-spi/pom.xml index f2cbdbbed616..aec42a31efde 100644 --- a/core/identity-spi/pom.xml +++ b/core/identity-spi/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.3 + 2.28.4-SNAPSHOT identity-spi diff --git a/core/imds/pom.xml b/core/imds/pom.xml index 58f5fd07c7b7..2806773ee52f 100644 --- a/core/imds/pom.xml +++ b/core/imds/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.3 + 2.28.4-SNAPSHOT 4.0.0 imds diff --git a/core/json-utils/pom.xml b/core/json-utils/pom.xml index 780c3d3ec44b..6ed1ec6b92e4 100644 --- a/core/json-utils/pom.xml +++ b/core/json-utils/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.3 + 2.28.4-SNAPSHOT 4.0.0 diff --git a/core/metrics-spi/pom.xml b/core/metrics-spi/pom.xml index eb431b2cdc10..7b01ed1c3e48 100644 --- a/core/metrics-spi/pom.xml +++ b/core/metrics-spi/pom.xml @@ -5,7 +5,7 @@ core software.amazon.awssdk - 2.28.3 + 2.28.4-SNAPSHOT 4.0.0 diff --git a/core/pom.xml b/core/pom.xml index f9ba2733ac76..02d6279370cd 100644 --- a/core/pom.xml +++ b/core/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.3 + 2.28.4-SNAPSHOT core diff --git a/core/profiles/pom.xml b/core/profiles/pom.xml index 0ddd016667db..4433520a8aa0 100644 --- a/core/profiles/pom.xml +++ b/core/profiles/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.3 + 2.28.4-SNAPSHOT profiles diff --git a/core/protocols/aws-cbor-protocol/pom.xml b/core/protocols/aws-cbor-protocol/pom.xml index 5b3348a3c256..3836ec5f528c 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.3 + 2.28.4-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-json-protocol/pom.xml b/core/protocols/aws-json-protocol/pom.xml index 9accb93bc961..e579674e96cc 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.3 + 2.28.4-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-query-protocol/pom.xml b/core/protocols/aws-query-protocol/pom.xml index 49148c5ff168..0aa2e8e98c3f 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.3 + 2.28.4-SNAPSHOT 4.0.0 diff --git a/core/protocols/aws-xml-protocol/pom.xml b/core/protocols/aws-xml-protocol/pom.xml index b5b0323bf787..5d36181b224a 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.3 + 2.28.4-SNAPSHOT 4.0.0 diff --git a/core/protocols/pom.xml b/core/protocols/pom.xml index 3634f0056db6..6d7ecc4cf9c4 100644 --- a/core/protocols/pom.xml +++ b/core/protocols/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.3 + 2.28.4-SNAPSHOT 4.0.0 diff --git a/core/protocols/protocol-core/pom.xml b/core/protocols/protocol-core/pom.xml index 6c3e7e0d3c62..9c729b4e97c5 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.3 + 2.28.4-SNAPSHOT 4.0.0 diff --git a/core/regions/pom.xml b/core/regions/pom.xml index d027d260c4dd..2f2f6e64d299 100644 --- a/core/regions/pom.xml +++ b/core/regions/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk core - 2.28.3 + 2.28.4-SNAPSHOT regions diff --git a/core/retries-spi/pom.xml b/core/retries-spi/pom.xml index 28b02f32fb73..34ade6369e7f 100644 --- a/core/retries-spi/pom.xml +++ b/core/retries-spi/pom.xml @@ -20,7 +20,7 @@ core software.amazon.awssdk - 2.28.3 + 2.28.4-SNAPSHOT 4.0.0 diff --git a/core/retries/pom.xml b/core/retries/pom.xml index 425ceb609018..b5d092aeb6bd 100644 --- a/core/retries/pom.xml +++ b/core/retries/pom.xml @@ -21,7 +21,7 @@ core software.amazon.awssdk - 2.28.3 + 2.28.4-SNAPSHOT 4.0.0 diff --git a/core/sdk-core/pom.xml b/core/sdk-core/pom.xml index 643a253c7b6b..5814cc37317f 100644 --- a/core/sdk-core/pom.xml +++ b/core/sdk-core/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk core - 2.28.3 + 2.28.4-SNAPSHOT sdk-core AWS Java SDK :: SDK Core diff --git a/http-client-spi/pom.xml b/http-client-spi/pom.xml index 4326d312f637..2ecb768ee18e 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.3 + 2.28.4-SNAPSHOT http-client-spi AWS Java SDK :: HTTP Client Interface diff --git a/http-clients/apache-client/pom.xml b/http-clients/apache-client/pom.xml index 4f5c222da5c3..5cba2f4b1bf7 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.3 + 2.28.4-SNAPSHOT apache-client diff --git a/http-clients/aws-crt-client/pom.xml b/http-clients/aws-crt-client/pom.xml index c27e3715ec8a..e5b833b911fa 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.3 + 2.28.4-SNAPSHOT 4.0.0 diff --git a/http-clients/netty-nio-client/pom.xml b/http-clients/netty-nio-client/pom.xml index 1edc6aa671cc..9c5cadaf119e 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.3 + 2.28.4-SNAPSHOT 4.0.0 diff --git a/http-clients/pom.xml b/http-clients/pom.xml index 71e5426affe6..03d36ab0bcd0 100644 --- a/http-clients/pom.xml +++ b/http-clients/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.3 + 2.28.4-SNAPSHOT 4.0.0 diff --git a/http-clients/url-connection-client/pom.xml b/http-clients/url-connection-client/pom.xml index 5f6e11fd1b68..56c10d2dcb03 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.3 + 2.28.4-SNAPSHOT 4.0.0 diff --git a/metric-publishers/cloudwatch-metric-publisher/pom.xml b/metric-publishers/cloudwatch-metric-publisher/pom.xml index ad4da0a6d464..bf183e49667f 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.3 + 2.28.4-SNAPSHOT cloudwatch-metric-publisher diff --git a/metric-publishers/pom.xml b/metric-publishers/pom.xml index cfb463b052ae..66a5dc4d3f90 100644 --- a/metric-publishers/pom.xml +++ b/metric-publishers/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.3 + 2.28.4-SNAPSHOT metric-publishers diff --git a/pom.xml b/pom.xml index a94299a870fa..7f7eeb2e74d7 100644 --- a/pom.xml +++ b/pom.xml @@ -20,7 +20,7 @@ 4.0.0 software.amazon.awssdk aws-sdk-java-pom - 2.28.3 + 2.28.4-SNAPSHOT pom AWS Java SDK :: Parent The Amazon Web Services SDK for Java provides Java APIs @@ -99,7 +99,7 @@ ${project.version} - 2.28.2 + 2.28.3 2.15.2 2.15.2 2.13.2 diff --git a/release-scripts/pom.xml b/release-scripts/pom.xml index 4c1b5c459e14..9b81cf7b67f8 100644 --- a/release-scripts/pom.xml +++ b/release-scripts/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.3 + 2.28.4-SNAPSHOT ../pom.xml release-scripts diff --git a/services-custom/dynamodb-enhanced/pom.xml b/services-custom/dynamodb-enhanced/pom.xml index 7689528f5f94..55125641957b 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.3 + 2.28.4-SNAPSHOT dynamodb-enhanced AWS Java SDK :: DynamoDB :: Enhanced Client diff --git a/services-custom/iam-policy-builder/pom.xml b/services-custom/iam-policy-builder/pom.xml index c2c9fb1158a7..a7e383fc5822 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.3 + 2.28.4-SNAPSHOT ../../pom.xml iam-policy-builder diff --git a/services-custom/pom.xml b/services-custom/pom.xml index f1da7b1fc39a..d3f3678511d7 100644 --- a/services-custom/pom.xml +++ b/services-custom/pom.xml @@ -19,7 +19,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.3 + 2.28.4-SNAPSHOT services-custom AWS Java SDK :: Custom Services diff --git a/services-custom/s3-event-notifications/pom.xml b/services-custom/s3-event-notifications/pom.xml index 0a0e092478b8..5b180a0dab85 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.3 + 2.28.4-SNAPSHOT ../../pom.xml s3-event-notifications diff --git a/services-custom/s3-transfer-manager/pom.xml b/services-custom/s3-transfer-manager/pom.xml index 4bacbff605f3..7bb3212a85d4 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.3 + 2.28.4-SNAPSHOT ../../pom.xml s3-transfer-manager diff --git a/services/accessanalyzer/pom.xml b/services/accessanalyzer/pom.xml index ddc7e53f44c6..1089c82a3178 100644 --- a/services/accessanalyzer/pom.xml +++ b/services/accessanalyzer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT accessanalyzer AWS Java SDK :: Services :: AccessAnalyzer diff --git a/services/account/pom.xml b/services/account/pom.xml index 77fae553e3d4..587649bf3917 100644 --- a/services/account/pom.xml +++ b/services/account/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT account AWS Java SDK :: Services :: Account diff --git a/services/acm/pom.xml b/services/acm/pom.xml index 4f6ee8fae2a0..d6ed99940800 100644 --- a/services/acm/pom.xml +++ b/services/acm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT acm AWS Java SDK :: Services :: AWS Certificate Manager diff --git a/services/acmpca/pom.xml b/services/acmpca/pom.xml index 08b35f44ea7c..ddc15ec50180 100644 --- a/services/acmpca/pom.xml +++ b/services/acmpca/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT acmpca AWS Java SDK :: Services :: ACM PCA diff --git a/services/amp/pom.xml b/services/amp/pom.xml index 200839b60132..bce8a3bb5521 100644 --- a/services/amp/pom.xml +++ b/services/amp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT amp AWS Java SDK :: Services :: Amp diff --git a/services/amplify/pom.xml b/services/amplify/pom.xml index 55544651cdda..487dd7de07cb 100644 --- a/services/amplify/pom.xml +++ b/services/amplify/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT amplify AWS Java SDK :: Services :: Amplify diff --git a/services/amplifybackend/pom.xml b/services/amplifybackend/pom.xml index d7e2cbd1bed4..28e10c53c0d5 100644 --- a/services/amplifybackend/pom.xml +++ b/services/amplifybackend/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT amplifybackend AWS Java SDK :: Services :: Amplify Backend diff --git a/services/amplifyuibuilder/pom.xml b/services/amplifyuibuilder/pom.xml index dd1e66f71783..abb3fe078073 100644 --- a/services/amplifyuibuilder/pom.xml +++ b/services/amplifyuibuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT amplifyuibuilder AWS Java SDK :: Services :: Amplify UI Builder diff --git a/services/apigateway/pom.xml b/services/apigateway/pom.xml index b5e58767427e..32b48ff043d8 100644 --- a/services/apigateway/pom.xml +++ b/services/apigateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT apigateway AWS Java SDK :: Services :: Amazon API Gateway diff --git a/services/apigatewaymanagementapi/pom.xml b/services/apigatewaymanagementapi/pom.xml index e861a007eccc..6e2063dfb999 100644 --- a/services/apigatewaymanagementapi/pom.xml +++ b/services/apigatewaymanagementapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT apigatewaymanagementapi AWS Java SDK :: Services :: ApiGatewayManagementApi diff --git a/services/apigatewayv2/pom.xml b/services/apigatewayv2/pom.xml index fc16fe6da0b2..d2d088730449 100644 --- a/services/apigatewayv2/pom.xml +++ b/services/apigatewayv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT apigatewayv2 AWS Java SDK :: Services :: ApiGatewayV2 diff --git a/services/appconfig/pom.xml b/services/appconfig/pom.xml index 7768d85095c2..17620a6f1850 100644 --- a/services/appconfig/pom.xml +++ b/services/appconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT appconfig AWS Java SDK :: Services :: AppConfig diff --git a/services/appconfigdata/pom.xml b/services/appconfigdata/pom.xml index fc96c321c6e2..1e4275c34a34 100644 --- a/services/appconfigdata/pom.xml +++ b/services/appconfigdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT appconfigdata AWS Java SDK :: Services :: App Config Data diff --git a/services/appfabric/pom.xml b/services/appfabric/pom.xml index d8166ddc715e..50b6e67f1a6f 100644 --- a/services/appfabric/pom.xml +++ b/services/appfabric/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT appfabric AWS Java SDK :: Services :: App Fabric diff --git a/services/appflow/pom.xml b/services/appflow/pom.xml index 719cbcf5c656..3557295d2086 100644 --- a/services/appflow/pom.xml +++ b/services/appflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT appflow AWS Java SDK :: Services :: Appflow diff --git a/services/appintegrations/pom.xml b/services/appintegrations/pom.xml index f8f4e5096753..a816e0651f63 100644 --- a/services/appintegrations/pom.xml +++ b/services/appintegrations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT appintegrations AWS Java SDK :: Services :: App Integrations diff --git a/services/applicationautoscaling/pom.xml b/services/applicationautoscaling/pom.xml index 226c3e31b9e8..69d88b2063fb 100644 --- a/services/applicationautoscaling/pom.xml +++ b/services/applicationautoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT applicationautoscaling AWS Java SDK :: Services :: AWS Application Auto Scaling diff --git a/services/applicationcostprofiler/pom.xml b/services/applicationcostprofiler/pom.xml index cbaed520b9dc..cbbf4a27531b 100644 --- a/services/applicationcostprofiler/pom.xml +++ b/services/applicationcostprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT applicationcostprofiler AWS Java SDK :: Services :: Application Cost Profiler diff --git a/services/applicationdiscovery/pom.xml b/services/applicationdiscovery/pom.xml index 008c8e912cd7..87dfe6708d19 100644 --- a/services/applicationdiscovery/pom.xml +++ b/services/applicationdiscovery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT applicationdiscovery AWS Java SDK :: Services :: AWS Application Discovery Service diff --git a/services/applicationinsights/pom.xml b/services/applicationinsights/pom.xml index a58b508e602f..a9dcf6edfefd 100644 --- a/services/applicationinsights/pom.xml +++ b/services/applicationinsights/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT applicationinsights AWS Java SDK :: Services :: Application Insights diff --git a/services/applicationsignals/pom.xml b/services/applicationsignals/pom.xml index 7a75d7f28900..e96a42e028c7 100644 --- a/services/applicationsignals/pom.xml +++ b/services/applicationsignals/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT applicationsignals AWS Java SDK :: Services :: Application Signals diff --git a/services/appmesh/pom.xml b/services/appmesh/pom.xml index 7f0c3139caea..e38a584f1422 100644 --- a/services/appmesh/pom.xml +++ b/services/appmesh/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT appmesh AWS Java SDK :: Services :: App Mesh diff --git a/services/apprunner/pom.xml b/services/apprunner/pom.xml index bd76b7e810f2..41675cf262db 100644 --- a/services/apprunner/pom.xml +++ b/services/apprunner/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT apprunner AWS Java SDK :: Services :: App Runner diff --git a/services/appstream/pom.xml b/services/appstream/pom.xml index 00e611b2c00c..366b9cb56330 100644 --- a/services/appstream/pom.xml +++ b/services/appstream/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT appstream AWS Java SDK :: Services :: Amazon AppStream diff --git a/services/appsync/pom.xml b/services/appsync/pom.xml index ba7cb78f8b02..494a7c25afba 100644 --- a/services/appsync/pom.xml +++ b/services/appsync/pom.xml @@ -21,7 +21,7 @@ services software.amazon.awssdk - 2.28.3 + 2.28.4-SNAPSHOT appsync diff --git a/services/apptest/pom.xml b/services/apptest/pom.xml index 969739bdbe3c..b62f088e34ed 100644 --- a/services/apptest/pom.xml +++ b/services/apptest/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT apptest AWS Java SDK :: Services :: App Test diff --git a/services/arczonalshift/pom.xml b/services/arczonalshift/pom.xml index a97568b207bb..fac2168aea97 100644 --- a/services/arczonalshift/pom.xml +++ b/services/arczonalshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT arczonalshift AWS Java SDK :: Services :: ARC Zonal Shift diff --git a/services/artifact/pom.xml b/services/artifact/pom.xml index 4e1c8af11b81..6e4255005b9d 100644 --- a/services/artifact/pom.xml +++ b/services/artifact/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT artifact AWS Java SDK :: Services :: Artifact diff --git a/services/athena/pom.xml b/services/athena/pom.xml index 12a408218f88..61be809d50ff 100644 --- a/services/athena/pom.xml +++ b/services/athena/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT athena AWS Java SDK :: Services :: Amazon Athena diff --git a/services/auditmanager/pom.xml b/services/auditmanager/pom.xml index e425f5a0a1e7..5baf91070f9e 100644 --- a/services/auditmanager/pom.xml +++ b/services/auditmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT auditmanager AWS Java SDK :: Services :: Audit Manager diff --git a/services/autoscaling/pom.xml b/services/autoscaling/pom.xml index 846df1322938..05cb7a1fdac9 100644 --- a/services/autoscaling/pom.xml +++ b/services/autoscaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT autoscaling AWS Java SDK :: Services :: Auto Scaling diff --git a/services/autoscalingplans/pom.xml b/services/autoscalingplans/pom.xml index a479e2e06eb4..f4b926821d2b 100644 --- a/services/autoscalingplans/pom.xml +++ b/services/autoscalingplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT autoscalingplans AWS Java SDK :: Services :: Auto Scaling Plans diff --git a/services/b2bi/pom.xml b/services/b2bi/pom.xml index f2bf8fc3eb23..2bc8c9c60b76 100644 --- a/services/b2bi/pom.xml +++ b/services/b2bi/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT b2bi AWS Java SDK :: Services :: B2 Bi diff --git a/services/backup/pom.xml b/services/backup/pom.xml index 1c3d372d9285..a752f68bba39 100644 --- a/services/backup/pom.xml +++ b/services/backup/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT backup AWS Java SDK :: Services :: Backup diff --git a/services/backupgateway/pom.xml b/services/backupgateway/pom.xml index 3fe89928f805..2da8c0b0dd2f 100644 --- a/services/backupgateway/pom.xml +++ b/services/backupgateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT backupgateway AWS Java SDK :: Services :: Backup Gateway diff --git a/services/batch/pom.xml b/services/batch/pom.xml index 18e6cfc7f7de..df77a16dc86b 100644 --- a/services/batch/pom.xml +++ b/services/batch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT batch AWS Java SDK :: Services :: AWS Batch diff --git a/services/bcmdataexports/pom.xml b/services/bcmdataexports/pom.xml index 6d2cc2671099..5b8529180b50 100644 --- a/services/bcmdataexports/pom.xml +++ b/services/bcmdataexports/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT bcmdataexports AWS Java SDK :: Services :: BCM Data Exports diff --git a/services/bedrock/pom.xml b/services/bedrock/pom.xml index 1befa3a77902..25048ac9c548 100644 --- a/services/bedrock/pom.xml +++ b/services/bedrock/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT bedrock AWS Java SDK :: Services :: Bedrock diff --git a/services/bedrockagent/pom.xml b/services/bedrockagent/pom.xml index 28d612688744..05543bc16cea 100644 --- a/services/bedrockagent/pom.xml +++ b/services/bedrockagent/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT bedrockagent AWS Java SDK :: Services :: Bedrock Agent diff --git a/services/bedrockagentruntime/pom.xml b/services/bedrockagentruntime/pom.xml index 021e28d6ac03..74c9f5525e6c 100644 --- a/services/bedrockagentruntime/pom.xml +++ b/services/bedrockagentruntime/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT bedrockagentruntime AWS Java SDK :: Services :: Bedrock Agent Runtime diff --git a/services/bedrockruntime/pom.xml b/services/bedrockruntime/pom.xml index c6c2b850d8f0..6dbfb198bddd 100644 --- a/services/bedrockruntime/pom.xml +++ b/services/bedrockruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT bedrockruntime AWS Java SDK :: Services :: Bedrock Runtime diff --git a/services/billingconductor/pom.xml b/services/billingconductor/pom.xml index c61a5b104478..a3a4623f61e8 100644 --- a/services/billingconductor/pom.xml +++ b/services/billingconductor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT billingconductor AWS Java SDK :: Services :: Billingconductor diff --git a/services/braket/pom.xml b/services/braket/pom.xml index 5f86e817af30..7f3acaea2190 100644 --- a/services/braket/pom.xml +++ b/services/braket/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT braket AWS Java SDK :: Services :: Braket diff --git a/services/budgets/pom.xml b/services/budgets/pom.xml index fcbd983c77f3..8656d8baac63 100644 --- a/services/budgets/pom.xml +++ b/services/budgets/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT budgets AWS Java SDK :: Services :: AWS Budgets diff --git a/services/chatbot/pom.xml b/services/chatbot/pom.xml index 67f87c77d755..0ef7039ba877 100644 --- a/services/chatbot/pom.xml +++ b/services/chatbot/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT chatbot AWS Java SDK :: Services :: Chatbot diff --git a/services/chime/pom.xml b/services/chime/pom.xml index d6c6b993626b..3122f8308fb0 100644 --- a/services/chime/pom.xml +++ b/services/chime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT chime AWS Java SDK :: Services :: Chime diff --git a/services/chimesdkidentity/pom.xml b/services/chimesdkidentity/pom.xml index f57f38d87ba0..9530f01b00dc 100644 --- a/services/chimesdkidentity/pom.xml +++ b/services/chimesdkidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT chimesdkidentity AWS Java SDK :: Services :: Chime SDK Identity diff --git a/services/chimesdkmediapipelines/pom.xml b/services/chimesdkmediapipelines/pom.xml index f75fa4acb9d6..6e8be2ffb129 100644 --- a/services/chimesdkmediapipelines/pom.xml +++ b/services/chimesdkmediapipelines/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT chimesdkmediapipelines AWS Java SDK :: Services :: Chime SDK Media Pipelines diff --git a/services/chimesdkmeetings/pom.xml b/services/chimesdkmeetings/pom.xml index 5809f288d9bc..3c06d1c04d40 100644 --- a/services/chimesdkmeetings/pom.xml +++ b/services/chimesdkmeetings/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT chimesdkmeetings AWS Java SDK :: Services :: Chime SDK Meetings diff --git a/services/chimesdkmessaging/pom.xml b/services/chimesdkmessaging/pom.xml index fb605089c671..0d70b64455cf 100644 --- a/services/chimesdkmessaging/pom.xml +++ b/services/chimesdkmessaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT chimesdkmessaging AWS Java SDK :: Services :: Chime SDK Messaging diff --git a/services/chimesdkvoice/pom.xml b/services/chimesdkvoice/pom.xml index 3637e7eec141..6e3a7e3e21dc 100644 --- a/services/chimesdkvoice/pom.xml +++ b/services/chimesdkvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT chimesdkvoice AWS Java SDK :: Services :: Chime SDK Voice diff --git a/services/cleanrooms/pom.xml b/services/cleanrooms/pom.xml index 3c39cab9cf30..1e31133f953f 100644 --- a/services/cleanrooms/pom.xml +++ b/services/cleanrooms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT cleanrooms AWS Java SDK :: Services :: Clean Rooms diff --git a/services/cleanroomsml/pom.xml b/services/cleanroomsml/pom.xml index 0adcb63cc32d..df8ee7580b60 100644 --- a/services/cleanroomsml/pom.xml +++ b/services/cleanroomsml/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT cleanroomsml AWS Java SDK :: Services :: Clean Rooms ML diff --git a/services/cloud9/pom.xml b/services/cloud9/pom.xml index 33d067543cbb..8d38d47339cb 100644 --- a/services/cloud9/pom.xml +++ b/services/cloud9/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3 + 2.28.4-SNAPSHOT 4.0.0 cloud9 diff --git a/services/cloudcontrol/pom.xml b/services/cloudcontrol/pom.xml index 87c8e33f58d2..47cc8e4761c1 100644 --- a/services/cloudcontrol/pom.xml +++ b/services/cloudcontrol/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT cloudcontrol AWS Java SDK :: Services :: Cloud Control diff --git a/services/clouddirectory/pom.xml b/services/clouddirectory/pom.xml index aeb4cf4c9247..f9b2097cdc7e 100644 --- a/services/clouddirectory/pom.xml +++ b/services/clouddirectory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT clouddirectory AWS Java SDK :: Services :: Amazon CloudDirectory diff --git a/services/cloudformation/pom.xml b/services/cloudformation/pom.xml index 1ec632b01101..e88a783e7be5 100644 --- a/services/cloudformation/pom.xml +++ b/services/cloudformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT cloudformation AWS Java SDK :: Services :: AWS CloudFormation diff --git a/services/cloudfront/pom.xml b/services/cloudfront/pom.xml index 1f615a2406fc..ccaf34f48397 100644 --- a/services/cloudfront/pom.xml +++ b/services/cloudfront/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT cloudfront AWS Java SDK :: Services :: Amazon CloudFront diff --git a/services/cloudfrontkeyvaluestore/pom.xml b/services/cloudfrontkeyvaluestore/pom.xml index 8c7a0528544d..cfba9029df45 100644 --- a/services/cloudfrontkeyvaluestore/pom.xml +++ b/services/cloudfrontkeyvaluestore/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT cloudfrontkeyvaluestore AWS Java SDK :: Services :: Cloud Front Key Value Store diff --git a/services/cloudhsm/pom.xml b/services/cloudhsm/pom.xml index 97839bfdbeb3..4ac7c0f57c2c 100644 --- a/services/cloudhsm/pom.xml +++ b/services/cloudhsm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT cloudhsm AWS Java SDK :: Services :: AWS CloudHSM diff --git a/services/cloudhsmv2/pom.xml b/services/cloudhsmv2/pom.xml index 26c5a36c2aba..880c13acc54c 100644 --- a/services/cloudhsmv2/pom.xml +++ b/services/cloudhsmv2/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3 + 2.28.4-SNAPSHOT 4.0.0 cloudhsmv2 diff --git a/services/cloudsearch/pom.xml b/services/cloudsearch/pom.xml index 9a9d19123d6d..8d410ca6a765 100644 --- a/services/cloudsearch/pom.xml +++ b/services/cloudsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT cloudsearch AWS Java SDK :: Services :: Amazon CloudSearch diff --git a/services/cloudsearchdomain/pom.xml b/services/cloudsearchdomain/pom.xml index c064760326b4..e3caba46a202 100644 --- a/services/cloudsearchdomain/pom.xml +++ b/services/cloudsearchdomain/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT cloudsearchdomain AWS Java SDK :: Services :: Amazon CloudSearch Domain diff --git a/services/cloudtrail/pom.xml b/services/cloudtrail/pom.xml index 1fc288376aae..eabb3ab6d15a 100644 --- a/services/cloudtrail/pom.xml +++ b/services/cloudtrail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT cloudtrail AWS Java SDK :: Services :: AWS CloudTrail diff --git a/services/cloudtraildata/pom.xml b/services/cloudtraildata/pom.xml index 22eb9672c3ea..0deb537703da 100644 --- a/services/cloudtraildata/pom.xml +++ b/services/cloudtraildata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT cloudtraildata AWS Java SDK :: Services :: Cloud Trail Data diff --git a/services/cloudwatch/pom.xml b/services/cloudwatch/pom.xml index 96813fa20d0a..dc313db2966c 100644 --- a/services/cloudwatch/pom.xml +++ b/services/cloudwatch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT cloudwatch AWS Java SDK :: Services :: Amazon CloudWatch diff --git a/services/cloudwatchevents/pom.xml b/services/cloudwatchevents/pom.xml index a16e02beba19..a75acb9278d4 100644 --- a/services/cloudwatchevents/pom.xml +++ b/services/cloudwatchevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT cloudwatchevents AWS Java SDK :: Services :: Amazon CloudWatch Events diff --git a/services/cloudwatchlogs/pom.xml b/services/cloudwatchlogs/pom.xml index 96259904f18c..eb37f882fbe3 100644 --- a/services/cloudwatchlogs/pom.xml +++ b/services/cloudwatchlogs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT cloudwatchlogs AWS Java SDK :: Services :: Amazon CloudWatch Logs diff --git a/services/codeartifact/pom.xml b/services/codeartifact/pom.xml index 20886b4675cc..231752959a35 100644 --- a/services/codeartifact/pom.xml +++ b/services/codeartifact/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT codeartifact AWS Java SDK :: Services :: Codeartifact diff --git a/services/codebuild/pom.xml b/services/codebuild/pom.xml index a34cd53b7f49..e0a3ba807c5e 100644 --- a/services/codebuild/pom.xml +++ b/services/codebuild/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT codebuild AWS Java SDK :: Services :: AWS Code Build diff --git a/services/codecatalyst/pom.xml b/services/codecatalyst/pom.xml index 57575a2eb3c3..9937cf36b56f 100644 --- a/services/codecatalyst/pom.xml +++ b/services/codecatalyst/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT codecatalyst AWS Java SDK :: Services :: Code Catalyst diff --git a/services/codecommit/pom.xml b/services/codecommit/pom.xml index 530ef96d6fd1..c61c584596bf 100644 --- a/services/codecommit/pom.xml +++ b/services/codecommit/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT codecommit AWS Java SDK :: Services :: AWS CodeCommit diff --git a/services/codeconnections/pom.xml b/services/codeconnections/pom.xml index 8107ac0a1a23..b8ffb15d0733 100644 --- a/services/codeconnections/pom.xml +++ b/services/codeconnections/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT codeconnections AWS Java SDK :: Services :: Code Connections diff --git a/services/codedeploy/pom.xml b/services/codedeploy/pom.xml index 529e55b70e00..4307ec9a7382 100644 --- a/services/codedeploy/pom.xml +++ b/services/codedeploy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT codedeploy AWS Java SDK :: Services :: AWS CodeDeploy diff --git a/services/codeguruprofiler/pom.xml b/services/codeguruprofiler/pom.xml index 27cec615cc85..3e29acc18fe6 100644 --- a/services/codeguruprofiler/pom.xml +++ b/services/codeguruprofiler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT codeguruprofiler AWS Java SDK :: Services :: CodeGuruProfiler diff --git a/services/codegurureviewer/pom.xml b/services/codegurureviewer/pom.xml index 7d3332209c7c..fe1a777ff42d 100644 --- a/services/codegurureviewer/pom.xml +++ b/services/codegurureviewer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT codegurureviewer AWS Java SDK :: Services :: CodeGuru Reviewer diff --git a/services/codegurusecurity/pom.xml b/services/codegurusecurity/pom.xml index c7ab500be59b..1912429ddda3 100644 --- a/services/codegurusecurity/pom.xml +++ b/services/codegurusecurity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT codegurusecurity AWS Java SDK :: Services :: Code Guru Security diff --git a/services/codepipeline/pom.xml b/services/codepipeline/pom.xml index 2318e7815f49..8a666bb6af59 100644 --- a/services/codepipeline/pom.xml +++ b/services/codepipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT codepipeline AWS Java SDK :: Services :: AWS CodePipeline diff --git a/services/codestarconnections/pom.xml b/services/codestarconnections/pom.xml index 2d1222a6b288..e2218692db87 100644 --- a/services/codestarconnections/pom.xml +++ b/services/codestarconnections/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT codestarconnections AWS Java SDK :: Services :: CodeStar connections diff --git a/services/codestarnotifications/pom.xml b/services/codestarnotifications/pom.xml index 14acd234ac17..0a081ce4e447 100644 --- a/services/codestarnotifications/pom.xml +++ b/services/codestarnotifications/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT codestarnotifications AWS Java SDK :: Services :: Codestar Notifications diff --git a/services/cognitoidentity/pom.xml b/services/cognitoidentity/pom.xml index a39733b0ce9b..ec84055068d9 100644 --- a/services/cognitoidentity/pom.xml +++ b/services/cognitoidentity/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT cognitoidentity AWS Java SDK :: Services :: Amazon Cognito Identity diff --git a/services/cognitoidentityprovider/pom.xml b/services/cognitoidentityprovider/pom.xml index 865fbda65bdf..008713b08882 100644 --- a/services/cognitoidentityprovider/pom.xml +++ b/services/cognitoidentityprovider/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT cognitoidentityprovider AWS Java SDK :: Services :: Amazon Cognito Identity Provider Service diff --git a/services/cognitosync/pom.xml b/services/cognitosync/pom.xml index fb71270fad27..ae896fdc9769 100644 --- a/services/cognitosync/pom.xml +++ b/services/cognitosync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT cognitosync AWS Java SDK :: Services :: Amazon Cognito Sync diff --git a/services/comprehend/pom.xml b/services/comprehend/pom.xml index 38fb8149e8cc..08383a26cd51 100644 --- a/services/comprehend/pom.xml +++ b/services/comprehend/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3 + 2.28.4-SNAPSHOT 4.0.0 comprehend diff --git a/services/comprehendmedical/pom.xml b/services/comprehendmedical/pom.xml index 3df80e9c99d2..a8b350b5c66f 100644 --- a/services/comprehendmedical/pom.xml +++ b/services/comprehendmedical/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT comprehendmedical AWS Java SDK :: Services :: ComprehendMedical diff --git a/services/computeoptimizer/pom.xml b/services/computeoptimizer/pom.xml index af9c8ffe8340..ac9891d32e3a 100644 --- a/services/computeoptimizer/pom.xml +++ b/services/computeoptimizer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT computeoptimizer AWS Java SDK :: Services :: Compute Optimizer diff --git a/services/config/pom.xml b/services/config/pom.xml index 88ecea46d265..5681b062d454 100644 --- a/services/config/pom.xml +++ b/services/config/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT config AWS Java SDK :: Services :: AWS Config diff --git a/services/connect/pom.xml b/services/connect/pom.xml index 4dc9a4160c4a..647e764e21df 100644 --- a/services/connect/pom.xml +++ b/services/connect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT connect AWS Java SDK :: Services :: Connect diff --git a/services/connectcampaigns/pom.xml b/services/connectcampaigns/pom.xml index 1bea33d2c356..44eeafa9b966 100644 --- a/services/connectcampaigns/pom.xml +++ b/services/connectcampaigns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT connectcampaigns AWS Java SDK :: Services :: Connect Campaigns diff --git a/services/connectcases/pom.xml b/services/connectcases/pom.xml index 7925ebb025b1..6ccbd0a6a2a2 100644 --- a/services/connectcases/pom.xml +++ b/services/connectcases/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT connectcases AWS Java SDK :: Services :: Connect Cases diff --git a/services/connectcontactlens/pom.xml b/services/connectcontactlens/pom.xml index db463815ddcd..6618600d69ab 100644 --- a/services/connectcontactlens/pom.xml +++ b/services/connectcontactlens/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT connectcontactlens AWS Java SDK :: Services :: Connect Contact Lens diff --git a/services/connectparticipant/pom.xml b/services/connectparticipant/pom.xml index 16603d662ee5..4e5c6f7f1d70 100644 --- a/services/connectparticipant/pom.xml +++ b/services/connectparticipant/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT connectparticipant AWS Java SDK :: Services :: ConnectParticipant diff --git a/services/controlcatalog/pom.xml b/services/controlcatalog/pom.xml index e510dfe0725f..dcf937fda54d 100644 --- a/services/controlcatalog/pom.xml +++ b/services/controlcatalog/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT controlcatalog AWS Java SDK :: Services :: Control Catalog diff --git a/services/controltower/pom.xml b/services/controltower/pom.xml index b4976ea789f4..e84ead6a247a 100644 --- a/services/controltower/pom.xml +++ b/services/controltower/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT controltower AWS Java SDK :: Services :: Control Tower diff --git a/services/costandusagereport/pom.xml b/services/costandusagereport/pom.xml index 521a83d7481c..88517f35f6d4 100644 --- a/services/costandusagereport/pom.xml +++ b/services/costandusagereport/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT costandusagereport AWS Java SDK :: Services :: AWS Cost and Usage Report diff --git a/services/costexplorer/pom.xml b/services/costexplorer/pom.xml index 8ed23a6396e1..25f71d8409b6 100644 --- a/services/costexplorer/pom.xml +++ b/services/costexplorer/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3 + 2.28.4-SNAPSHOT 4.0.0 costexplorer diff --git a/services/costoptimizationhub/pom.xml b/services/costoptimizationhub/pom.xml index 316abf36c6b5..5484640ad622 100644 --- a/services/costoptimizationhub/pom.xml +++ b/services/costoptimizationhub/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT costoptimizationhub AWS Java SDK :: Services :: Cost Optimization Hub diff --git a/services/customerprofiles/pom.xml b/services/customerprofiles/pom.xml index 6e412912e2e2..4311c37841c4 100644 --- a/services/customerprofiles/pom.xml +++ b/services/customerprofiles/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT customerprofiles AWS Java SDK :: Services :: Customer Profiles diff --git a/services/databasemigration/pom.xml b/services/databasemigration/pom.xml index d0082565b739..612bcb89f03f 100644 --- a/services/databasemigration/pom.xml +++ b/services/databasemigration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT databasemigration AWS Java SDK :: Services :: AWS Database Migration Service diff --git a/services/databrew/pom.xml b/services/databrew/pom.xml index 2e61ed3da00c..54bb99a90b51 100644 --- a/services/databrew/pom.xml +++ b/services/databrew/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT databrew AWS Java SDK :: Services :: Data Brew diff --git a/services/dataexchange/pom.xml b/services/dataexchange/pom.xml index 1cdf8c2978cc..15267613faa0 100644 --- a/services/dataexchange/pom.xml +++ b/services/dataexchange/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT dataexchange AWS Java SDK :: Services :: DataExchange diff --git a/services/datapipeline/pom.xml b/services/datapipeline/pom.xml index 33d76b720c50..737c3046b180 100644 --- a/services/datapipeline/pom.xml +++ b/services/datapipeline/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT datapipeline AWS Java SDK :: Services :: AWS Data Pipeline diff --git a/services/datasync/pom.xml b/services/datasync/pom.xml index fe3028511d85..017d1e9f37d8 100644 --- a/services/datasync/pom.xml +++ b/services/datasync/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT datasync AWS Java SDK :: Services :: DataSync diff --git a/services/datazone/pom.xml b/services/datazone/pom.xml index c336cea84477..00639af12d36 100644 --- a/services/datazone/pom.xml +++ b/services/datazone/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT datazone AWS Java SDK :: Services :: Data Zone diff --git a/services/dax/pom.xml b/services/dax/pom.xml index 839f3f3f1dbc..713e78d8c7fb 100644 --- a/services/dax/pom.xml +++ b/services/dax/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT dax AWS Java SDK :: Services :: Amazon DynamoDB Accelerator (DAX) diff --git a/services/deadline/pom.xml b/services/deadline/pom.xml index 54bde93e88e5..0880711e0517 100644 --- a/services/deadline/pom.xml +++ b/services/deadline/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT deadline AWS Java SDK :: Services :: Deadline diff --git a/services/detective/pom.xml b/services/detective/pom.xml index 98f7448a3afc..9fae33ad2106 100644 --- a/services/detective/pom.xml +++ b/services/detective/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT detective AWS Java SDK :: Services :: Detective diff --git a/services/devicefarm/pom.xml b/services/devicefarm/pom.xml index 7549e40b1fa2..1f089e009335 100644 --- a/services/devicefarm/pom.xml +++ b/services/devicefarm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT devicefarm AWS Java SDK :: Services :: AWS Device Farm diff --git a/services/devopsguru/pom.xml b/services/devopsguru/pom.xml index fad8fdb5fa31..960a80fcf897 100644 --- a/services/devopsguru/pom.xml +++ b/services/devopsguru/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT devopsguru AWS Java SDK :: Services :: Dev Ops Guru diff --git a/services/directconnect/pom.xml b/services/directconnect/pom.xml index 03c1acbbebe9..cf4be776a6cb 100644 --- a/services/directconnect/pom.xml +++ b/services/directconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT directconnect AWS Java SDK :: Services :: AWS Direct Connect diff --git a/services/directory/pom.xml b/services/directory/pom.xml index 8aa1b5df8bd0..a24f02b7eccf 100644 --- a/services/directory/pom.xml +++ b/services/directory/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT directory AWS Java SDK :: Services :: AWS Directory Service diff --git a/services/dlm/pom.xml b/services/dlm/pom.xml index 8369754038dc..664e6eaef169 100644 --- a/services/dlm/pom.xml +++ b/services/dlm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT dlm AWS Java SDK :: Services :: DLM diff --git a/services/docdb/pom.xml b/services/docdb/pom.xml index ab72972203dd..b4bad908057f 100644 --- a/services/docdb/pom.xml +++ b/services/docdb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT docdb AWS Java SDK :: Services :: DocDB diff --git a/services/docdbelastic/pom.xml b/services/docdbelastic/pom.xml index dcdbe14b6a20..ae803d64d802 100644 --- a/services/docdbelastic/pom.xml +++ b/services/docdbelastic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT docdbelastic AWS Java SDK :: Services :: Doc DB Elastic diff --git a/services/drs/pom.xml b/services/drs/pom.xml index c0e6584b6668..68a03bc89e65 100644 --- a/services/drs/pom.xml +++ b/services/drs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT drs AWS Java SDK :: Services :: Drs diff --git a/services/dynamodb/pom.xml b/services/dynamodb/pom.xml index e31a6c9eb5ee..afabaf1ec897 100644 --- a/services/dynamodb/pom.xml +++ b/services/dynamodb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT dynamodb AWS Java SDK :: Services :: Amazon DynamoDB diff --git a/services/ebs/pom.xml b/services/ebs/pom.xml index e3b2a5d788a4..1d638899cb4a 100644 --- a/services/ebs/pom.xml +++ b/services/ebs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT ebs AWS Java SDK :: Services :: EBS diff --git a/services/ec2/pom.xml b/services/ec2/pom.xml index f732d014a92e..bf3f05e9deb1 100644 --- a/services/ec2/pom.xml +++ b/services/ec2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT ec2 AWS Java SDK :: Services :: Amazon EC2 diff --git a/services/ec2instanceconnect/pom.xml b/services/ec2instanceconnect/pom.xml index c11954bca81b..129262c1d987 100644 --- a/services/ec2instanceconnect/pom.xml +++ b/services/ec2instanceconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT ec2instanceconnect AWS Java SDK :: Services :: EC2 Instance Connect diff --git a/services/ecr/pom.xml b/services/ecr/pom.xml index 7db1734fdd47..d9e9cee1c710 100644 --- a/services/ecr/pom.xml +++ b/services/ecr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT ecr AWS Java SDK :: Services :: Amazon EC2 Container Registry diff --git a/services/ecrpublic/pom.xml b/services/ecrpublic/pom.xml index 1a8c774a6150..b80fe92f4d69 100644 --- a/services/ecrpublic/pom.xml +++ b/services/ecrpublic/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT ecrpublic AWS Java SDK :: Services :: ECR PUBLIC diff --git a/services/ecs/pom.xml b/services/ecs/pom.xml index 5cc142e2dc50..50b185e9fcec 100644 --- a/services/ecs/pom.xml +++ b/services/ecs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT ecs AWS Java SDK :: Services :: Amazon EC2 Container Service diff --git a/services/efs/pom.xml b/services/efs/pom.xml index adc7ddb628dc..549efc2f1d17 100644 --- a/services/efs/pom.xml +++ b/services/efs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT efs AWS Java SDK :: Services :: Amazon Elastic File System diff --git a/services/eks/pom.xml b/services/eks/pom.xml index 8bacdee92a55..c92d9d87c99e 100644 --- a/services/eks/pom.xml +++ b/services/eks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT eks AWS Java SDK :: Services :: EKS diff --git a/services/eksauth/pom.xml b/services/eksauth/pom.xml index 17bf567f5003..02574fc701bb 100644 --- a/services/eksauth/pom.xml +++ b/services/eksauth/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT eksauth AWS Java SDK :: Services :: EKS Auth diff --git a/services/elasticache/pom.xml b/services/elasticache/pom.xml index 60fda00acb1d..4c53875e59f5 100644 --- a/services/elasticache/pom.xml +++ b/services/elasticache/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT elasticache AWS Java SDK :: Services :: Amazon ElastiCache diff --git a/services/elasticbeanstalk/pom.xml b/services/elasticbeanstalk/pom.xml index dcbdff746e69..9a8a81e1a02b 100644 --- a/services/elasticbeanstalk/pom.xml +++ b/services/elasticbeanstalk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT elasticbeanstalk AWS Java SDK :: Services :: AWS Elastic Beanstalk diff --git a/services/elasticinference/pom.xml b/services/elasticinference/pom.xml index 2aa2049ef106..c942fcee5aa6 100644 --- a/services/elasticinference/pom.xml +++ b/services/elasticinference/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT elasticinference AWS Java SDK :: Services :: Elastic Inference diff --git a/services/elasticloadbalancing/pom.xml b/services/elasticloadbalancing/pom.xml index 517bed80d911..76944223e210 100644 --- a/services/elasticloadbalancing/pom.xml +++ b/services/elasticloadbalancing/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT elasticloadbalancing AWS Java SDK :: Services :: Elastic Load Balancing diff --git a/services/elasticloadbalancingv2/pom.xml b/services/elasticloadbalancingv2/pom.xml index db2edc113a05..37e19e94e03c 100644 --- a/services/elasticloadbalancingv2/pom.xml +++ b/services/elasticloadbalancingv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT elasticloadbalancingv2 AWS Java SDK :: Services :: Elastic Load Balancing V2 diff --git a/services/elasticsearch/pom.xml b/services/elasticsearch/pom.xml index edb6aab4ad40..089abfc9c0e6 100644 --- a/services/elasticsearch/pom.xml +++ b/services/elasticsearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT elasticsearch AWS Java SDK :: Services :: Amazon Elasticsearch Service diff --git a/services/elastictranscoder/pom.xml b/services/elastictranscoder/pom.xml index 89a9c9e9cd29..c6e72fa81a71 100644 --- a/services/elastictranscoder/pom.xml +++ b/services/elastictranscoder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT elastictranscoder AWS Java SDK :: Services :: Amazon Elastic Transcoder diff --git a/services/emr/pom.xml b/services/emr/pom.xml index 8a0b29e48284..003f08763689 100644 --- a/services/emr/pom.xml +++ b/services/emr/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT emr AWS Java SDK :: Services :: Amazon EMR diff --git a/services/emrcontainers/pom.xml b/services/emrcontainers/pom.xml index 016c80edfeac..e4fac5affa9e 100644 --- a/services/emrcontainers/pom.xml +++ b/services/emrcontainers/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT emrcontainers AWS Java SDK :: Services :: EMR Containers diff --git a/services/emrserverless/pom.xml b/services/emrserverless/pom.xml index 53d9ff5843af..e4cb2bfe0045 100644 --- a/services/emrserverless/pom.xml +++ b/services/emrserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT emrserverless AWS Java SDK :: Services :: EMR Serverless diff --git a/services/entityresolution/pom.xml b/services/entityresolution/pom.xml index 0d72e767f202..ef1678ebbe45 100644 --- a/services/entityresolution/pom.xml +++ b/services/entityresolution/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT entityresolution AWS Java SDK :: Services :: Entity Resolution diff --git a/services/eventbridge/pom.xml b/services/eventbridge/pom.xml index 96a93c5f0f3a..b02cf24f3cd8 100644 --- a/services/eventbridge/pom.xml +++ b/services/eventbridge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT eventbridge AWS Java SDK :: Services :: EventBridge diff --git a/services/evidently/pom.xml b/services/evidently/pom.xml index 0fe45f735ded..f96bc71a3a98 100644 --- a/services/evidently/pom.xml +++ b/services/evidently/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT evidently AWS Java SDK :: Services :: Evidently diff --git a/services/finspace/pom.xml b/services/finspace/pom.xml index d786ff3acdcd..376285457968 100644 --- a/services/finspace/pom.xml +++ b/services/finspace/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT finspace AWS Java SDK :: Services :: Finspace diff --git a/services/finspacedata/pom.xml b/services/finspacedata/pom.xml index 0524215fe3e9..af6d874acdd8 100644 --- a/services/finspacedata/pom.xml +++ b/services/finspacedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT finspacedata AWS Java SDK :: Services :: Finspace Data diff --git a/services/firehose/pom.xml b/services/firehose/pom.xml index 2b700c837aeb..649eae97e2ec 100644 --- a/services/firehose/pom.xml +++ b/services/firehose/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT firehose AWS Java SDK :: Services :: Amazon Kinesis Firehose diff --git a/services/fis/pom.xml b/services/fis/pom.xml index ce636dff72f4..2bc455f7a7db 100644 --- a/services/fis/pom.xml +++ b/services/fis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT fis AWS Java SDK :: Services :: Fis diff --git a/services/fms/pom.xml b/services/fms/pom.xml index d9efebfc2362..f7d9829f58a7 100644 --- a/services/fms/pom.xml +++ b/services/fms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT fms AWS Java SDK :: Services :: FMS diff --git a/services/forecast/pom.xml b/services/forecast/pom.xml index 4385f35e2e24..c730719cf7ea 100644 --- a/services/forecast/pom.xml +++ b/services/forecast/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT forecast AWS Java SDK :: Services :: Forecast diff --git a/services/forecastquery/pom.xml b/services/forecastquery/pom.xml index e49693d18a25..33fde26b432e 100644 --- a/services/forecastquery/pom.xml +++ b/services/forecastquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT forecastquery AWS Java SDK :: Services :: Forecastquery diff --git a/services/frauddetector/pom.xml b/services/frauddetector/pom.xml index 8320f8e89da7..f3cd54ba365d 100644 --- a/services/frauddetector/pom.xml +++ b/services/frauddetector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT frauddetector AWS Java SDK :: Services :: FraudDetector diff --git a/services/freetier/pom.xml b/services/freetier/pom.xml index 32d21230f394..032d308b6066 100644 --- a/services/freetier/pom.xml +++ b/services/freetier/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT freetier AWS Java SDK :: Services :: Free Tier diff --git a/services/fsx/pom.xml b/services/fsx/pom.xml index 70b1fb9cca19..532379682010 100644 --- a/services/fsx/pom.xml +++ b/services/fsx/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT fsx AWS Java SDK :: Services :: FSx diff --git a/services/gamelift/pom.xml b/services/gamelift/pom.xml index bbe716301485..bff4eb0b4e57 100644 --- a/services/gamelift/pom.xml +++ b/services/gamelift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT gamelift AWS Java SDK :: Services :: AWS GameLift diff --git a/services/glacier/pom.xml b/services/glacier/pom.xml index d0a75bb9d96a..42b67857f018 100644 --- a/services/glacier/pom.xml +++ b/services/glacier/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT glacier AWS Java SDK :: Services :: Amazon Glacier diff --git a/services/globalaccelerator/pom.xml b/services/globalaccelerator/pom.xml index 00dbca9d2852..5692e9690007 100644 --- a/services/globalaccelerator/pom.xml +++ b/services/globalaccelerator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT globalaccelerator AWS Java SDK :: Services :: Global Accelerator diff --git a/services/glue/pom.xml b/services/glue/pom.xml index e0c2bcffbce9..0ee6d439beba 100644 --- a/services/glue/pom.xml +++ b/services/glue/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3 + 2.28.4-SNAPSHOT 4.0.0 glue diff --git a/services/grafana/pom.xml b/services/grafana/pom.xml index 18bc899bf383..9f345d3f96b7 100644 --- a/services/grafana/pom.xml +++ b/services/grafana/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT grafana AWS Java SDK :: Services :: Grafana diff --git a/services/greengrass/pom.xml b/services/greengrass/pom.xml index 7cdf9c03f203..281ef92f836e 100644 --- a/services/greengrass/pom.xml +++ b/services/greengrass/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT greengrass AWS Java SDK :: Services :: AWS Greengrass diff --git a/services/greengrassv2/pom.xml b/services/greengrassv2/pom.xml index d063d4833ab6..189ff4b5a645 100644 --- a/services/greengrassv2/pom.xml +++ b/services/greengrassv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT greengrassv2 AWS Java SDK :: Services :: Greengrass V2 diff --git a/services/groundstation/pom.xml b/services/groundstation/pom.xml index c394b919c0a5..ab880bc08f22 100644 --- a/services/groundstation/pom.xml +++ b/services/groundstation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT groundstation AWS Java SDK :: Services :: GroundStation diff --git a/services/guardduty/pom.xml b/services/guardduty/pom.xml index ad8a8a625709..730fe7251f08 100644 --- a/services/guardduty/pom.xml +++ b/services/guardduty/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3 + 2.28.4-SNAPSHOT 4.0.0 guardduty diff --git a/services/health/pom.xml b/services/health/pom.xml index f4869f21be8b..052a0f520b87 100644 --- a/services/health/pom.xml +++ b/services/health/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT health AWS Java SDK :: Services :: AWS Health APIs and Notifications diff --git a/services/healthlake/pom.xml b/services/healthlake/pom.xml index 177b1c47580a..8eb94eeb55ec 100644 --- a/services/healthlake/pom.xml +++ b/services/healthlake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT healthlake AWS Java SDK :: Services :: Health Lake diff --git a/services/iam/pom.xml b/services/iam/pom.xml index 031f7763cbad..ff4e8a5a9653 100644 --- a/services/iam/pom.xml +++ b/services/iam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT iam AWS Java SDK :: Services :: AWS IAM diff --git a/services/identitystore/pom.xml b/services/identitystore/pom.xml index 513cf4411fe6..998df70fbc26 100644 --- a/services/identitystore/pom.xml +++ b/services/identitystore/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT identitystore AWS Java SDK :: Services :: Identitystore diff --git a/services/imagebuilder/pom.xml b/services/imagebuilder/pom.xml index 12f757b4d1c7..ec11b43a10e1 100644 --- a/services/imagebuilder/pom.xml +++ b/services/imagebuilder/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT imagebuilder AWS Java SDK :: Services :: Imagebuilder diff --git a/services/inspector/pom.xml b/services/inspector/pom.xml index d817d3d135f3..4774ecc892c5 100644 --- a/services/inspector/pom.xml +++ b/services/inspector/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT inspector AWS Java SDK :: Services :: Amazon Inspector Service diff --git a/services/inspector2/pom.xml b/services/inspector2/pom.xml index 1b1323e5217b..10203fb2a209 100644 --- a/services/inspector2/pom.xml +++ b/services/inspector2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT inspector2 AWS Java SDK :: Services :: Inspector2 diff --git a/services/inspectorscan/pom.xml b/services/inspectorscan/pom.xml index f1856d994ea3..0504fea91a5b 100644 --- a/services/inspectorscan/pom.xml +++ b/services/inspectorscan/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT inspectorscan AWS Java SDK :: Services :: Inspector Scan diff --git a/services/internetmonitor/pom.xml b/services/internetmonitor/pom.xml index e0170c6640f4..1967e98d4a65 100644 --- a/services/internetmonitor/pom.xml +++ b/services/internetmonitor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT internetmonitor AWS Java SDK :: Services :: Internet Monitor diff --git a/services/iot/pom.xml b/services/iot/pom.xml index ba26ee48d810..53f2c1da9e77 100644 --- a/services/iot/pom.xml +++ b/services/iot/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT iot AWS Java SDK :: Services :: AWS IoT diff --git a/services/iot1clickdevices/pom.xml b/services/iot1clickdevices/pom.xml index 4c48114dea13..6e7bc5e68def 100644 --- a/services/iot1clickdevices/pom.xml +++ b/services/iot1clickdevices/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT iot1clickdevices AWS Java SDK :: Services :: IoT 1Click Devices Service diff --git a/services/iot1clickprojects/pom.xml b/services/iot1clickprojects/pom.xml index af25f206eb5a..7dcb7d1f0592 100644 --- a/services/iot1clickprojects/pom.xml +++ b/services/iot1clickprojects/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT iot1clickprojects AWS Java SDK :: Services :: IoT 1Click Projects diff --git a/services/iotanalytics/pom.xml b/services/iotanalytics/pom.xml index ebf4d5b07337..ef3af3abe2e5 100644 --- a/services/iotanalytics/pom.xml +++ b/services/iotanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT iotanalytics AWS Java SDK :: Services :: IoTAnalytics diff --git a/services/iotdataplane/pom.xml b/services/iotdataplane/pom.xml index 2ef2d5f5ac85..afd60e7c11bf 100644 --- a/services/iotdataplane/pom.xml +++ b/services/iotdataplane/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT iotdataplane AWS Java SDK :: Services :: AWS IoT Data Plane diff --git a/services/iotdeviceadvisor/pom.xml b/services/iotdeviceadvisor/pom.xml index 2fc027cefefa..ef20deca6a40 100644 --- a/services/iotdeviceadvisor/pom.xml +++ b/services/iotdeviceadvisor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT iotdeviceadvisor AWS Java SDK :: Services :: Iot Device Advisor diff --git a/services/iotevents/pom.xml b/services/iotevents/pom.xml index b4ce3e2224b9..aa3332fa1c1b 100644 --- a/services/iotevents/pom.xml +++ b/services/iotevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT iotevents AWS Java SDK :: Services :: IoT Events diff --git a/services/ioteventsdata/pom.xml b/services/ioteventsdata/pom.xml index 6079cd04a08f..17554a0ee9bb 100644 --- a/services/ioteventsdata/pom.xml +++ b/services/ioteventsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT ioteventsdata AWS Java SDK :: Services :: IoT Events Data diff --git a/services/iotfleethub/pom.xml b/services/iotfleethub/pom.xml index 5867309dc0b1..92513ec70e0e 100644 --- a/services/iotfleethub/pom.xml +++ b/services/iotfleethub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT iotfleethub AWS Java SDK :: Services :: Io T Fleet Hub diff --git a/services/iotfleetwise/pom.xml b/services/iotfleetwise/pom.xml index a5fb18026d45..f12fc828cc79 100644 --- a/services/iotfleetwise/pom.xml +++ b/services/iotfleetwise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT iotfleetwise AWS Java SDK :: Services :: Io T Fleet Wise diff --git a/services/iotjobsdataplane/pom.xml b/services/iotjobsdataplane/pom.xml index ce12aa1b440b..b1cb3508cd84 100644 --- a/services/iotjobsdataplane/pom.xml +++ b/services/iotjobsdataplane/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT iotjobsdataplane AWS Java SDK :: Services :: IoT Jobs Data Plane diff --git a/services/iotsecuretunneling/pom.xml b/services/iotsecuretunneling/pom.xml index c3e34be27827..514281c66a7e 100644 --- a/services/iotsecuretunneling/pom.xml +++ b/services/iotsecuretunneling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT iotsecuretunneling AWS Java SDK :: Services :: IoTSecureTunneling diff --git a/services/iotsitewise/pom.xml b/services/iotsitewise/pom.xml index 4f7ed0395c78..4562537f8392 100644 --- a/services/iotsitewise/pom.xml +++ b/services/iotsitewise/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT iotsitewise AWS Java SDK :: Services :: Io T Site Wise diff --git a/services/iotthingsgraph/pom.xml b/services/iotthingsgraph/pom.xml index e1dd89e5bc30..34c524ce3ec6 100644 --- a/services/iotthingsgraph/pom.xml +++ b/services/iotthingsgraph/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT iotthingsgraph AWS Java SDK :: Services :: IoTThingsGraph diff --git a/services/iottwinmaker/pom.xml b/services/iottwinmaker/pom.xml index 21abe4355769..7f1933af4537 100644 --- a/services/iottwinmaker/pom.xml +++ b/services/iottwinmaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT iottwinmaker AWS Java SDK :: Services :: Io T Twin Maker diff --git a/services/iotwireless/pom.xml b/services/iotwireless/pom.xml index 2ca41c7e5283..1cf74d661479 100644 --- a/services/iotwireless/pom.xml +++ b/services/iotwireless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT iotwireless AWS Java SDK :: Services :: IoT Wireless diff --git a/services/ivs/pom.xml b/services/ivs/pom.xml index 25d77a659e00..3d512ce01721 100644 --- a/services/ivs/pom.xml +++ b/services/ivs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT ivs AWS Java SDK :: Services :: Ivs diff --git a/services/ivschat/pom.xml b/services/ivschat/pom.xml index baaf21992e0f..db71b7bcd359 100644 --- a/services/ivschat/pom.xml +++ b/services/ivschat/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT ivschat AWS Java SDK :: Services :: Ivschat diff --git a/services/ivsrealtime/pom.xml b/services/ivsrealtime/pom.xml index 4dafb6ee056e..9ee77731edca 100644 --- a/services/ivsrealtime/pom.xml +++ b/services/ivsrealtime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT ivsrealtime AWS Java SDK :: Services :: IVS Real Time diff --git a/services/kafka/pom.xml b/services/kafka/pom.xml index 74026ca89853..69307372ffb6 100644 --- a/services/kafka/pom.xml +++ b/services/kafka/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT kafka AWS Java SDK :: Services :: Kafka diff --git a/services/kafkaconnect/pom.xml b/services/kafkaconnect/pom.xml index 4969a4139e87..a1d10fbfec4c 100644 --- a/services/kafkaconnect/pom.xml +++ b/services/kafkaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT kafkaconnect AWS Java SDK :: Services :: Kafka Connect diff --git a/services/kendra/pom.xml b/services/kendra/pom.xml index 837873d0766d..656aad32e12e 100644 --- a/services/kendra/pom.xml +++ b/services/kendra/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT kendra AWS Java SDK :: Services :: Kendra diff --git a/services/kendraranking/pom.xml b/services/kendraranking/pom.xml index 238d5923e4da..fb0348f25aac 100644 --- a/services/kendraranking/pom.xml +++ b/services/kendraranking/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT kendraranking AWS Java SDK :: Services :: Kendra Ranking diff --git a/services/keyspaces/pom.xml b/services/keyspaces/pom.xml index bab09119a552..11e9219cfebd 100644 --- a/services/keyspaces/pom.xml +++ b/services/keyspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT keyspaces AWS Java SDK :: Services :: Keyspaces diff --git a/services/kinesis/pom.xml b/services/kinesis/pom.xml index c2714970446a..35e9b1898e0b 100644 --- a/services/kinesis/pom.xml +++ b/services/kinesis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT kinesis AWS Java SDK :: Services :: Amazon Kinesis diff --git a/services/kinesisanalytics/pom.xml b/services/kinesisanalytics/pom.xml index e2a9b58ced32..c2b440c0f752 100644 --- a/services/kinesisanalytics/pom.xml +++ b/services/kinesisanalytics/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT kinesisanalytics AWS Java SDK :: Services :: Amazon Kinesis Analytics diff --git a/services/kinesisanalyticsv2/pom.xml b/services/kinesisanalyticsv2/pom.xml index e5a688ab656d..a867c1904264 100644 --- a/services/kinesisanalyticsv2/pom.xml +++ b/services/kinesisanalyticsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT kinesisanalyticsv2 AWS Java SDK :: Services :: Kinesis Analytics V2 diff --git a/services/kinesisvideo/pom.xml b/services/kinesisvideo/pom.xml index c54e07a789d1..c2c9d85d46d6 100644 --- a/services/kinesisvideo/pom.xml +++ b/services/kinesisvideo/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3 + 2.28.4-SNAPSHOT 4.0.0 kinesisvideo diff --git a/services/kinesisvideoarchivedmedia/pom.xml b/services/kinesisvideoarchivedmedia/pom.xml index db6d593ee777..56b329f6be80 100644 --- a/services/kinesisvideoarchivedmedia/pom.xml +++ b/services/kinesisvideoarchivedmedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT kinesisvideoarchivedmedia AWS Java SDK :: Services :: Kinesis Video Archived Media diff --git a/services/kinesisvideomedia/pom.xml b/services/kinesisvideomedia/pom.xml index de1628be7e64..c02e92d747f4 100644 --- a/services/kinesisvideomedia/pom.xml +++ b/services/kinesisvideomedia/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT kinesisvideomedia AWS Java SDK :: Services :: Kinesis Video Media diff --git a/services/kinesisvideosignaling/pom.xml b/services/kinesisvideosignaling/pom.xml index 4b4da0ef926e..ce65a4f7d967 100644 --- a/services/kinesisvideosignaling/pom.xml +++ b/services/kinesisvideosignaling/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT kinesisvideosignaling AWS Java SDK :: Services :: Kinesis Video Signaling diff --git a/services/kinesisvideowebrtcstorage/pom.xml b/services/kinesisvideowebrtcstorage/pom.xml index 8d7e4921ad9f..7b43500f5739 100644 --- a/services/kinesisvideowebrtcstorage/pom.xml +++ b/services/kinesisvideowebrtcstorage/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT kinesisvideowebrtcstorage AWS Java SDK :: Services :: Kinesis Video Web RTC Storage diff --git a/services/kms/pom.xml b/services/kms/pom.xml index a3c544b282e7..52e45fff12b1 100644 --- a/services/kms/pom.xml +++ b/services/kms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT kms AWS Java SDK :: Services :: AWS KMS diff --git a/services/lakeformation/pom.xml b/services/lakeformation/pom.xml index ea500c460b26..5b78da1624c8 100644 --- a/services/lakeformation/pom.xml +++ b/services/lakeformation/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT lakeformation AWS Java SDK :: Services :: LakeFormation diff --git a/services/lambda/pom.xml b/services/lambda/pom.xml index 773c38ab654b..7e300a4eec88 100644 --- a/services/lambda/pom.xml +++ b/services/lambda/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT lambda AWS Java SDK :: Services :: AWS Lambda diff --git a/services/launchwizard/pom.xml b/services/launchwizard/pom.xml index 9d34461f6725..d02183d437f5 100644 --- a/services/launchwizard/pom.xml +++ b/services/launchwizard/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT launchwizard AWS Java SDK :: Services :: Launch Wizard diff --git a/services/lexmodelbuilding/pom.xml b/services/lexmodelbuilding/pom.xml index ca39899794cf..0866fcf2a7be 100644 --- a/services/lexmodelbuilding/pom.xml +++ b/services/lexmodelbuilding/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT lexmodelbuilding AWS Java SDK :: Services :: Amazon Lex Model Building diff --git a/services/lexmodelsv2/pom.xml b/services/lexmodelsv2/pom.xml index f6ce240a102b..5caf5e81222b 100644 --- a/services/lexmodelsv2/pom.xml +++ b/services/lexmodelsv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT lexmodelsv2 AWS Java SDK :: Services :: Lex Models V2 diff --git a/services/lexruntime/pom.xml b/services/lexruntime/pom.xml index becf240957f7..70e768048bad 100644 --- a/services/lexruntime/pom.xml +++ b/services/lexruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT lexruntime AWS Java SDK :: Services :: Amazon Lex Runtime diff --git a/services/lexruntimev2/pom.xml b/services/lexruntimev2/pom.xml index d8de2d51b2bf..b89ecf00ab8a 100644 --- a/services/lexruntimev2/pom.xml +++ b/services/lexruntimev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT lexruntimev2 AWS Java SDK :: Services :: Lex Runtime V2 diff --git a/services/licensemanager/pom.xml b/services/licensemanager/pom.xml index 1f23f5c560da..db0b0e277798 100644 --- a/services/licensemanager/pom.xml +++ b/services/licensemanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT licensemanager AWS Java SDK :: Services :: License Manager diff --git a/services/licensemanagerlinuxsubscriptions/pom.xml b/services/licensemanagerlinuxsubscriptions/pom.xml index 67cd208d3cdf..facd7f3de6f9 100644 --- a/services/licensemanagerlinuxsubscriptions/pom.xml +++ b/services/licensemanagerlinuxsubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT licensemanagerlinuxsubscriptions AWS Java SDK :: Services :: License Manager Linux Subscriptions diff --git a/services/licensemanagerusersubscriptions/pom.xml b/services/licensemanagerusersubscriptions/pom.xml index 33f7d665ff1c..f9e11f81b67e 100644 --- a/services/licensemanagerusersubscriptions/pom.xml +++ b/services/licensemanagerusersubscriptions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT licensemanagerusersubscriptions AWS Java SDK :: Services :: License Manager User Subscriptions diff --git a/services/lightsail/pom.xml b/services/lightsail/pom.xml index 9b3d2f2bad8f..6b6ee74f3e87 100644 --- a/services/lightsail/pom.xml +++ b/services/lightsail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT lightsail AWS Java SDK :: Services :: Amazon Lightsail diff --git a/services/location/pom.xml b/services/location/pom.xml index ee6bae552d06..93e09601e42b 100644 --- a/services/location/pom.xml +++ b/services/location/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT location AWS Java SDK :: Services :: Location diff --git a/services/lookoutequipment/pom.xml b/services/lookoutequipment/pom.xml index 54204e092ddb..abe3c8fcbcbb 100644 --- a/services/lookoutequipment/pom.xml +++ b/services/lookoutequipment/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT lookoutequipment AWS Java SDK :: Services :: Lookout Equipment diff --git a/services/lookoutmetrics/pom.xml b/services/lookoutmetrics/pom.xml index 7b0a01a2347b..4fa39b9c5cd5 100644 --- a/services/lookoutmetrics/pom.xml +++ b/services/lookoutmetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT lookoutmetrics AWS Java SDK :: Services :: Lookout Metrics diff --git a/services/lookoutvision/pom.xml b/services/lookoutvision/pom.xml index 560c246d79e0..bcafb4f7b989 100644 --- a/services/lookoutvision/pom.xml +++ b/services/lookoutvision/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT lookoutvision AWS Java SDK :: Services :: Lookout Vision diff --git a/services/m2/pom.xml b/services/m2/pom.xml index 8c847c47688e..1d111eae24f1 100644 --- a/services/m2/pom.xml +++ b/services/m2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT m2 AWS Java SDK :: Services :: M2 diff --git a/services/machinelearning/pom.xml b/services/machinelearning/pom.xml index 120fb5dd551c..24d9c99243d3 100644 --- a/services/machinelearning/pom.xml +++ b/services/machinelearning/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT machinelearning AWS Java SDK :: Services :: Amazon Machine Learning diff --git a/services/macie2/pom.xml b/services/macie2/pom.xml index 5298a32825dd..9ea100e16c75 100644 --- a/services/macie2/pom.xml +++ b/services/macie2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT macie2 AWS Java SDK :: Services :: Macie2 diff --git a/services/mailmanager/pom.xml b/services/mailmanager/pom.xml index 51bc9789632f..5e19e0c045fa 100644 --- a/services/mailmanager/pom.xml +++ b/services/mailmanager/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT mailmanager AWS Java SDK :: Services :: Mail Manager diff --git a/services/managedblockchain/pom.xml b/services/managedblockchain/pom.xml index f51c70ff22fc..aabd3d59ee96 100644 --- a/services/managedblockchain/pom.xml +++ b/services/managedblockchain/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT managedblockchain AWS Java SDK :: Services :: ManagedBlockchain diff --git a/services/managedblockchainquery/pom.xml b/services/managedblockchainquery/pom.xml index f02925bc5953..2751c1fb68b8 100644 --- a/services/managedblockchainquery/pom.xml +++ b/services/managedblockchainquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT managedblockchainquery AWS Java SDK :: Services :: Managed Blockchain Query diff --git a/services/marketplaceagreement/pom.xml b/services/marketplaceagreement/pom.xml index 11f913f0e4e5..b80e946c8050 100644 --- a/services/marketplaceagreement/pom.xml +++ b/services/marketplaceagreement/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT marketplaceagreement AWS Java SDK :: Services :: Marketplace Agreement diff --git a/services/marketplacecatalog/pom.xml b/services/marketplacecatalog/pom.xml index 7f0968a6963a..4c1200869625 100644 --- a/services/marketplacecatalog/pom.xml +++ b/services/marketplacecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT marketplacecatalog AWS Java SDK :: Services :: Marketplace Catalog diff --git a/services/marketplacecommerceanalytics/pom.xml b/services/marketplacecommerceanalytics/pom.xml index 46ffa3b71395..4f34d0037847 100644 --- a/services/marketplacecommerceanalytics/pom.xml +++ b/services/marketplacecommerceanalytics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT marketplacecommerceanalytics AWS Java SDK :: Services :: AWS Marketplace Commerce Analytics diff --git a/services/marketplacedeployment/pom.xml b/services/marketplacedeployment/pom.xml index 56a905af5921..c2a078dbd108 100644 --- a/services/marketplacedeployment/pom.xml +++ b/services/marketplacedeployment/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT marketplacedeployment AWS Java SDK :: Services :: Marketplace Deployment diff --git a/services/marketplaceentitlement/pom.xml b/services/marketplaceentitlement/pom.xml index 9b28e812b2a9..5eda1fe9703e 100644 --- a/services/marketplaceentitlement/pom.xml +++ b/services/marketplaceentitlement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT marketplaceentitlement AWS Java SDK :: Services :: AWS Marketplace Entitlement diff --git a/services/marketplacemetering/pom.xml b/services/marketplacemetering/pom.xml index e474e2488842..81d0a412dfc5 100644 --- a/services/marketplacemetering/pom.xml +++ b/services/marketplacemetering/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT marketplacemetering AWS Java SDK :: Services :: AWS Marketplace Metering Service diff --git a/services/mediaconnect/pom.xml b/services/mediaconnect/pom.xml index 6ff073f184e2..53a7d6b1f960 100644 --- a/services/mediaconnect/pom.xml +++ b/services/mediaconnect/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT mediaconnect AWS Java SDK :: Services :: MediaConnect diff --git a/services/mediaconvert/pom.xml b/services/mediaconvert/pom.xml index 5ae31db74db9..ba54066099fb 100644 --- a/services/mediaconvert/pom.xml +++ b/services/mediaconvert/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3 + 2.28.4-SNAPSHOT 4.0.0 mediaconvert diff --git a/services/medialive/pom.xml b/services/medialive/pom.xml index 70bf2b2b19d5..42baddb26b27 100644 --- a/services/medialive/pom.xml +++ b/services/medialive/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3 + 2.28.4-SNAPSHOT 4.0.0 medialive diff --git a/services/mediapackage/pom.xml b/services/mediapackage/pom.xml index 60bc48d03b61..b5da4ddc1351 100644 --- a/services/mediapackage/pom.xml +++ b/services/mediapackage/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3 + 2.28.4-SNAPSHOT 4.0.0 mediapackage diff --git a/services/mediapackagev2/pom.xml b/services/mediapackagev2/pom.xml index 28bb4c63f407..7a6827ec3cc8 100644 --- a/services/mediapackagev2/pom.xml +++ b/services/mediapackagev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT mediapackagev2 AWS Java SDK :: Services :: Media Package V2 diff --git a/services/mediapackagevod/pom.xml b/services/mediapackagevod/pom.xml index aa9c2a67cdea..977866c1f229 100644 --- a/services/mediapackagevod/pom.xml +++ b/services/mediapackagevod/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT mediapackagevod AWS Java SDK :: Services :: MediaPackage Vod diff --git a/services/mediastore/pom.xml b/services/mediastore/pom.xml index 2576b7684978..276188969404 100644 --- a/services/mediastore/pom.xml +++ b/services/mediastore/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3 + 2.28.4-SNAPSHOT 4.0.0 mediastore diff --git a/services/mediastoredata/pom.xml b/services/mediastoredata/pom.xml index 0c4f7e751c07..f98cd13a09c6 100644 --- a/services/mediastoredata/pom.xml +++ b/services/mediastoredata/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3 + 2.28.4-SNAPSHOT 4.0.0 mediastoredata diff --git a/services/mediatailor/pom.xml b/services/mediatailor/pom.xml index 207a28c5a7dd..16d24a89ba8a 100644 --- a/services/mediatailor/pom.xml +++ b/services/mediatailor/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT mediatailor AWS Java SDK :: Services :: MediaTailor diff --git a/services/medicalimaging/pom.xml b/services/medicalimaging/pom.xml index 36061ae28d04..8829b109bced 100644 --- a/services/medicalimaging/pom.xml +++ b/services/medicalimaging/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT medicalimaging AWS Java SDK :: Services :: Medical Imaging diff --git a/services/memorydb/pom.xml b/services/memorydb/pom.xml index 3a857fed199e..d7cc96a9e90e 100644 --- a/services/memorydb/pom.xml +++ b/services/memorydb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT memorydb AWS Java SDK :: Services :: Memory DB diff --git a/services/mgn/pom.xml b/services/mgn/pom.xml index a0f4da1a6ff8..7fd54d96b3e0 100644 --- a/services/mgn/pom.xml +++ b/services/mgn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT mgn AWS Java SDK :: Services :: Mgn diff --git a/services/migrationhub/pom.xml b/services/migrationhub/pom.xml index e956389feed2..34c2a4c11532 100644 --- a/services/migrationhub/pom.xml +++ b/services/migrationhub/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3 + 2.28.4-SNAPSHOT 4.0.0 migrationhub diff --git a/services/migrationhubconfig/pom.xml b/services/migrationhubconfig/pom.xml index f5c4ca97fcab..e2d86a27c895 100644 --- a/services/migrationhubconfig/pom.xml +++ b/services/migrationhubconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT migrationhubconfig AWS Java SDK :: Services :: MigrationHub Config diff --git a/services/migrationhuborchestrator/pom.xml b/services/migrationhuborchestrator/pom.xml index e7478ccb9593..94c6999537cb 100644 --- a/services/migrationhuborchestrator/pom.xml +++ b/services/migrationhuborchestrator/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT migrationhuborchestrator AWS Java SDK :: Services :: Migration Hub Orchestrator diff --git a/services/migrationhubrefactorspaces/pom.xml b/services/migrationhubrefactorspaces/pom.xml index a109da678a28..49e4ddb3eb9a 100644 --- a/services/migrationhubrefactorspaces/pom.xml +++ b/services/migrationhubrefactorspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT migrationhubrefactorspaces AWS Java SDK :: Services :: Migration Hub Refactor Spaces diff --git a/services/migrationhubstrategy/pom.xml b/services/migrationhubstrategy/pom.xml index a33dd6d3e92e..795b52e0f381 100644 --- a/services/migrationhubstrategy/pom.xml +++ b/services/migrationhubstrategy/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT migrationhubstrategy AWS Java SDK :: Services :: Migration Hub Strategy diff --git a/services/mq/pom.xml b/services/mq/pom.xml index a536aef8a7e0..a8c77ffc571b 100644 --- a/services/mq/pom.xml +++ b/services/mq/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3 + 2.28.4-SNAPSHOT 4.0.0 mq diff --git a/services/mturk/pom.xml b/services/mturk/pom.xml index a76264153b7f..b08661a99e0c 100644 --- a/services/mturk/pom.xml +++ b/services/mturk/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT mturk AWS Java SDK :: Services :: Amazon Mechanical Turk Requester diff --git a/services/mwaa/pom.xml b/services/mwaa/pom.xml index f03bafa2bf2d..31a1e078e1fd 100644 --- a/services/mwaa/pom.xml +++ b/services/mwaa/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT mwaa AWS Java SDK :: Services :: MWAA diff --git a/services/neptune/pom.xml b/services/neptune/pom.xml index 4641b3c1b014..34946d898686 100644 --- a/services/neptune/pom.xml +++ b/services/neptune/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT neptune AWS Java SDK :: Services :: Neptune diff --git a/services/neptunedata/pom.xml b/services/neptunedata/pom.xml index 1efd233e5aca..e84e62e850c5 100644 --- a/services/neptunedata/pom.xml +++ b/services/neptunedata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT neptunedata AWS Java SDK :: Services :: Neptunedata diff --git a/services/neptunegraph/pom.xml b/services/neptunegraph/pom.xml index b4a86c71c8c4..8e86e6ae8397 100644 --- a/services/neptunegraph/pom.xml +++ b/services/neptunegraph/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT neptunegraph AWS Java SDK :: Services :: Neptune Graph diff --git a/services/networkfirewall/pom.xml b/services/networkfirewall/pom.xml index eba32221d1ac..67b3e59a187b 100644 --- a/services/networkfirewall/pom.xml +++ b/services/networkfirewall/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT networkfirewall AWS Java SDK :: Services :: Network Firewall diff --git a/services/networkmanager/pom.xml b/services/networkmanager/pom.xml index ff87494b51af..035b99a2844d 100644 --- a/services/networkmanager/pom.xml +++ b/services/networkmanager/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT networkmanager AWS Java SDK :: Services :: NetworkManager diff --git a/services/networkmonitor/pom.xml b/services/networkmonitor/pom.xml index 6334bdc454cd..c832ad0a1ec9 100644 --- a/services/networkmonitor/pom.xml +++ b/services/networkmonitor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT networkmonitor AWS Java SDK :: Services :: Network Monitor diff --git a/services/nimble/pom.xml b/services/nimble/pom.xml index 3682eabf13de..6f9a423ebbbf 100644 --- a/services/nimble/pom.xml +++ b/services/nimble/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT nimble AWS Java SDK :: Services :: Nimble diff --git a/services/oam/pom.xml b/services/oam/pom.xml index 5c2175125518..6ba5107464ee 100644 --- a/services/oam/pom.xml +++ b/services/oam/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT oam AWS Java SDK :: Services :: OAM diff --git a/services/omics/pom.xml b/services/omics/pom.xml index 310e760c507f..313cd58db290 100644 --- a/services/omics/pom.xml +++ b/services/omics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT omics AWS Java SDK :: Services :: Omics diff --git a/services/opensearch/pom.xml b/services/opensearch/pom.xml index 709849508604..dc341b7ae672 100644 --- a/services/opensearch/pom.xml +++ b/services/opensearch/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT opensearch AWS Java SDK :: Services :: Open Search diff --git a/services/opensearchserverless/pom.xml b/services/opensearchserverless/pom.xml index 18a1047d5b6c..bdbd81cb103b 100644 --- a/services/opensearchserverless/pom.xml +++ b/services/opensearchserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT opensearchserverless AWS Java SDK :: Services :: Open Search Serverless diff --git a/services/opsworks/pom.xml b/services/opsworks/pom.xml index 4c3b5e96b6a9..9465816b6def 100644 --- a/services/opsworks/pom.xml +++ b/services/opsworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT opsworks AWS Java SDK :: Services :: AWS OpsWorks diff --git a/services/opsworkscm/pom.xml b/services/opsworkscm/pom.xml index e93046e770f8..a78e2109473f 100644 --- a/services/opsworkscm/pom.xml +++ b/services/opsworkscm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT opsworkscm AWS Java SDK :: Services :: AWS OpsWorks for Chef Automate diff --git a/services/organizations/pom.xml b/services/organizations/pom.xml index 9de4e6ff7442..e6f3fb616605 100644 --- a/services/organizations/pom.xml +++ b/services/organizations/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT organizations AWS Java SDK :: Services :: AWS Organizations diff --git a/services/osis/pom.xml b/services/osis/pom.xml index bf994d33a857..3a189fdbd281 100644 --- a/services/osis/pom.xml +++ b/services/osis/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT osis AWS Java SDK :: Services :: OSIS diff --git a/services/outposts/pom.xml b/services/outposts/pom.xml index e4ae89fef514..21d3b6b4ce45 100644 --- a/services/outposts/pom.xml +++ b/services/outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT outposts AWS Java SDK :: Services :: Outposts diff --git a/services/panorama/pom.xml b/services/panorama/pom.xml index 6b8c242e84b9..3b05ee1adbd9 100644 --- a/services/panorama/pom.xml +++ b/services/panorama/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT panorama AWS Java SDK :: Services :: Panorama diff --git a/services/paymentcryptography/pom.xml b/services/paymentcryptography/pom.xml index ac24cabe1833..d04ffdddffce 100644 --- a/services/paymentcryptography/pom.xml +++ b/services/paymentcryptography/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT paymentcryptography AWS Java SDK :: Services :: Payment Cryptography diff --git a/services/paymentcryptographydata/pom.xml b/services/paymentcryptographydata/pom.xml index a7454b43b416..fbe88583da5e 100644 --- a/services/paymentcryptographydata/pom.xml +++ b/services/paymentcryptographydata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT paymentcryptographydata AWS Java SDK :: Services :: Payment Cryptography Data diff --git a/services/pcaconnectorad/pom.xml b/services/pcaconnectorad/pom.xml index c5f98d3ea60f..675043fa6817 100644 --- a/services/pcaconnectorad/pom.xml +++ b/services/pcaconnectorad/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT pcaconnectorad AWS Java SDK :: Services :: Pca Connector Ad diff --git a/services/pcaconnectorscep/pom.xml b/services/pcaconnectorscep/pom.xml index cd93b345a252..ff49d0b4a8cf 100644 --- a/services/pcaconnectorscep/pom.xml +++ b/services/pcaconnectorscep/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT pcaconnectorscep AWS Java SDK :: Services :: Pca Connector Scep diff --git a/services/pcs/pom.xml b/services/pcs/pom.xml index c19dd60be9ec..06fbe2a852aa 100644 --- a/services/pcs/pom.xml +++ b/services/pcs/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT pcs AWS Java SDK :: Services :: PCS diff --git a/services/personalize/pom.xml b/services/personalize/pom.xml index cb8d03f1aa19..e78083242fde 100644 --- a/services/personalize/pom.xml +++ b/services/personalize/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT personalize AWS Java SDK :: Services :: Personalize diff --git a/services/personalizeevents/pom.xml b/services/personalizeevents/pom.xml index 2cbb5c563a8e..cde669fbc61a 100644 --- a/services/personalizeevents/pom.xml +++ b/services/personalizeevents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT personalizeevents AWS Java SDK :: Services :: Personalize Events diff --git a/services/personalizeruntime/pom.xml b/services/personalizeruntime/pom.xml index e042cdd42380..b939d3f51edf 100644 --- a/services/personalizeruntime/pom.xml +++ b/services/personalizeruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT personalizeruntime AWS Java SDK :: Services :: Personalize Runtime diff --git a/services/pi/pom.xml b/services/pi/pom.xml index ffe8500afd08..7904a1b28177 100644 --- a/services/pi/pom.xml +++ b/services/pi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT pi AWS Java SDK :: Services :: PI diff --git a/services/pinpoint/pom.xml b/services/pinpoint/pom.xml index c4f01d738958..5268c39e02e9 100644 --- a/services/pinpoint/pom.xml +++ b/services/pinpoint/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT pinpoint AWS Java SDK :: Services :: Amazon Pinpoint diff --git a/services/pinpointemail/pom.xml b/services/pinpointemail/pom.xml index d982648c55f0..4613ee084de9 100644 --- a/services/pinpointemail/pom.xml +++ b/services/pinpointemail/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT pinpointemail AWS Java SDK :: Services :: Pinpoint Email diff --git a/services/pinpointsmsvoice/pom.xml b/services/pinpointsmsvoice/pom.xml index 68df0e20164a..e794724514b4 100644 --- a/services/pinpointsmsvoice/pom.xml +++ b/services/pinpointsmsvoice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT pinpointsmsvoice AWS Java SDK :: Services :: Pinpoint SMS Voice diff --git a/services/pinpointsmsvoicev2/pom.xml b/services/pinpointsmsvoicev2/pom.xml index 7b4999cd2a07..f6852be1b718 100644 --- a/services/pinpointsmsvoicev2/pom.xml +++ b/services/pinpointsmsvoicev2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT pinpointsmsvoicev2 AWS Java SDK :: Services :: Pinpoint SMS Voice V2 diff --git a/services/pipes/pom.xml b/services/pipes/pom.xml index e6c085233a58..a38c2b6ab230 100644 --- a/services/pipes/pom.xml +++ b/services/pipes/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT pipes AWS Java SDK :: Services :: Pipes diff --git a/services/polly/pom.xml b/services/polly/pom.xml index bd2a766d6818..835e65dbc23f 100644 --- a/services/polly/pom.xml +++ b/services/polly/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT polly AWS Java SDK :: Services :: Amazon Polly diff --git a/services/pom.xml b/services/pom.xml index bf5eb1df2940..87950a3cb002 100644 --- a/services/pom.xml +++ b/services/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.3 + 2.28.4-SNAPSHOT services AWS Java SDK :: Services diff --git a/services/pricing/pom.xml b/services/pricing/pom.xml index 9c4e9e54eb33..a4bc5a61977c 100644 --- a/services/pricing/pom.xml +++ b/services/pricing/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3 + 2.28.4-SNAPSHOT 4.0.0 pricing diff --git a/services/privatenetworks/pom.xml b/services/privatenetworks/pom.xml index 1b7a8aa9db91..11982ade23ae 100644 --- a/services/privatenetworks/pom.xml +++ b/services/privatenetworks/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT privatenetworks AWS Java SDK :: Services :: Private Networks diff --git a/services/proton/pom.xml b/services/proton/pom.xml index 4543e198a86b..d3b5a02e4037 100644 --- a/services/proton/pom.xml +++ b/services/proton/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT proton AWS Java SDK :: Services :: Proton diff --git a/services/qapps/pom.xml b/services/qapps/pom.xml index c739f68947c5..0a4660a9c7de 100644 --- a/services/qapps/pom.xml +++ b/services/qapps/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT qapps AWS Java SDK :: Services :: Q Apps diff --git a/services/qbusiness/pom.xml b/services/qbusiness/pom.xml index 19fc6dc8508e..299634af54de 100644 --- a/services/qbusiness/pom.xml +++ b/services/qbusiness/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT qbusiness AWS Java SDK :: Services :: Q Business diff --git a/services/qconnect/pom.xml b/services/qconnect/pom.xml index ee564a015cc6..922284172ab8 100644 --- a/services/qconnect/pom.xml +++ b/services/qconnect/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT qconnect AWS Java SDK :: Services :: Q Connect diff --git a/services/qldb/pom.xml b/services/qldb/pom.xml index 0317209c3b75..a902d8fd4d77 100644 --- a/services/qldb/pom.xml +++ b/services/qldb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT qldb AWS Java SDK :: Services :: QLDB diff --git a/services/qldbsession/pom.xml b/services/qldbsession/pom.xml index 67cf8c35d0f1..a17d00188615 100644 --- a/services/qldbsession/pom.xml +++ b/services/qldbsession/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT qldbsession AWS Java SDK :: Services :: QLDB Session diff --git a/services/quicksight/pom.xml b/services/quicksight/pom.xml index be0368f3f0e3..0dfe7bbda25d 100644 --- a/services/quicksight/pom.xml +++ b/services/quicksight/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT quicksight AWS Java SDK :: Services :: QuickSight diff --git a/services/ram/pom.xml b/services/ram/pom.xml index 5c6dcfb367e7..9050afa76dac 100644 --- a/services/ram/pom.xml +++ b/services/ram/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT ram AWS Java SDK :: Services :: RAM diff --git a/services/rbin/pom.xml b/services/rbin/pom.xml index 352c7eaa5123..f21c13ecdf43 100644 --- a/services/rbin/pom.xml +++ b/services/rbin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT rbin AWS Java SDK :: Services :: Rbin diff --git a/services/rds/pom.xml b/services/rds/pom.xml index 3c3716032c33..387ece23c85f 100644 --- a/services/rds/pom.xml +++ b/services/rds/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT rds AWS Java SDK :: Services :: Amazon RDS diff --git a/services/rdsdata/pom.xml b/services/rdsdata/pom.xml index 2a1e4589fe9e..68bdb64fb244 100644 --- a/services/rdsdata/pom.xml +++ b/services/rdsdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT rdsdata AWS Java SDK :: Services :: RDS Data diff --git a/services/redshift/pom.xml b/services/redshift/pom.xml index 98f0491274a0..576b45fa8e98 100644 --- a/services/redshift/pom.xml +++ b/services/redshift/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT redshift AWS Java SDK :: Services :: Amazon Redshift diff --git a/services/redshiftdata/pom.xml b/services/redshiftdata/pom.xml index 446c637b3218..dd6242e8f9f9 100644 --- a/services/redshiftdata/pom.xml +++ b/services/redshiftdata/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT redshiftdata AWS Java SDK :: Services :: Redshift Data diff --git a/services/redshiftserverless/pom.xml b/services/redshiftserverless/pom.xml index c3311d430157..2575abd49904 100644 --- a/services/redshiftserverless/pom.xml +++ b/services/redshiftserverless/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT redshiftserverless AWS Java SDK :: Services :: Redshift Serverless diff --git a/services/rekognition/pom.xml b/services/rekognition/pom.xml index 2a7568606c5d..2540c9b2039b 100644 --- a/services/rekognition/pom.xml +++ b/services/rekognition/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT rekognition AWS Java SDK :: Services :: Amazon Rekognition diff --git a/services/repostspace/pom.xml b/services/repostspace/pom.xml index 818bb3987556..e44c0bc92e42 100644 --- a/services/repostspace/pom.xml +++ b/services/repostspace/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT repostspace AWS Java SDK :: Services :: Repostspace diff --git a/services/resiliencehub/pom.xml b/services/resiliencehub/pom.xml index 509d59ac9fdd..43db51ae969e 100644 --- a/services/resiliencehub/pom.xml +++ b/services/resiliencehub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT resiliencehub AWS Java SDK :: Services :: Resiliencehub diff --git a/services/resourceexplorer2/pom.xml b/services/resourceexplorer2/pom.xml index a723083e233a..09d7465951ec 100644 --- a/services/resourceexplorer2/pom.xml +++ b/services/resourceexplorer2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT resourceexplorer2 AWS Java SDK :: Services :: Resource Explorer 2 diff --git a/services/resourcegroups/pom.xml b/services/resourcegroups/pom.xml index bc0e629c25f2..dc6e6be889fa 100644 --- a/services/resourcegroups/pom.xml +++ b/services/resourcegroups/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3 + 2.28.4-SNAPSHOT 4.0.0 resourcegroups diff --git a/services/resourcegroupstaggingapi/pom.xml b/services/resourcegroupstaggingapi/pom.xml index 6086bfef68e2..8b3fbbed7b73 100644 --- a/services/resourcegroupstaggingapi/pom.xml +++ b/services/resourcegroupstaggingapi/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT resourcegroupstaggingapi AWS Java SDK :: Services :: AWS Resource Groups Tagging API diff --git a/services/robomaker/pom.xml b/services/robomaker/pom.xml index 17d5d379e085..317bb01ef84b 100644 --- a/services/robomaker/pom.xml +++ b/services/robomaker/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT robomaker AWS Java SDK :: Services :: RoboMaker diff --git a/services/rolesanywhere/pom.xml b/services/rolesanywhere/pom.xml index e1ae64341b60..c24f11a748bb 100644 --- a/services/rolesanywhere/pom.xml +++ b/services/rolesanywhere/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT rolesanywhere AWS Java SDK :: Services :: Roles Anywhere diff --git a/services/route53/pom.xml b/services/route53/pom.xml index 7c9e174e1138..452d5816681c 100644 --- a/services/route53/pom.xml +++ b/services/route53/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT route53 AWS Java SDK :: Services :: Amazon Route53 diff --git a/services/route53domains/pom.xml b/services/route53domains/pom.xml index 7a36095392e3..e7ad15f0a8e7 100644 --- a/services/route53domains/pom.xml +++ b/services/route53domains/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT route53domains AWS Java SDK :: Services :: Amazon Route53 Domains diff --git a/services/route53profiles/pom.xml b/services/route53profiles/pom.xml index 40797cc40765..6f7c13334b6e 100644 --- a/services/route53profiles/pom.xml +++ b/services/route53profiles/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT route53profiles AWS Java SDK :: Services :: Route53 Profiles diff --git a/services/route53recoverycluster/pom.xml b/services/route53recoverycluster/pom.xml index c6fee17a9310..2e79403d3c54 100644 --- a/services/route53recoverycluster/pom.xml +++ b/services/route53recoverycluster/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT route53recoverycluster AWS Java SDK :: Services :: Route53 Recovery Cluster diff --git a/services/route53recoverycontrolconfig/pom.xml b/services/route53recoverycontrolconfig/pom.xml index f2dced86948f..9f19bf920edf 100644 --- a/services/route53recoverycontrolconfig/pom.xml +++ b/services/route53recoverycontrolconfig/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT route53recoverycontrolconfig AWS Java SDK :: Services :: Route53 Recovery Control Config diff --git a/services/route53recoveryreadiness/pom.xml b/services/route53recoveryreadiness/pom.xml index 5d564d9f5fe6..98514d314260 100644 --- a/services/route53recoveryreadiness/pom.xml +++ b/services/route53recoveryreadiness/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT route53recoveryreadiness AWS Java SDK :: Services :: Route53 Recovery Readiness diff --git a/services/route53resolver/pom.xml b/services/route53resolver/pom.xml index 12183e628137..b22695d24b53 100644 --- a/services/route53resolver/pom.xml +++ b/services/route53resolver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT route53resolver AWS Java SDK :: Services :: Route53Resolver diff --git a/services/rum/pom.xml b/services/rum/pom.xml index 08667679dd83..9bae3ce06f5d 100644 --- a/services/rum/pom.xml +++ b/services/rum/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT rum AWS Java SDK :: Services :: RUM diff --git a/services/s3/pom.xml b/services/s3/pom.xml index d49755899312..7834b3bdcd71 100644 --- a/services/s3/pom.xml +++ b/services/s3/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT s3 AWS Java SDK :: Services :: Amazon S3 diff --git a/services/s3control/pom.xml b/services/s3control/pom.xml index cd0b2dc5d178..f6206051c18b 100644 --- a/services/s3control/pom.xml +++ b/services/s3control/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT s3control AWS Java SDK :: Services :: Amazon S3 Control diff --git a/services/s3outposts/pom.xml b/services/s3outposts/pom.xml index 8fd3f8290b96..d94b384d8ff4 100644 --- a/services/s3outposts/pom.xml +++ b/services/s3outposts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT s3outposts AWS Java SDK :: Services :: S3 Outposts diff --git a/services/sagemaker/pom.xml b/services/sagemaker/pom.xml index eb68397a7580..bcb3799a71ce 100644 --- a/services/sagemaker/pom.xml +++ b/services/sagemaker/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3 + 2.28.4-SNAPSHOT 4.0.0 sagemaker diff --git a/services/sagemakera2iruntime/pom.xml b/services/sagemakera2iruntime/pom.xml index 5af50d3e75ca..68a7da06bfb1 100644 --- a/services/sagemakera2iruntime/pom.xml +++ b/services/sagemakera2iruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT sagemakera2iruntime AWS Java SDK :: Services :: SageMaker A2I Runtime diff --git a/services/sagemakeredge/pom.xml b/services/sagemakeredge/pom.xml index 15caebff71b8..0b821755694a 100644 --- a/services/sagemakeredge/pom.xml +++ b/services/sagemakeredge/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT sagemakeredge AWS Java SDK :: Services :: Sagemaker Edge diff --git a/services/sagemakerfeaturestoreruntime/pom.xml b/services/sagemakerfeaturestoreruntime/pom.xml index e1bdbffba6c1..9ed323770ab1 100644 --- a/services/sagemakerfeaturestoreruntime/pom.xml +++ b/services/sagemakerfeaturestoreruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT sagemakerfeaturestoreruntime AWS Java SDK :: Services :: Sage Maker Feature Store Runtime diff --git a/services/sagemakergeospatial/pom.xml b/services/sagemakergeospatial/pom.xml index 907c251ff00c..8d07292adfca 100644 --- a/services/sagemakergeospatial/pom.xml +++ b/services/sagemakergeospatial/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT sagemakergeospatial AWS Java SDK :: Services :: Sage Maker Geospatial diff --git a/services/sagemakermetrics/pom.xml b/services/sagemakermetrics/pom.xml index a3f91d531bff..9a86f0ce0304 100644 --- a/services/sagemakermetrics/pom.xml +++ b/services/sagemakermetrics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT sagemakermetrics AWS Java SDK :: Services :: Sage Maker Metrics diff --git a/services/sagemakerruntime/pom.xml b/services/sagemakerruntime/pom.xml index 4a4979c483c6..574948d1349b 100644 --- a/services/sagemakerruntime/pom.xml +++ b/services/sagemakerruntime/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT sagemakerruntime AWS Java SDK :: Services :: SageMaker Runtime diff --git a/services/savingsplans/pom.xml b/services/savingsplans/pom.xml index a793e5298c71..502f89ad458e 100644 --- a/services/savingsplans/pom.xml +++ b/services/savingsplans/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT savingsplans AWS Java SDK :: Services :: Savingsplans diff --git a/services/scheduler/pom.xml b/services/scheduler/pom.xml index db27047254ee..9ebacb7ac73f 100644 --- a/services/scheduler/pom.xml +++ b/services/scheduler/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT scheduler AWS Java SDK :: Services :: Scheduler diff --git a/services/schemas/pom.xml b/services/schemas/pom.xml index 77162988dc83..bd0ef330182e 100644 --- a/services/schemas/pom.xml +++ b/services/schemas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT schemas AWS Java SDK :: Services :: Schemas diff --git a/services/secretsmanager/pom.xml b/services/secretsmanager/pom.xml index 58192cd4e254..e036e0ee04b3 100644 --- a/services/secretsmanager/pom.xml +++ b/services/secretsmanager/pom.xml @@ -22,7 +22,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT secretsmanager AWS Java SDK :: Services :: AWS Secrets Manager diff --git a/services/securityhub/pom.xml b/services/securityhub/pom.xml index e6780dd1a8e0..9d3bf50dd3e1 100644 --- a/services/securityhub/pom.xml +++ b/services/securityhub/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT securityhub AWS Java SDK :: Services :: SecurityHub diff --git a/services/securitylake/pom.xml b/services/securitylake/pom.xml index 57ed5dc76719..2513eff4e5af 100644 --- a/services/securitylake/pom.xml +++ b/services/securitylake/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT securitylake AWS Java SDK :: Services :: Security Lake diff --git a/services/serverlessapplicationrepository/pom.xml b/services/serverlessapplicationrepository/pom.xml index e90b47c35d72..9aa05bf2d8ec 100644 --- a/services/serverlessapplicationrepository/pom.xml +++ b/services/serverlessapplicationrepository/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3 + 2.28.4-SNAPSHOT 4.0.0 serverlessapplicationrepository diff --git a/services/servicecatalog/pom.xml b/services/servicecatalog/pom.xml index 2ff4480e3e2e..a3de1797bc20 100644 --- a/services/servicecatalog/pom.xml +++ b/services/servicecatalog/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT servicecatalog AWS Java SDK :: Services :: AWS Service Catalog diff --git a/services/servicecatalogappregistry/pom.xml b/services/servicecatalogappregistry/pom.xml index 6020181eb98c..2692db3c36cd 100644 --- a/services/servicecatalogappregistry/pom.xml +++ b/services/servicecatalogappregistry/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT servicecatalogappregistry AWS Java SDK :: Services :: Service Catalog App Registry diff --git a/services/servicediscovery/pom.xml b/services/servicediscovery/pom.xml index f34ea6e48991..b77d4b8f9f97 100644 --- a/services/servicediscovery/pom.xml +++ b/services/servicediscovery/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3 + 2.28.4-SNAPSHOT 4.0.0 servicediscovery diff --git a/services/servicequotas/pom.xml b/services/servicequotas/pom.xml index 8845a410b4cf..804b543b65c6 100644 --- a/services/servicequotas/pom.xml +++ b/services/servicequotas/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT servicequotas AWS Java SDK :: Services :: Service Quotas diff --git a/services/ses/pom.xml b/services/ses/pom.xml index d7726563e36d..a84b872da8fb 100644 --- a/services/ses/pom.xml +++ b/services/ses/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT ses AWS Java SDK :: Services :: Amazon SES diff --git a/services/sesv2/pom.xml b/services/sesv2/pom.xml index e1fe5c340011..499c9cd7d6cb 100644 --- a/services/sesv2/pom.xml +++ b/services/sesv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT sesv2 AWS Java SDK :: Services :: SESv2 diff --git a/services/sfn/pom.xml b/services/sfn/pom.xml index 5564a161fae3..e509eea38e0e 100644 --- a/services/sfn/pom.xml +++ b/services/sfn/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT sfn AWS Java SDK :: Services :: AWS Step Functions diff --git a/services/shield/pom.xml b/services/shield/pom.xml index 8855612429f0..1ec08e6cd016 100644 --- a/services/shield/pom.xml +++ b/services/shield/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT shield AWS Java SDK :: Services :: AWS Shield diff --git a/services/signer/pom.xml b/services/signer/pom.xml index 7dcf8045f419..d7f92d95d886 100644 --- a/services/signer/pom.xml +++ b/services/signer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT signer AWS Java SDK :: Services :: Signer diff --git a/services/simspaceweaver/pom.xml b/services/simspaceweaver/pom.xml index a21aaf4e985b..4bd7f6fa2a95 100644 --- a/services/simspaceweaver/pom.xml +++ b/services/simspaceweaver/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT simspaceweaver AWS Java SDK :: Services :: Sim Space Weaver diff --git a/services/sms/pom.xml b/services/sms/pom.xml index 11e132267671..d34f8ed1820c 100644 --- a/services/sms/pom.xml +++ b/services/sms/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT sms AWS Java SDK :: Services :: AWS Server Migration diff --git a/services/snowball/pom.xml b/services/snowball/pom.xml index 1ae6c13e097c..7a794ffd7925 100644 --- a/services/snowball/pom.xml +++ b/services/snowball/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT snowball AWS Java SDK :: Services :: Amazon Snowball diff --git a/services/snowdevicemanagement/pom.xml b/services/snowdevicemanagement/pom.xml index d86f138b2d12..96ec71249934 100644 --- a/services/snowdevicemanagement/pom.xml +++ b/services/snowdevicemanagement/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT snowdevicemanagement AWS Java SDK :: Services :: Snow Device Management diff --git a/services/sns/pom.xml b/services/sns/pom.xml index 4a561053ed6d..e9845236f844 100644 --- a/services/sns/pom.xml +++ b/services/sns/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT sns AWS Java SDK :: Services :: Amazon SNS diff --git a/services/sqs/pom.xml b/services/sqs/pom.xml index 09bcc5a99c2f..dbfdc211dd82 100644 --- a/services/sqs/pom.xml +++ b/services/sqs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT sqs AWS Java SDK :: Services :: Amazon SQS diff --git a/services/ssm/pom.xml b/services/ssm/pom.xml index 82e7d4d57e7b..07a4d925d962 100644 --- a/services/ssm/pom.xml +++ b/services/ssm/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT ssm AWS Java SDK :: Services :: AWS Simple Systems Management (SSM) diff --git a/services/ssmcontacts/pom.xml b/services/ssmcontacts/pom.xml index e09db3648e57..844621952605 100644 --- a/services/ssmcontacts/pom.xml +++ b/services/ssmcontacts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT ssmcontacts AWS Java SDK :: Services :: SSM Contacts diff --git a/services/ssmincidents/pom.xml b/services/ssmincidents/pom.xml index 625b4db04ec0..057e6f66ceac 100644 --- a/services/ssmincidents/pom.xml +++ b/services/ssmincidents/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT ssmincidents AWS Java SDK :: Services :: SSM Incidents diff --git a/services/ssmquicksetup/pom.xml b/services/ssmquicksetup/pom.xml index e768106490d5..a8abd60bd893 100644 --- a/services/ssmquicksetup/pom.xml +++ b/services/ssmquicksetup/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT ssmquicksetup AWS Java SDK :: Services :: SSM Quick Setup diff --git a/services/ssmsap/pom.xml b/services/ssmsap/pom.xml index 01afdf6be85b..c30adb5e490f 100644 --- a/services/ssmsap/pom.xml +++ b/services/ssmsap/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT ssmsap AWS Java SDK :: Services :: Ssm Sap diff --git a/services/sso/pom.xml b/services/sso/pom.xml index af99cd944bb5..ceed32c37b55 100644 --- a/services/sso/pom.xml +++ b/services/sso/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT sso AWS Java SDK :: Services :: SSO diff --git a/services/ssoadmin/pom.xml b/services/ssoadmin/pom.xml index e0abaae2a6b9..9b2f31fa63a8 100644 --- a/services/ssoadmin/pom.xml +++ b/services/ssoadmin/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT ssoadmin AWS Java SDK :: Services :: SSO Admin diff --git a/services/ssooidc/pom.xml b/services/ssooidc/pom.xml index 542faa059b96..37a21c94e1e9 100644 --- a/services/ssooidc/pom.xml +++ b/services/ssooidc/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT ssooidc AWS Java SDK :: Services :: SSO OIDC diff --git a/services/storagegateway/pom.xml b/services/storagegateway/pom.xml index 79691b8363d1..ccb15be532b3 100644 --- a/services/storagegateway/pom.xml +++ b/services/storagegateway/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT storagegateway AWS Java SDK :: Services :: AWS Storage Gateway diff --git a/services/sts/pom.xml b/services/sts/pom.xml index 1f969365a196..422490fce71b 100644 --- a/services/sts/pom.xml +++ b/services/sts/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT sts AWS Java SDK :: Services :: AWS STS diff --git a/services/supplychain/pom.xml b/services/supplychain/pom.xml index e666fa97b4ee..6d7991507fcd 100644 --- a/services/supplychain/pom.xml +++ b/services/supplychain/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT supplychain AWS Java SDK :: Services :: Supply Chain diff --git a/services/support/pom.xml b/services/support/pom.xml index f6bd1bd16d27..bf9054306dbb 100644 --- a/services/support/pom.xml +++ b/services/support/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT support AWS Java SDK :: Services :: AWS Support diff --git a/services/supportapp/pom.xml b/services/supportapp/pom.xml index ae9b90d784f5..5570325e44d4 100644 --- a/services/supportapp/pom.xml +++ b/services/supportapp/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT supportapp AWS Java SDK :: Services :: Support App diff --git a/services/swf/pom.xml b/services/swf/pom.xml index 4f63b72a4ce8..aa4a2e363ead 100644 --- a/services/swf/pom.xml +++ b/services/swf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT swf AWS Java SDK :: Services :: Amazon SWF diff --git a/services/synthetics/pom.xml b/services/synthetics/pom.xml index 2010cc465be4..c74fad1045bd 100644 --- a/services/synthetics/pom.xml +++ b/services/synthetics/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT synthetics AWS Java SDK :: Services :: Synthetics diff --git a/services/taxsettings/pom.xml b/services/taxsettings/pom.xml index da28b3308c01..9e6705b666fb 100644 --- a/services/taxsettings/pom.xml +++ b/services/taxsettings/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT taxsettings AWS Java SDK :: Services :: Tax Settings diff --git a/services/textract/pom.xml b/services/textract/pom.xml index 10857e37d7a3..3a3b076dddf7 100644 --- a/services/textract/pom.xml +++ b/services/textract/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT textract AWS Java SDK :: Services :: Textract diff --git a/services/timestreaminfluxdb/pom.xml b/services/timestreaminfluxdb/pom.xml index 4363a0dcd863..8e0186fbd36e 100644 --- a/services/timestreaminfluxdb/pom.xml +++ b/services/timestreaminfluxdb/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT timestreaminfluxdb AWS Java SDK :: Services :: Timestream Influx DB diff --git a/services/timestreamquery/pom.xml b/services/timestreamquery/pom.xml index c7f19b68ce09..aa2a57ece2da 100644 --- a/services/timestreamquery/pom.xml +++ b/services/timestreamquery/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT timestreamquery AWS Java SDK :: Services :: Timestream Query diff --git a/services/timestreamwrite/pom.xml b/services/timestreamwrite/pom.xml index 01764fbb7b20..066546eea349 100644 --- a/services/timestreamwrite/pom.xml +++ b/services/timestreamwrite/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT timestreamwrite AWS Java SDK :: Services :: Timestream Write diff --git a/services/tnb/pom.xml b/services/tnb/pom.xml index be4caa7da64c..0c8bab673193 100644 --- a/services/tnb/pom.xml +++ b/services/tnb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT tnb AWS Java SDK :: Services :: Tnb diff --git a/services/transcribe/pom.xml b/services/transcribe/pom.xml index 34f086dac4e2..faa34eb97c86 100644 --- a/services/transcribe/pom.xml +++ b/services/transcribe/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT transcribe AWS Java SDK :: Services :: Transcribe diff --git a/services/transcribestreaming/pom.xml b/services/transcribestreaming/pom.xml index feb8a0df7ca4..61c31a5552bb 100644 --- a/services/transcribestreaming/pom.xml +++ b/services/transcribestreaming/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT transcribestreaming AWS Java SDK :: Services :: AWS Transcribe Streaming diff --git a/services/transfer/pom.xml b/services/transfer/pom.xml index b902e38d70b9..82d20741fd38 100644 --- a/services/transfer/pom.xml +++ b/services/transfer/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT transfer AWS Java SDK :: Services :: Transfer diff --git a/services/translate/pom.xml b/services/translate/pom.xml index cea101af7a81..5e5fad59e637 100644 --- a/services/translate/pom.xml +++ b/services/translate/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3 + 2.28.4-SNAPSHOT 4.0.0 translate diff --git a/services/trustedadvisor/pom.xml b/services/trustedadvisor/pom.xml index c406930781bf..755dbbf8c7a3 100644 --- a/services/trustedadvisor/pom.xml +++ b/services/trustedadvisor/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT trustedadvisor AWS Java SDK :: Services :: Trusted Advisor diff --git a/services/verifiedpermissions/pom.xml b/services/verifiedpermissions/pom.xml index 771c97aa06c9..b2b6b1c7eb90 100644 --- a/services/verifiedpermissions/pom.xml +++ b/services/verifiedpermissions/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT verifiedpermissions AWS Java SDK :: Services :: Verified Permissions diff --git a/services/voiceid/pom.xml b/services/voiceid/pom.xml index a97855b4e6d8..5ce6810793d4 100644 --- a/services/voiceid/pom.xml +++ b/services/voiceid/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT voiceid AWS Java SDK :: Services :: Voice ID diff --git a/services/vpclattice/pom.xml b/services/vpclattice/pom.xml index 961324ddcd69..2d44fee1ade1 100644 --- a/services/vpclattice/pom.xml +++ b/services/vpclattice/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT vpclattice AWS Java SDK :: Services :: VPC Lattice diff --git a/services/waf/pom.xml b/services/waf/pom.xml index 34416347bb34..7ba1a77c51c1 100644 --- a/services/waf/pom.xml +++ b/services/waf/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT waf AWS Java SDK :: Services :: AWS WAF diff --git a/services/wafv2/pom.xml b/services/wafv2/pom.xml index 811d948fb22a..dcbb0ffc1011 100644 --- a/services/wafv2/pom.xml +++ b/services/wafv2/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT wafv2 AWS Java SDK :: Services :: WAFV2 diff --git a/services/wellarchitected/pom.xml b/services/wellarchitected/pom.xml index f728325b1a58..15ab5d202761 100644 --- a/services/wellarchitected/pom.xml +++ b/services/wellarchitected/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT wellarchitected AWS Java SDK :: Services :: Well Architected diff --git a/services/wisdom/pom.xml b/services/wisdom/pom.xml index a2b74f799dac..39607dfa948d 100644 --- a/services/wisdom/pom.xml +++ b/services/wisdom/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT wisdom AWS Java SDK :: Services :: Wisdom diff --git a/services/workdocs/pom.xml b/services/workdocs/pom.xml index 823fe2ab37a8..f3e31326e0e8 100644 --- a/services/workdocs/pom.xml +++ b/services/workdocs/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT workdocs AWS Java SDK :: Services :: Amazon WorkDocs diff --git a/services/worklink/pom.xml b/services/worklink/pom.xml index dd2d563b8e77..5bf3520afdaa 100644 --- a/services/worklink/pom.xml +++ b/services/worklink/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT worklink AWS Java SDK :: Services :: WorkLink diff --git a/services/workmail/pom.xml b/services/workmail/pom.xml index f10a72108ddd..37d426bff962 100644 --- a/services/workmail/pom.xml +++ b/services/workmail/pom.xml @@ -20,7 +20,7 @@ services software.amazon.awssdk - 2.28.3 + 2.28.4-SNAPSHOT 4.0.0 workmail diff --git a/services/workmailmessageflow/pom.xml b/services/workmailmessageflow/pom.xml index c9b471d6854e..8e079d416200 100644 --- a/services/workmailmessageflow/pom.xml +++ b/services/workmailmessageflow/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT workmailmessageflow AWS Java SDK :: Services :: WorkMailMessageFlow diff --git a/services/workspaces/pom.xml b/services/workspaces/pom.xml index 581ec174c66d..71f041ce6af0 100644 --- a/services/workspaces/pom.xml +++ b/services/workspaces/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT workspaces AWS Java SDK :: Services :: Amazon WorkSpaces diff --git a/services/workspacesthinclient/pom.xml b/services/workspacesthinclient/pom.xml index 48c7de2a8ae3..fade70c7cd74 100644 --- a/services/workspacesthinclient/pom.xml +++ b/services/workspacesthinclient/pom.xml @@ -17,7 +17,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT workspacesthinclient AWS Java SDK :: Services :: Work Spaces Thin Client diff --git a/services/workspacesweb/pom.xml b/services/workspacesweb/pom.xml index de5766c58809..39e1f414254a 100644 --- a/services/workspacesweb/pom.xml +++ b/services/workspacesweb/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT workspacesweb AWS Java SDK :: Services :: Work Spaces Web diff --git a/services/xray/pom.xml b/services/xray/pom.xml index 80d3fd372adc..8327d6b84aff 100644 --- a/services/xray/pom.xml +++ b/services/xray/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk services - 2.28.3 + 2.28.4-SNAPSHOT xray AWS Java SDK :: Services :: AWS X-Ray diff --git a/test/auth-tests/pom.xml b/test/auth-tests/pom.xml index 1031d7195ebc..e2c1464f8bd6 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.3 + 2.28.4-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/bundle-logging-bridge-binding-test/pom.xml b/test/bundle-logging-bridge-binding-test/pom.xml index 57bab4cca3ca..009beea99fec 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.3 + 2.28.4-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/bundle-shading-tests/pom.xml b/test/bundle-shading-tests/pom.xml index 39a4014f7b0a..919f2312be2e 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.3 + 2.28.4-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/codegen-generated-classes-test/pom.xml b/test/codegen-generated-classes-test/pom.xml index b1bc7e388b72..936cafc18c37 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.3 + 2.28.4-SNAPSHOT ../../pom.xml diff --git a/test/crt-unavailable-tests/pom.xml b/test/crt-unavailable-tests/pom.xml index 85cd6b63709d..e155bdc8aa1d 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.3 + 2.28.4-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/http-client-tests/pom.xml b/test/http-client-tests/pom.xml index bdec21df5f40..297a314bb0d4 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.3 + 2.28.4-SNAPSHOT ../../pom.xml http-client-tests diff --git a/test/module-path-tests/pom.xml b/test/module-path-tests/pom.xml index be2596e0da1b..04b7fe653488 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.3 + 2.28.4-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/old-client-version-compatibility-test/pom.xml b/test/old-client-version-compatibility-test/pom.xml index 1cf1533ca533..285ad4144f13 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.3 + 2.28.4-SNAPSHOT ../../pom.xml diff --git a/test/protocol-tests-core/pom.xml b/test/protocol-tests-core/pom.xml index e3d3c685e109..7a2cf773d72b 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.3 + 2.28.4-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/protocol-tests/pom.xml b/test/protocol-tests/pom.xml index cf6296210a3a..08d67d2dc961 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.3 + 2.28.4-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/region-testing/pom.xml b/test/region-testing/pom.xml index d7754b4caa2c..de0649380c35 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.3 + 2.28.4-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/ruleset-testing-core/pom.xml b/test/ruleset-testing-core/pom.xml index f77cb9755796..d35cff6b04dd 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.3 + 2.28.4-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/s3-benchmarks/pom.xml b/test/s3-benchmarks/pom.xml index f69383e420f9..69c0c27fca0b 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.3 + 2.28.4-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/sdk-benchmarks/pom.xml b/test/sdk-benchmarks/pom.xml index 9cd138a6d3e9..9172f297cdcc 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.3 + 2.28.4-SNAPSHOT ../../pom.xml diff --git a/test/sdk-native-image-test/pom.xml b/test/sdk-native-image-test/pom.xml index fd2213509942..90a3f9fe1891 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.3 + 2.28.4-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/service-test-utils/pom.xml b/test/service-test-utils/pom.xml index 31cf4643f3cf..be8c5381fd26 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.3 + 2.28.4-SNAPSHOT ../../pom.xml service-test-utils diff --git a/test/stability-tests/pom.xml b/test/stability-tests/pom.xml index b3b77ed76412..ead8c129db3f 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.3 + 2.28.4-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/test-utils/pom.xml b/test/test-utils/pom.xml index ae15e5ab38bb..85ab73eb30a0 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.3 + 2.28.4-SNAPSHOT ../../pom.xml test-utils diff --git a/test/tests-coverage-reporting/pom.xml b/test/tests-coverage-reporting/pom.xml index 5944bbb320ad..078c0b597d25 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.3 + 2.28.4-SNAPSHOT ../../pom.xml 4.0.0 diff --git a/test/v2-migration-tests/pom.xml b/test/v2-migration-tests/pom.xml index 25b5d985fa62..e5bc8a167705 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.3 + 2.28.4-SNAPSHOT ../.. diff --git a/third-party/pom.xml b/third-party/pom.xml index cc9375834eac..52b9526fa576 100644 --- a/third-party/pom.xml +++ b/third-party/pom.xml @@ -21,7 +21,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.3 + 2.28.4-SNAPSHOT third-party diff --git a/third-party/third-party-jackson-core/pom.xml b/third-party/third-party-jackson-core/pom.xml index 648ec9b2fad7..d73392091bd0 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.3 + 2.28.4-SNAPSHOT 4.0.0 diff --git a/third-party/third-party-jackson-dataformat-cbor/pom.xml b/third-party/third-party-jackson-dataformat-cbor/pom.xml index e55f567164dc..9512de571453 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.3 + 2.28.4-SNAPSHOT 4.0.0 diff --git a/third-party/third-party-slf4j-api/pom.xml b/third-party/third-party-slf4j-api/pom.xml index 6e3658746b38..9cec11a6b3a5 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.3 + 2.28.4-SNAPSHOT 4.0.0 diff --git a/utils/pom.xml b/utils/pom.xml index 10d74aa64a73..c23e0b540f6f 100644 --- a/utils/pom.xml +++ b/utils/pom.xml @@ -20,7 +20,7 @@ aws-sdk-java-pom software.amazon.awssdk - 2.28.3 + 2.28.4-SNAPSHOT 4.0.0 diff --git a/v2-migration/pom.xml b/v2-migration/pom.xml index 995e2f36849c..411f11a82f32 100644 --- a/v2-migration/pom.xml +++ b/v2-migration/pom.xml @@ -21,7 +21,7 @@ software.amazon.awssdk aws-sdk-java-pom - 2.28.3 + 2.28.4-SNAPSHOT ../pom.xml